content
stringlengths 7
1.05M
|
---|
#analysis function for three level game
def stat_analysis(c1,c2,c3):
#ask question for viewing analysis of game
analysis=input('\nDo you want to see your game analysis? (Yes/No) ')
if analysis=='Yes':
levels=['Level 1','Level 2','Level 3']
#calculating the score of levels
l1_score= c1*10
l2_score= c2*10
l3_score= c3*10
level_score=[l1_score,l2_score,l3_score]
#plot bar chart
plt.bar(levels,level_score,color='blue',edgecolor='black')
plt.title('Levelwise Scores',fontsize=16)#add title
plt.xlabel('Levels')#set x-axis label
plt.ylabel('Scores')#set y-axis label
plt.show()
print('\nDescriptive Statistics of Scores:')
#find mean value
print('\nMean: ',statistics.mean(level_score))
#find median value
print('\nMediand: ',statistics.median(level_score))
#Mode calculation
#create numPy array of values with only one mode
arr_val = np.array(level_score)
#find unique values in array along with their counts
vals, uni_val_counts = np.unique(arr_val, return_counts=True)
#find mode
mode_value = np.argwhere(counts == np.max(uni_val_counts))
print('\nMode: ',vals[mode_value].flatten().tolist())
#find variance
print('\nVariance: ',np.var(level_score))
#find standard deviation
print('\nStandard Deviation: ',statistics.stdev(level_score))
print('\nGood Bye.See you later!!!')
elif analysis=='No':
print('\nGood Bye.See you later!!!')
else:
print('Invalid value enter')
stat_analysis(c1,c2,c3)
|
# -*- coding: utf-8 -*-
__author__ = """Hendrix Demers"""
__email__ = 'hendrix.demers@mail.mcgill.ca'
__version__ = '0.1.0'
|
#!/usr/bin/env python3
def date_time(time):
months = ["January", "February", "March", "April", "May", "June",
"July", "August", "September", "October", "November", "December"]
hour, minute = int(time[11:13]), int(time[14:16])
return f"{int(time[0:2])} {months[int(time[3:5])-1]} {time[6:10]} year {hour} hour{'s' if hour!=1 else ''} {minute} minute{'s' if minute!=1 else ''}"
if __name__ == '__main__':
print(date_time("01.01.2018 00:00"))
assert date_time("01.01.2018 00:00") == "1 January 2018 year 0 hours 0 minutes"
assert date_time("04.08.1984 08:15") == "4 August 1984 year 8 hours 15 minutes"
assert date_time("17.12.1990 07:42") == "17 December 1990 year 7 hours 42 minutes"
|
item1='phone'
item1_price = 100
item1_quantity = 5
item1_price_total = item1_price * item1_quantity
print(type(item1)) # str
print(type(item1_price)) # int
print(type(item1_quantity)) # int
print(type(item1_price_total)) # int
# output:
# <class 'str'>
# <class 'int'>
# <class 'int'>
# <class 'int'> |
a = int(input())
while a:
for x in range(a-1):
out = '*' + ' ' * (a-x-2) + '*' + ' ' * (a-x-2) + '*'
print(out.center(2*a-1))
print('*' * (2 * a - 1))
for x in range(a-1):
out = '*' + ' ' * x + '*' + ' ' * x + '*'
print(out.center(2*a-1))
a = int(input())
|
class Dataset:
_data = None
_first_text_col = 'text'
_second_text_col = None
_label_col = 'label'
def __init__(self):
self._idx = 0
if self._data is None:
raise Exception('Dataset is not loaded')
def __iter__(self):
return self
def __next__(self):
if self._idx >= len(self._data):
raise StopIteration
else:
item = self._data.iloc[self._idx]
self._idx += 1
if self._second_text_col:
return item[self._first_text_col], item[self._second_text_col], int(item[self._label_col])
else:
return item[self._first_text_col], int(item[self._label_col])
def __getitem__(self, item):
if isinstance(item, int):
item = self._data.iloc[item]
if self._second_text_col:
return item[self._first_text_col], item[self._second_text_col], int(item[self._label_col])
else:
return item[self._first_text_col], int(item[self._label_col])
elif isinstance(item, slice):
start = item.start if item.start else 0
stop = item.stop if item.stop else len(self._data)
step = item.step if item.step else 1
items = self._data.iloc[start:stop:step]
if self._second_text_col:
return [(item[self._first_text_col], item[self._second_text_col], int(item[self._label_col])) for _, item in items.iterrows()]
else:
return [(item[self._first_text_col], int(item[self._label_col])) for _, item in items.iterrows()]
else:
raise KeyError
def __str__(self):
return str(self._data) |
"Actions for compiling resx files"
load(
"@io_bazel_rules_dotnet//dotnet/private:providers.bzl",
"DotnetResourceInfo",
)
def _make_runner_arglist(dotnet, source, output, resgen):
args = dotnet.actions.args()
if type(source) == "Target":
args.add_all(source.files)
else:
args.add(source)
args.add(output)
return args
def emit_resx_core(
dotnet,
name = "",
src = None,
identifier = None,
out = None,
customresgen = None):
"""The function adds an action that compiles a single .resx file into .resources file.
Returns [DotnetResourceInfo](api.md#dotnetresourceinfo).
Args:
dotnet: [DotnetContextInfo](api.md#dotnetcontextinfo).
name: name of the file to generate.
src: The .resx source file that is transformed into .resources file. Only `.resx` files are permitted.
identifier: The logical name for the resource; the name that is used to load the resource. The default is the basename of the file name (no subfolder).
out: An alternative name of the output file (if name should not be used).
customresgen: custom resgen program to use.
Returns:
DotnetResourceInfo: [DotnetResourceInfo](api.md#dotnetresourceinfo).
"""
if name == "" and out == None:
fail("either name or out must be set")
if not out:
result = dotnet.actions.declare_file(name + ".resources")
else:
result = dotnet.actions.declare_file(out)
args = _make_runner_arglist(dotnet, src, result, customresgen.files_to_run.executable.path)
# We use the command to extrace shell path and force runfiles creation
resolve = dotnet._ctx.resolve_tools(tools = [customresgen])
inputs = src.files.to_list() if type(src) == "Target" else [src]
dotnet.actions.run(
inputs = inputs + resolve[0].to_list(),
tools = customresgen.default_runfiles.files,
outputs = [result],
executable = customresgen.files_to_run,
arguments = [args],
env = {"RUNFILES_MANIFEST_FILE": customresgen.files_to_run.runfiles_manifest.path},
mnemonic = "CoreResxCompile",
input_manifests = resolve[1],
progress_message = (
"Compiling resoources" + dotnet.label.package + ":" + dotnet.label.name
),
)
return DotnetResourceInfo(
name = name,
result = result,
identifier = identifier,
)
|
class OCDSMergeError(Exception):
"""Base class for exceptions from within this package"""
class MissingDateKeyError(OCDSMergeError, KeyError):
"""Raised when a release is missing a 'date' key"""
def __init__(self, key, message):
self.key = key
self.message = message
def __str__(self):
return str(self.message)
class NonObjectReleaseError(OCDSMergeError, TypeError):
"""Raised when a release is not an object"""
class NullDateValueError(OCDSMergeError, TypeError):
"""Raised when a release has a null 'date' value"""
class NonStringDateValueError(OCDSMergeError, TypeError):
"""Raised when a release has a non-string 'date' value"""
class InconsistentTypeError(OCDSMergeError, TypeError):
"""Raised when a path is a literal and an object in different releases"""
class OCDSMergeWarning(UserWarning):
"""Base class for warnings from within this package"""
class DuplicateIdValueWarning(OCDSMergeWarning):
"""Used when at least two objects in the same array have the same value for the 'id' field"""
def __init__(self, path, id, message):
self.path = path
self.id = id
self.message = message
def __str__(self):
return str(self.message)
|
n=int(input("Enter number "))
fact=1
for i in range(1,n+1):
fact=fact*i
print("Factorial is ",fact)
|
# Fractional Knapsack
wt = [40,50,30,10,10,40,30]
pro = [30,20,20,25,5,35,15]
n = len(wt)
data = [ (i,pro[i],wt[i]) for i in range(n) ]
bag = 100
data.sort(key=lambda x: x[1]/x[2], reverse=True)
profit=0
ans=[]
i=0
while i<n:
if data[i][2]<=bag:
bag-=data[i][2]
ans.append(data[i][0])
profit+=data[i][1]
i+=1
else:
break
if i<n:
ans.append(data[i][0])
profit += (bag*data[i][1])/data[i][2]
print(profit,ans)
|
class DeviceSettings:
def __init__(self, settings):
self._id = settings["id"]
self._title = settings["title"]
self._type = settings["type"]["name"]
self._value = settings["value"]
@property
def id(self):
return self._id
@property
def value(self):
return self._value
|
word = input("Enter a word: ")
if word == "a":
print("one; any")
elif word == "apple":
print("familiar, round fleshy fruit")
elif word == "rhinoceros":
print("large thick-skinned animal with one or two horns on its nose")
else:
print("That word must not exist. This dictionary is very comprehensive.")
|
cnt = int(input())
num = list(map(int, input()))
sum = 0
for i in range(len(num)):
sum = sum + num[i]
print(sum) |
def test_xrange(judge_command):
judge_command(
"XRANGE somestream - +",
{"command": "XRANGE", "key": "somestream", "stream_id": ["-", "+"]},
)
judge_command(
"XRANGE somestream 1526985054069 1526985055069",
{
"command": "XRANGE",
"key": "somestream",
"stream_id": ["1526985054069", "1526985055069"],
},
)
judge_command(
"XRANGE somestream 1526985054069 1526985055069-10",
{
"command": "XRANGE",
"key": "somestream",
"stream_id": ["1526985054069", "1526985055069-10"],
},
)
judge_command(
"XRANGE somestream 1526985054069 1526985055069-10 count 10",
{
"command": "XRANGE",
"key": "somestream",
"stream_id": ["1526985054069", "1526985055069-10"],
"count_const": "count",
"count": "10",
},
)
def test_xgroup_create(judge_command):
judge_command(
"XGROUP CREATE mykey mygroup 123",
{
"command": "XGROUP",
"stream_create": "CREATE",
"key": "mykey",
"group": "mygroup",
"stream_id": "123",
},
)
judge_command(
"XGROUP CREATE mykey mygroup $",
{
"command": "XGROUP",
"stream_create": "CREATE",
"key": "mykey",
"group": "mygroup",
"stream_id": "$",
},
)
# short of a parameter
judge_command("XGROUP CREATE mykey mygroup", None)
judge_command("XGROUP CREATE mykey", None)
def test_xgroup_setid(judge_command):
judge_command(
"XGROUP SETID mykey mygroup 123",
{
"command": "XGROUP",
"stream_setid": "SETID",
"key": "mykey",
"group": "mygroup",
"stream_id": "123",
},
)
judge_command(
"XGROUP SETID mykey mygroup $",
{
"command": "XGROUP",
"stream_setid": "SETID",
"key": "mykey",
"group": "mygroup",
"stream_id": "$",
},
)
# two subcommand together shouldn't match
judge_command("XGROUP CREATE mykey mygroup 123 SETID mykey mygroup $", None)
def test_xgroup_destroy(judge_command):
judge_command(
"XGROUP destroy mykey mygroup",
{
"command": "XGROUP",
"stream_destroy": "destroy",
"key": "mykey",
"group": "mygroup",
},
)
judge_command("XGROUP destroy mykey", None)
judge_command("XGROUP DESTROY mykey mygroup $", None)
def test_xgroup_delconsumer(judge_command):
judge_command(
"XGROUP delconsumer mykey mygroup myconsumer",
{
"command": "XGROUP",
"stream_delconsumer": "delconsumer",
"key": "mykey",
"group": "mygroup",
"consumer": "myconsumer",
},
)
judge_command(
"XGROUP delconsumer mykey mygroup $",
{
"command": "XGROUP",
"stream_delconsumer": "delconsumer",
"key": "mykey",
"group": "mygroup",
"consumer": "$",
},
)
judge_command("XGROUP delconsumer mykey mygroup", None)
def test_xgroup_stream(judge_command):
judge_command(
"XACK mystream group1 123123",
{
"command": "XACK",
"key": "mystream",
"group": "group1",
"stream_id": "123123",
},
)
judge_command(
"XACK mystream group1 123123 111",
{"command": "XACK", "key": "mystream", "group": "group1", "stream_id": "111"},
)
def test_xinfo(judge_command):
judge_command(
"XINFO consumers mystream mygroup",
{
"command": "XINFO",
"stream_consumers": "consumers",
"key": "mystream",
"group": "mygroup",
},
)
judge_command(
"XINFO GROUPS mystream",
{"command": "XINFO", "stream_groups": "GROUPS", "key": "mystream"},
)
judge_command(
"XINFO STREAM mystream",
{"command": "XINFO", "stream": "STREAM", "key": "mystream"},
)
judge_command("XINFO HELP", {"command": "XINFO", "help": "HELP"})
judge_command("XINFO consumers mystream mygroup GROUPS mystream", None)
judge_command("XINFO groups mystream mygroup", None)
def test_xinfo_with_full(judge_command):
judge_command(
"XINFO STREAM mystream FULL",
{
"command": "XINFO",
"stream": "STREAM",
"key": "mystream",
"full_const": "FULL",
},
)
judge_command(
"XINFO STREAM mystream FULL count 10",
{
"command": "XINFO",
"stream": "STREAM",
"key": "mystream",
"full_const": "FULL",
"count_const": "count",
"count": "10",
},
)
def test_xpending(judge_command):
judge_command(
"XPENDING mystream group55",
{"command": "XPENDING", "key": "mystream", "group": "group55"},
)
judge_command(
"XPENDING mystream group55 myconsumer",
{
"command": "XPENDING",
"key": "mystream",
"group": "group55",
"consumer": "myconsumer",
},
)
judge_command(
"XPENDING mystream group55 - + 10",
{
"command": "XPENDING",
"key": "mystream",
"group": "group55",
"stream_id": ["-", "+"],
"count": "10",
},
)
judge_command(
"XPENDING mystream group55 - + 10 myconsumer",
{
"command": "XPENDING",
"key": "mystream",
"group": "group55",
"stream_id": ["-", "+"],
"count": "10",
"consumer": "myconsumer",
},
)
judge_command("XPENDING mystream group55 - + ", None)
def test_xadd(judge_command):
judge_command(
"xadd mystream MAXLEN ~ 1000 * key value",
{
"command": "xadd",
"key": "mystream",
"maxlen": "MAXLEN",
"approximately": "~",
"count": "1000",
"sfield": "key",
"svalue": "value",
"stream_id": "*",
},
)
# test for MAXLEN option
judge_command(
"xadd mystream MAXLEN 1000 * key value",
{
"command": "xadd",
"key": "mystream",
"maxlen": "MAXLEN",
"count": "1000",
"sfield": "key",
"svalue": "value",
"stream_id": "*",
},
)
judge_command(
"xadd mystream * key value",
{
"command": "xadd",
"key": "mystream",
"sfield": "key",
"svalue": "value",
"stream_id": "*",
},
)
# spcify stream id
judge_command(
"xadd mystream 123-123 key value",
{
"command": "xadd",
"key": "mystream",
"sfield": "key",
"svalue": "value",
"stream_id": "123-123",
},
)
judge_command(
"xadd mystream 123-123 key value foo bar hello world",
{
"command": "xadd",
"key": "mystream",
"sfield": "hello",
"svalue": "world",
"stream_id": "123-123",
},
)
def test_xtrim(judge_command):
judge_command(
" XTRIM mystream MAXLEN 2",
{"command": "XTRIM", "key": "mystream", "maxlen": "MAXLEN", "count": "2"},
)
judge_command(
" XTRIM mystream MAXLEN ~ 2",
{
"command": "XTRIM",
"key": "mystream",
"maxlen": "MAXLEN",
"count": "2",
"approximately": "~",
},
)
judge_command(" XTRIM mystream", None)
def test_xdel(judge_command):
judge_command(
"XDEL mystream 1581165000000 1549611229000 1581060831000",
{"command": "XDEL", "key": "mystream", "stream_id": "1581060831000"},
)
judge_command(
"XDEL mystream 1581165000000",
{"command": "XDEL", "key": "mystream", "stream_id": "1581165000000"},
)
def test_xclaim(judge_command):
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "1526569498055-0",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 123 456 789",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "789",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 IDEL 300",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": ["3600000", "300"],
"stream_id": "1526569498055-0",
"idel": "IDEL",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 retrycount 7",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "1526569498055-0",
"retrycount": "retrycount",
"count": "7",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 TIME 123456789",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "1526569498055-0",
"time": "TIME",
"timestamp": "123456789",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 FORCE",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "1526569498055-0",
"force": "FORCE",
},
)
judge_command(
"XCLAIM mystream mygroup Alice 3600000 1526569498055-0 JUSTID",
{
"command": "XCLAIM",
"key": "mystream",
"group": "mygroup",
"consumer": "Alice",
"millisecond": "3600000",
"stream_id": "1526569498055-0",
"justid": "JUSTID",
},
)
def test_xread(judge_command):
judge_command(
"XREAD COUNT 2 STREAMS mystream writers 0-0 0-0",
{
"command": "XREAD",
"count_const": "COUNT",
"count": "2",
"streams": "STREAMS",
# FIXME current grammar can't support multiple tokens
# so the ids will be recongized to keys.
"keys": "mystream writers 0-0",
"stream_id": "0-0",
},
)
judge_command(
"XREAD COUNT 2 BLOCK 1000 STREAMS mystream writers 0-0 0-0",
{
"command": "XREAD",
"count_const": "COUNT",
"count": "2",
"streams": "STREAMS",
"keys": "mystream writers 0-0",
"block": "BLOCK",
"millisecond": "1000",
"stream_id": "0-0",
},
)
def test_xreadgroup(judge_command):
judge_command(
"XREADGROUP GROUP mygroup1 Bob COUNT 1 BLOCK 100 NOACK STREAMS key1 1 key2 2",
{
"command": "XREADGROUP",
"stream_group": "GROUP",
"group": "mygroup1",
"consumer": "Bob",
"count_const": "COUNT",
"count": "1",
"block": "BLOCK",
"millisecond": "100",
"noack": "NOACK",
"streams": "STREAMS",
"keys": "key1 1 key2",
"stream_id": "2",
},
)
judge_command(
"XREADGROUP GROUP mygroup1 Bob STREAMS key1 1 key2 2",
{
"command": "XREADGROUP",
"stream_group": "GROUP",
"group": "mygroup1",
"consumer": "Bob",
"streams": "STREAMS",
"keys": "key1 1 key2",
"stream_id": "2",
},
)
judge_command("XREADGROUP GROUP group consumer", None)
|
""":mod:`sider.warnings` --- Warning categories
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
This module defines several custom warning category classes.
"""
class SiderWarning(Warning):
"""All warning classes used by Sider extend this base class."""
class PerformanceWarning(SiderWarning, RuntimeWarning):
"""The category for warnings about performance worries. Operations
that warn this category would work but be inefficient.
"""
class TransactionWarning(SiderWarning, RuntimeWarning):
"""The category for warnings about transactions."""
|
MEDIA_SEARCH = """
query ($search: String, $type: MediaType, $exclude: MediaFormat, $isAdult: Boolean) {
Media(search: $search, type: $type, format_not: $exclude, isAdult: $isAdult) {
id
type
format
title {
english
romaji
native
}
synonyms
status
description
startDate {
year
month
day
}
endDate {
year
month
day
}
episodes
chapters
volumes
coverImage {
large
color
}
bannerImage
genres
averageScore
siteUrl
isAdult
nextAiringEpisode {
timeUntilAiring
episode
}
}
}
"""
MEDIA_BY_ID = """
query ($id: Int, $type: MediaType) {
Media(id: $id, type: $type) {
id
type
format
title {
english
romaji
native
}
synonyms
status
description
startDate {
year
month
day
}
endDate {
year
month
day
}
episodes
chapters
coverImage {
large
color
}
bannerImage
genres
averageScore
siteUrl
isAdult
nextAiringEpisode {
timeUntilAiring
episode
}
}
}
"""
MEDIA_PAGED = """
query (
$id: Int,
$page: Int,
$perPage: Int,
$search: String,
$type: MediaType,
$sort: [MediaSort] = [SEARCH_MATCH],
$exclude: MediaFormat,
$isAdult: Boolean
) {
Page(page: $page, perPage: $perPage) {
media(id: $id, search: $search, type: $type, sort: $sort, format_not: $exclude, isAdult: $isAdult) {
id
type
format
title {
english
romaji
native
}
synonyms
status
description
startDate {
year
month
day
}
endDate {
year
month
day
}
episodes
chapters
volumes
coverImage {
large
color
}
bannerImage
genres
averageScore
siteUrl
isAdult
popularity
}
}
}
"""
USER_SEARCH = """
query ($search: String) {
User(search: $search) {
id
name
html_about: about(asHtml: true)
about
avatar {
large
}
bannerImage
siteUrl
stats {
watchedTime
chaptersRead
}
}
}
"""
USER_BY_ID = """
query ($id: Int) {
User(id: $id) {
id
name
html_about: about(asHtml: true)
about
avatar {
large
}
bannerImage
siteUrl
stats {
watchedTime
chaptersRead
}
}
}
"""
|
def decode(word1,word2,code):
if len(word1)==1:
code+=word1+word2
return code
else:
code+=word1[0]+word2[0]
return decode(word1[1:],word2[1:],code)
Alice='Ti rga eoe esg o h ore"ermetsCmuainls'
Bob='hspormdcdsamsaefrtecus Hraina optcoae"'
print(decode(Alice,Bob,''))
|
# constants for configuration parameters of our tensorflow models
LABEL = "label"
IDS = "ids"
# LABEL_PAD_ID is used to pad multi-label training examples.
# It should be < 0 to avoid index out of bounds errors by tf.one_hot.
LABEL_PAD_ID = -1
HIDDEN_LAYERS_SIZES = "hidden_layers_sizes"
SHARE_HIDDEN_LAYERS = "share_hidden_layers"
TRANSFORMER_SIZE = "transformer_size"
NUM_TRANSFORMER_LAYERS = "number_of_transformer_layers"
NUM_HEADS = "number_of_attention_heads"
UNIDIRECTIONAL_ENCODER = "unidirectional_encoder"
KEY_RELATIVE_ATTENTION = "use_key_relative_attention"
VALUE_RELATIVE_ATTENTION = "use_value_relative_attention"
MAX_RELATIVE_POSITION = "max_relative_position"
BATCH_SIZES = "batch_size"
BATCH_STRATEGY = "batch_strategy"
EPOCHS = "epochs"
RANDOM_SEED = "random_seed"
LEARNING_RATE = "learning_rate"
DENSE_DIMENSION = "dense_dimension"
CONCAT_DIMENSION = "concat_dimension"
EMBEDDING_DIMENSION = "embedding_dimension"
ENCODING_DIMENSION = "encoding_dimension"
SIMILARITY_TYPE = "similarity_type"
LOSS_TYPE = "loss_type"
NUM_NEG = "number_of_negative_examples"
MAX_POS_SIM = "maximum_positive_similarity"
MAX_NEG_SIM = "maximum_negative_similarity"
USE_MAX_NEG_SIM = "use_maximum_negative_similarity"
SCALE_LOSS = "scale_loss"
REGULARIZATION_CONSTANT = "regularization_constant"
NEGATIVE_MARGIN_SCALE = "negative_margin_scale"
DROP_RATE = "drop_rate"
DROP_RATE_ATTENTION = "drop_rate_attention"
DROP_RATE_DIALOGUE = "drop_rate_dialogue"
DROP_RATE_LABEL = "drop_rate_label"
CONSTRAIN_SIMILARITIES = "constrain_similarities"
WEIGHT_SPARSITY = "weight_sparsity" # Deprecated and superseeded by CONNECTION_DENSITY
CONNECTION_DENSITY = "connection_density"
EVAL_NUM_EPOCHS = "evaluate_every_number_of_epochs"
EVAL_NUM_EXAMPLES = "evaluate_on_number_of_examples"
INTENT_CLASSIFICATION = "intent_classification"
ENTITY_RECOGNITION = "entity_recognition"
MASKED_LM = "use_masked_language_model"
SPARSE_INPUT_DROPOUT = "use_sparse_input_dropout"
DENSE_INPUT_DROPOUT = "use_dense_input_dropout"
RANKING_LENGTH = "ranking_length"
MODEL_CONFIDENCE = "model_confidence"
BILOU_FLAG = "BILOU_flag"
RETRIEVAL_INTENT = "retrieval_intent"
USE_TEXT_AS_LABEL = "use_text_as_label"
SOFTMAX = "softmax"
MARGIN = "margin"
AUTO = "auto"
INNER = "inner"
LINEAR_NORM = "linear_norm"
COSINE = "cosine"
CROSS_ENTROPY = "cross_entropy"
BALANCED = "balanced"
SEQUENCE = "sequence"
SEQUENCE_LENGTH = f"{SEQUENCE}_lengths"
SENTENCE = "sentence"
POOLING = "pooling"
MAX_POOLING = "max"
MEAN_POOLING = "mean"
TENSORBOARD_LOG_DIR = "tensorboard_log_directory"
TENSORBOARD_LOG_LEVEL = "tensorboard_log_level"
SEQUENCE_FEATURES = "sequence_features"
SENTENCE_FEATURES = "sentence_features"
FEATURIZERS = "featurizers"
CHECKPOINT_MODEL = "checkpoint_model"
MASK = "mask"
IGNORE_INTENTS_LIST = "ignore_intents_list"
TOLERANCE = "tolerance"
POSITIVE_SCORES_KEY = "positive_scores"
NEGATIVE_SCORES_KEY = "negative_scores"
RANKING_KEY = "label_ranking"
QUERY_INTENT_KEY = "query_intent"
SCORE_KEY = "score"
THRESHOLD_KEY = "threshold"
SEVERITY_KEY = "severity"
NAME = "name"
EPOCH_OVERRIDE = "epoch_override"
|
PROTO = {
'spaceone.monitoring.interface.grpc.v1.data_source': ['DataSource'],
'spaceone.monitoring.interface.grpc.v1.metric': ['Metric'],
'spaceone.monitoring.interface.grpc.v1.project_alert_config': ['ProjectAlertConfig'],
'spaceone.monitoring.interface.grpc.v1.escalation_policy': ['EscalationPolicy'],
'spaceone.monitoring.interface.grpc.v1.event_rule': ['EventRule'],
'spaceone.monitoring.interface.grpc.v1.webhook': ['Webhook'],
'spaceone.monitoring.interface.grpc.v1.maintenance_window': ['MaintenanceWindow'],
'spaceone.monitoring.interface.grpc.v1.alert': ['Alert'],
'spaceone.monitoring.interface.grpc.v1.note': ['Note'],
'spaceone.monitoring.interface.grpc.v1.event': ['Event'],
}
|
"""Ingredient dto.
"""
class Ingredient():
"""Class to represent an ingredient.
"""
def __init__(self, name, availability_per_month):
self.name = name
self.availability_per_month = availability_per_month
def __repr__(self):
return """{} is the name.""".format(self.name)
|
# -*- coding: utf-8 -*-
class Config(object):
def __init__(self):
self.init_scale = 0.1
self.learning_rate = 1.0
self.max_grad_norm = 5
self.num_layers = 2
self.slice_size = 30
self.hidden_size = 200
self.max_epoch = 13
self.keep_prob = 0.8
self.lr_const_epoch = 4
self.lr_decay = 0.7
self.batch_size = 30
self.vocab_size = 10000
self.rnn_model = "gru"
self.data_path = "./data/"
self.save_path = "../out/cudnn/gru/"
|
{
'targets': [
{
# have to specify 'liblib' here since gyp will remove the first one :\
'target_name': 'mysql_bindings',
'sources': [
'src/mysql_bindings.cc',
'src/mysql_bindings_connection.cc',
'src/mysql_bindings_result.cc',
'src/mysql_bindings_statement.cc',
],
'conditions': [
['OS=="win"', {
# no Windows support yet...
}, {
'libraries': [
'<!@(mysql_config --libs_r)'
],
}],
['OS=="mac"', {
# cflags on OS X are stupid and have to be defined like this
'xcode_settings': {
'OTHER_CFLAGS': [
'<!@(mysql_config --cflags)'
]
}
}, {
'cflags': [
'<!@(mysql_config --cflags)'
],
}]
]
}
]
}
|
# TODO turn prints into actual error raise, they are print for testing
def qSystemInitErrors(init):
def newFunction(obj, **kwargs):
init(obj, **kwargs)
if obj._genericQSys__dimension is None:
className = obj.__class__.__name__
print(className + ' requires a dimension')
elif obj.frequency is None:
className = obj.__class__.__name__
print(className + ' requires a frequency')
return newFunction
def qCouplingInitErrors(init):
def newFunction(obj, *args, **kwargs):
init(obj, *args, **kwargs)
if obj.couplingOperators is None: # pylint: disable=protected-access
className = obj.__class__.__name__
print(className + ' requires a coupling functions')
elif obj.coupledSystems is None: # pylint: disable=protected-access
className = obj.__class__.__name__
print(className + ' requires a coupling systems')
#for ind in range(len(obj._qCoupling__qSys)):
# if len(obj._qCoupling__cFncs) != len(obj._qCoupling__qSys):
# className = obj.__class__.__name__
# print(className + ' requires same number of systems as coupling functions')
return newFunction
def sweepInitError(init):
def newFunction(obj, **kwargs):
init(obj, **kwargs)
if obj.sweepList is None:
className = obj.__class__.__name__
print(className + ' requires either a list or relevant info, here are givens'
+ '\n' + # noqa: W503, W504
'sweepList: ', obj.sweepList, '\n' + # noqa: W504
'sweepMax: ', obj.sweepMax, '\n' + # noqa: W504
'sweepMin: ', obj.sweepMin, '\n' + # noqa: W504
'sweepPert: ', obj.sweepPert, '\n' + # noqa: W504
'logSweep: ', obj.logSweep)
return newFunction
|
""" some math tools """
class MathTools:
""" some math tools """
def add(a, b):
""" add two values """
return a + b
def sub(a, b):
""" subtract two values """
|
def insertion_sort(l):
for i in range(1, len(l)):
j = i - 1
key = l[i]
while (j >= 0) and (l[j] > key):
l[j + 1] = l[j]
j -= 1
l[j + 1] = key
m = int(input().strip())
ar = [int(i) for i in input().strip().split()]
insertion_sort(ar)
print(" ".join(map(str, ar)))
|
age = 24
print("My age is " + str(age) + " years ")
# the above procedure is tedious since we dont really want to include str for every number we encounter
#Method1 Replacement Fields
print("My age is {0} years ".format(age)) # {0} is the actual replacement field, number important for multiple replacement fields
print("There are {0} days in {1}, {2}, {3}, {4}, {5}, {6} and {7} ".format(31,"January","March","May","july","August","october","december"))
#each of the arguments of .format are matched to their respective replacement fields
print("""January:{2}
February:{0}
March:{2}
April:{1}
""".format(28,30,31))
#Method2 Formatting operator not recommended though style from python 2
print("My age is %d years" % age)
print("My age is %d %s, %d %s" % (age,"years",6,"months"))
#^ old format and it was elegant -__-
#
# for i in range(1,12):
# print("No, %2d squared is %4d and cubed is %4d" %(i,i**2,i**3)) # ** operator raises power %xd x allocates spaces
#
#
#
#
# #for comparison
# print()
# for i in range(1,12):
# print("No, %d squared is %d and cubed is %d" % (i,i**2,i**3))
#
#
# #adding more precision
#
# print("Pi is approximately %12.50f" % (22/7)) # 50 decimal precsion and 12 for spaces default is 6 spaces
#
#
#
#
#Replacement field syntax variant of above Python 2 tricks
for i in range(1,12):
print("No. {0:2} squared is {1:4} and cubed is {2:4}".format(i,i**2,i**3))
print()
#for left alignment
for i in range(1,12):
print("NO. {0:<2} squared is {1:<4} and cubed is {2:<4}".format(i,i**2,i**3))
#floating point precision
print("Pi is approximately {0:.50}".format(22/7))
#use of numbers in replacement fields is optional when the default order is implied
for i in range(1,12):
print("No. {:2} squared is {:4} and cubed is {:4}".format(i,i**2,i**3))
days = "Mon, Tue, Wed, Thu, Fri, Sat, Sun"
print(days[::5]) |
def Euler0001():
max = 1000
sum = 0
for i in range(1, max):
if i%3 == 0 or i%5 == 0:
sum += i
print(sum)
Euler0001() |
"""
0461. Hamming Distance
The Hamming distance between two integers is the number of positions at which the corresponding bits are different.
Given two integers x and y, calculate the Hamming distance.
Note:
0 ≤ x, y < 231.
Example:
Input: x = 1, y = 4
Output: 2
Explanation:
1 (0 0 0 1)
4 (0 1 0 0)
↑ ↑
The above arrows point to positions where the corresponding bits are different.
"""
class Solution:
def hammingDistance(self, x: int, y: int) :
z = x^y
res = 0
while z:
res += z&1
z = z>>1
return res
class Solution:
def hammingDistance(self, x: int, y: int) :
return bin(x^y).count('1') |
"""
Person class
"""
# Create a Person class with the following properties
# 1. name
# 2. age
# 3. social security number
class Person:
def __init__(self, name, age, social_number):
self.name = name
self.age = age
self.social = social_number
p1 = Person("John", 36, "111-11-1111")
print(p1.name)
print(p1.age)
print(p1.social)
|
"""
Module for higher level SharePoint REST api actions - utilize methods in the api.py module
"""
class Site():
def __init__(self, sp):
self.sp = sp
@property
def info(self):
endpoint = "_api/site"
value = self.sp.get(endpoint).json()
return value
@property
def web(self):
endpoint = "_api/web"
value = self.sp.get(endpoint).json()
return value
@property
def contextinfo(self):
return self.sp.contextinfo
@property
def contenttypes(self):
endpoint = "_api/web/contenttypes"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def eventreceivers(self):
endpoint = "_api/web/eventreceivers"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def features(self):
endpoint = "_api/web/features"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def fields(self):
endpoint = "_api/web/fields"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def lists(self):
endpoint = "_api/web/lists"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def siteusers(self):
endpoint = "_api/web/siteusers"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def groups(self):
endpoint = "_api/web/sitegroups"
value = self.sp.get(endpoint).json().get('value')
return value
@property
def roleassignments(self):
endpoint = "_api/web/roleassignments"
value = self.sp.get(endpoint).json().get('value')
return value
# def set_title_field_to_optional(self, list_title):
# """Sets the Title field in the given list to optional
# :param list_title: str: title of SharePoint list
# """
# # TODO - this likely is not necessary anymore, since we are not creating new lists
# field_rec = [x for x in self.get_field(list_title)
# if x['InternalName'] == "Title"][0]
# if field_rec and field_rec.get('Required'):
# body = {'Required': False}
# self.update_list_field(field_rec, list_title, body)
# def check_field_exists(self, list_title, field_title):
# """Check that a field exists to avoid error from attempting to access non-existent field
# :param list_title: str: title of SharePoint list
# :param field_title: str: title of field in SharePoint list
# :returns: bool
# """
# field_rec = self._get_first_or_none(
# "InternalName", field_title, list_data=self.get_list_fields(list_title))
# return field_rec is not None
# def update_list_field(self, field_rec, list_title, body):
# """Given a field record, a list title, and the json body to update with, updates the SharePoint list field
# :param field_rec: dict: field record from SharePoint field query
# :param list_title: str: title of SharePoint list
# :param body: dict: dictionary structured for SharePoint REST api fields endpoint
# """
# field_id = field_rec.get('Id')
# update_field_url = "_api/web/lists/GetByTitle('{0}')/fields('{1}')".format(
# list_title, field_id)
# response = self.sp.post(url=update_field_url, json=body)
# response.raise_for_status()
# def get_email_from_sharepoint_id(self, sharepoint_id: int):
# """Returns email address from a SharePoint integer user id value
# :param sp_user_id: int: SharePoint user id
# :returns: str
# """
# return self._get_first_or_none("Id", sharepoint_id, list_data=self.siteusers).get("Email")
# def get_sharepoint_id_from_email(self, email):
# """Returns SharePoint integer user ID from an email address
# :param username: str: email address
# :returns: int
# """
# return self._get_first_or_none("Email", email, list_data=self.siteusers).get("Id")
def _get_first_or_none(self, compare_column, compare_value, list_data=None, url=None):
if not list_data and not url:
return ValueError("either list_data or url must be provided")
if not list_data:
list_data = self.sp.get(url).json().get('value')
try:
return [x for x in list_data if x[compare_column] == compare_value][0]
except IndexError as e:
return None
# TODO Add large file upload with chunking
# https://github.com/JonathanHolvey/sharepy/issues/23
|
# coding: utf8
{
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" é uma expressão opcional como "field1=\'newvalue\'". Não é possível atualizar ou excluir os resultados de uma junção',
'# of International Staff': '# De equipe internacional',
'# of National Staff': '# De equipe nacional',
'# of Vehicles': '# De Veículos',
'%(msg)s\nIf the request type is "%(type)s", please enter the %(type)s on the next screen.': '%(msg)s\nSe o tipo de pedido é "%(type)s", digite a %(type)s na próxima tela.',
'%(system_name)s - Verify Email': '%(system_name)s - Verificar E-Mail',
'%.1f km': '%.1f km',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%m-%d-%Y': '%m-%d-%Y',
'%m-%d-%Y %H:%M:%S': '%m-%d-%Y %H:%M:%S',
'%s Create a new site or ensure that you have permissions for an existing site.': '%s Cria um novo site ou garante que você tenha permissões para um site existente.',
'%s rows deleted': '%s linhas excluídas',
'%s rows updated': '%s linhas atualizadas',
'& then click on the map below to adjust the Lat/Lon fields': 'Em seguida selecione o mapa abaixo para ajustar os campos Lat/Lon',
"'Cancel' will indicate an asset log entry did not occur": "'cancelar' irá indicar que a entrada de log de ativo não ocorreu",
'* Required Fields': '* campos obrigatórios',
'0-15 minutes': '0-15 minutos',
'1 Assessment': '1 Avaliação',
'1 location, shorter time, can contain multiple Tasks': '1 Local, menos tempo, pode conter várias Tarefas',
'1-3 days': '1 a 3 dias',
'15-30 minutes': '15 a 30 minutos',
'2 different options are provided here currently:': '2 opções diferentes são fornecidos aqui atualmente:',
'2x4 Car': 'Carro 2x4',
'30-60 minutes': '30-60 minutos',
'4-7 days': '4-7 Dias',
'4x4 Car': 'Carro 4x4',
'8-14 days': '8-14 Dias',
'A Marker assigned to an individual Location is set if there is a need to override the Marker assigned to the Feature Class.': 'Um marcador assinalado para um local individual é configurado se há a necessidade de substituir um marcador assinalado para o Recurso Classe.',
'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 Reference Document such as a file, URL or contact person to verify this data. You can type the 1st few characters of the document name to link to an existing document.': 'Um documento de referência como um arquivo, URL ou contacto pessoal para verificar esses dados. Pode inserir as primeiras letras do nome dum documento para chegar a esse documento.',
'A brief description of the group (optional)': 'Uma descrição breve do grupo (opcional)',
'A file downloaded from a GPS containing a series of geographic points in XML format.': 'Um ficheiro descarregado de um GPS contendo uma série de pontos geográficos em formato XML.',
'A file in GPX format taken from a GPS whose timestamps can be correlated with the timestamps on the photos to locate them on the map.': 'Um ficheiro em formato GPX retirado de um GPS cujas datas e horas podem ser correlacionadas com as de fotografias para localização num mapa.',
'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': 'Uma biblioteca de recursos digitais, como fotos, documentos e relatórios',
'A location group can be used to define the extent of an affected area, if it does not fall within one administrative region.': 'Um grupo local pode ser usado para definir a extensão de uma área afetada, se não cair dentro de uma região administrativa.',
'A location group is a set of locations (often, a set of administrative regions representing a combined area).': 'Um grupo de localização é um conjunto de locais (muitas vezes, um conjunto de regiões administrativas que representam uma área Combinada).',
'A location group is a set of locations (often, a set of administrative regions representing a combined area). Member locations are added to a location group here. 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. A location group can be used to define the extent of an affected area, if it does not fall within one administrative region. Location groups can be used in the Regions menu.': 'Um grupo de localização é um conjunto de locais (muitas vezes, um conjunto de regiões administrativas que representam uma área Combinada). Membros locais são adicionados em grupos locais aqui. Grupos locais podem ser utilizados para filtrar o que é mostrado no mapa e nos resultados da procura apenas as entidades locais abrangidas no grupo. Um grupo local pode ser usado para definir a extensão de uma área afetada, se não cair dentro de uma região administrativa. Grupos local pode ser utilizado no menu Regiões.',
'A location group must have at least one member.': 'Um grupo de localização deve ter, pelo menos, um membro.',
"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.": 'Um local que especifica a área geográfica dessa região. Este pode ser um local a partir da hierarquia local, ou um "grupo local", ou um local que tem um limite para a área.',
'A survey series with id %s does not exist. Please go back and create one.': 'Id% não foi encontrado na pesquisa. Por favor voltar e crie um.',
'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': 'SOBRE ESTE MÓDULO',
'ACCESS DATA': 'Dados de Acesso',
'ANY': 'Todos',
'API Key': 'API Key',
'API is documented here': 'API está documentado aqui',
'ATC-20 Rapid Evaluation modified for New Zealand': 'ATC-20 Rápida Avaliação modificado para a Nova Zelândia',
'Abbreviation': 'Abreviatura',
'Ability to Fill Out Surveys': 'Capacidade para preencher Inquéritos',
'Ability to customize the list of details tracked at a Shelter': 'Capacidade de Customizar a lista de detalhes rastreados em um Abrigo',
'Ability to customize the list of human resource tracked at a Shelter': 'Capacidade de Customizar a lista de recursos humanos Rastreados em um Abrigo',
'Ability to customize the list of important facilities needed at a Shelter': 'Capacidade de Customizar a lista das instalações importante necessária em um Abrigo',
'Ability to view Results of Completed and/or partially filled out Surveys': 'Capacidade para visualizar resultados de Concluída e/ou parcialmente preenchido Pesquisas',
'About': 'sobre',
'About Sahana': 'Sobre Sahana',
'Access denied': 'Acesso negado',
'Access to Shelter': 'Acesso a Abrigo',
'Access to education services': 'Acesso a serviços de educação',
'Accessibility of Affected Location': 'Acessibilidade do Local Afectado',
'Accompanying Relative': 'Accompanying Relative',
'Account Registered - Please Check Your Email': 'Conta registrada - verifique seu e-mail',
'Account registered, however registration is still pending approval - please wait until confirmation received.': 'Conta registrada, mas registro pende aprovação - por favor aguarde até confirmação ser recebida.',
'Acronym': 'Iniciais',
"Acronym of the organization's name, eg. IFRC.": 'Acrônimo do nome da organização, por exemplo, FICV.',
'Actionable by all targeted recipients': 'Acionáveis por todos os destinatários de destino',
'Actionable only by designated exercise participants; exercise identifier SHOULD appear in <note>': 'Acionáveis apenas pelos participantes exercício designado; Identificação do excercício deve aparecer em',
'Actioned?': 'Acionado?',
'Actions': 'Ações',
'Actions taken as a result of this request.': 'Ações tomadas como resultado desse pedido.',
'Activate Events from Scenario templates for allocation of appropriate Resources (Human, Assets & Facilities).': 'Ativar eventos dos templates de cenário para alocação adequada de recursos (humanos, ativos e equipamentos)',
'Active': 'ativo',
'Active Problems': 'Problemas ativos',
'Activities': 'atividades',
'Activities matching Assessments:': 'Atividades correspondentes a Avaliações:',
'Activities of boys 13-17yrs before disaster': 'Atividades de garotos 13-17 anos antes do desastre',
'Activities of boys 13-17yrs now': 'Atividades de garotos 13-17yrs agora',
'Activities of boys <12yrs before disaster': 'Atividades de garotos <12 anos antes do desastre',
'Activities of boys <12yrs now': 'Atividades de garotos <12 anos agora',
'Activities of children': 'Atividades de crianças',
'Activities of girls 13-17yrs before disaster': 'Atividades de meninas 13-17yrs antes de desastres',
'Activities of girls 13-17yrs now': 'Atividades de meninas 13-17yrs agora',
'Activities of girls <12yrs before disaster': 'Atividades de meninas <12yrs antes de desastres',
'Activities of girls <12yrs now': 'Agora atividades de meninas de menos de 12 anos',
'Activities:': 'Atividades:',
'Activity': 'atividade',
'Activity Added': 'Atividade Incluída',
'Activity Deleted': 'Atividade Apagada',
'Activity Details': 'Detalhes da Atividade',
'Activity Report': 'Relatório de atividades',
'Activity Reports': 'Relatório de Atividades',
'Activity Type': 'Tipo de atividade',
'Activity Updated': 'Atividade Atualizada',
'Activity added': 'Activity added',
'Activity removed': 'Activity removed',
'Activity updated': 'Activity updated',
'Add': 'incluir',
'Add Activity': 'Incluir Atividade',
'Add Activity Report': 'Incluir Relatório de atividade',
'Add Activity Type': 'Incluir tipo de atividade',
'Add Address': 'Incluir Endereço',
'Add Alternative Item': 'Adicionar item alternativo',
'Add Assessment': 'Incluir Avaliação',
'Add Assessment Summary': 'Incluir Avaliação De Resumo',
'Add Asset': 'Incluir ativo',
'Add Asset Log Entry - Change Label': 'Incluir recurso de entrada de entrada - trocar a Etiqueta',
'Add Availability': 'Incluir Disponibilidade',
'Add Baseline': 'Incluir Linha',
'Add Baseline Type': 'Incluir Linha De Tipo',
'Add Bed Type': 'Incluir Tipo De Cama',
'Add Brand': 'Incluir Marca',
'Add Budget': 'Incluir Orçamento',
'Add Bundle': 'Incluir Pacote Configurável',
'Add Camp': 'Incluir acampamento',
'Add Camp Service': 'Incluir acampamento de serviço',
'Add Camp Type': 'Incluir tipo de acampamento',
'Add Catalog': 'Incluir Catálogo',
'Add Catalog Item': 'Incluir Item de Catálogo',
'Add Certificate': 'Incluir certificado',
'Add Certification': 'Adicionar Certificação',
'Add Cholera Treatment Capability Information': 'Incluir Informação sobre capacidade para tratamento de cólera',
'Add Cluster': 'Incluir cluster',
'Add Cluster Subsector': 'Incluir Subsetor de Cluster',
'Add Competency': 'incluir competência',
'Add Competency Rating': 'Incluir Classificação da Competência',
'Add Contact': 'Incluir contato',
'Add Contact Information': 'Incluir informações de contato',
'Add Course': 'Incluir curso',
'Add Course Certificate': 'Incluir Certificado de Curso',
'Add Credential': 'Incluir referência',
'Add Credentials': 'Incluir Referências',
'Add Dead Body Report': 'Incluir Relatório de Cadáver',
'Add Disaster Victims': 'Incluir Vítimas de Desastre',
'Add Distribution.': 'Incluir distribuição.',
'Add Document': 'Add Document',
'Add Donor': 'Incluir doador',
'Add Facility': 'Incluir Recurso',
'Add Feature Class': 'Incluir classe de recurso',
'Add Feature Layer': 'Incluir camada de recurso',
'Add Flood Report': 'Incluir Relatório Enchente',
'Add GPS data': 'Add GPS data',
'Add Group': 'Incluir Grupo',
'Add Group Member': 'Incluir Membro do Grupo',
'Add Hospital': 'Incluir Hospital',
'Add Human Resource': 'Incluir Recurso Humano',
'Add Identification Report': 'Incluir Identificação Relatório',
'Add Identity': 'Incluir Identidade',
'Add Image': 'Incluir Imagem',
'Add Impact': 'Adicionar Impacto',
'Add Impact Type': 'Incluir Tipo De Impacto',
'Add Incident': 'Adicionar Incidente',
'Add Incident Report': 'Incluir relatório de incidente',
'Add Inventory Item': 'Inclúir item de inventário',
'Add Item': 'Incluir item',
'Add Item Category': 'Incluir categoria de item',
'Add Item Pack': 'Incluir pacote de itens',
'Add Item to Catalog': 'Incluir Item no Catálogo',
'Add Item to Commitment': 'Incluir Item no Compromisso',
'Add Item to Inventory': 'Incluir Item de Inventário',
'Add Item to Request': 'Incluir Item para pedido',
'Add Item to Shipment': 'Adicionar Item para Embarque',
'Add Job Role': 'Incluir tarefa Função',
'Add Key': 'Incluir Chave',
'Add Kit': 'Adicionar Kit',
'Add Layer': 'Incluir Camada',
'Add Level 1 Assessment': 'Incluir nível de Avaliação 1',
'Add Level 2 Assessment': 'Incluir nível de Avaliação 2',
'Add Location': 'Incluir Local',
'Add Log Entry': 'Adicionar Entrada de Log',
'Add Map Configuration': 'Incluir Mapa de configuração',
'Add Marker': 'Incluir Marcador',
'Add Member': 'Incluir membro',
'Add Membership': 'Incluir Associação',
'Add Message': 'Incluir Mensagem',
'Add Mission': 'Incluir Missão',
'Add Need': 'Incluir o necessário',
'Add Need Type': 'Adicionar o tipo Necessário',
'Add New': 'Incluir novo',
'Add New Activity': 'Incluir Nova Atividade',
'Add New Address': 'Incluir Novo Endereço',
'Add New Alternative Item': 'Incluir novo Item Alternativo',
'Add New Assessment': 'Adicionar Nova Avaliação',
'Add New Assessment Summary': 'Incluir novo Resumo de Avaliação',
'Add New Asset': 'Incluir Novo Ativo',
'Add New Baseline': 'Incluir nova linha de base',
'Add New Baseline Type': 'Incluir novo tipo de linha de base',
'Add New Brand': 'Adicionar Nova Marca',
'Add New Budget': 'Adicionar Novo Orçamento',
'Add New Bundle': 'Incluir Novo Pacote',
'Add New Camp': 'Incluir novo Campo',
'Add New Camp Service': 'Inlcuir Novo Campo de Serviço',
'Add New Camp Type': 'Incluir Novo Campo de Tipo',
'Add New Catalog': 'Incluir Novo Catálogo',
'Add New Catalog Item': 'Incluir novo Item de catálogo',
'Add New Cluster': 'Adicionar novo grupo',
'Add New Cluster Subsector': 'Adicionar novo subgrupo',
'Add New Commitment Item': 'Incluir novo item de compromisso',
'Add New Contact': 'Incluir novo contato',
'Add New Credential': 'Incluir nova credencial',
'Add New Document': 'Incluir Novo Documento',
'Add New Donor': 'Adicionar novo doador',
'Add New Entry': 'Incluir Nova Entrada',
'Add New Event': 'Adicionar novo evento',
'Add New Facility': 'Incluir novo Recurso',
'Add New Feature Class': 'Incluir nova classe do recurso',
'Add New Feature Layer': 'Adicionar nova camada de características',
'Add New Flood Report': 'Adicionar novo relatório de cheias',
'Add New Group': 'Adicionar novo grupo',
'Add New Home': 'Add New Home',
'Add New Hospital': 'Adicionar novo hospital',
'Add New Human Resource': 'Incluir novos recursos humanos',
'Add New Identity': 'Adicionar nova identidade',
'Add New Image': 'Adicionar nova imagem',
'Add New Impact': 'Adicionar novo impacto',
'Add New Impact Type': 'Incluir novo Tipo De Impacto',
'Add New Incident Report': 'Adicionar novo relatório de incidentes',
'Add New Inventory Item': 'Incluir novo Item De Inventário',
'Add New Item': 'Incluir novo item',
'Add New Item Category': 'Incluir nova categoria de itens',
'Add New Item Pack': 'Incluir novo pacote de itens',
'Add New Item to Kit': 'Incluir novo Item de Kit',
'Add New Key': 'Adicionar Nova Chave',
'Add New Kit': 'Incluir novo Kit',
'Add New Layer': 'Adicionar Nova Camada',
'Add New Level 1 Assessment': 'Incluir novo nível 1 avaliação',
'Add New Level 2 Assessment': 'Incluir novo nível 2 avaliação',
'Add New Location': 'Incluir Novo Local',
'Add New Log Entry': 'Incluir nova entrada de Log',
'Add New Map Configuration': 'Incluir Novo Mapa de Configuração',
'Add New Marker': 'Incluir novo Marcador',
'Add New Member': 'Incluir Novo Membro',
'Add New Membership': 'Incluir novo membro',
'Add New Need': 'Adicionar novas necessidades',
'Add New Need Type': 'Incluir novo Tipo Necessário',
'Add New Note': 'Adicionar NOVA NOTA',
'Add New Office': 'Adicionar novo escritório',
'Add New Organization': 'Incluir nova Organização',
'Add New Patient': 'Add New Patient',
'Add New Person to Commitment': 'Add New Person to Commitment',
'Add New Photo': 'Adicionar Nova Foto',
'Add New Population Statistic': 'Incluir nova População De Estatística',
'Add New Problem': 'Incluir novo Problema',
'Add New Project': 'Incluir novo projeto',
'Add New Projection': 'Adicionar Nova Projecção',
'Add New Rapid Assessment': 'Incluir nova Avaliação Rápida',
'Add New Received Item': 'Incluir novo Item Recebido',
'Add New Record': 'Incluir Novo Registro',
'Add New Relative': 'Add New Relative',
'Add New Report': 'Incluir Novo Relatório',
'Add New Request': 'Incluir novo pedido',
'Add New Request Item': 'Incluir novo Item de Pedido',
'Add New Resource': 'Incluir Novo Recurso',
'Add New River': 'Incluir novo Rio',
'Add New Role': 'INCLUIR NOVA FUNÇÃO',
'Add New Role to User': 'Incluir nova função para o usuário',
'Add New Room': 'Adicionar nova sala',
'Add New Scenario': 'Adicionar Novo cenário',
'Add New Sector': 'Incluir novo Sector',
'Add New Sent Item': 'Incluir novo Item Enviado',
'Add New Setting': 'Adicionar Nova Configuração',
'Add New Shelter': 'Incluir Novo Abrigo',
'Add New Shelter Service': 'Incluir Novo Serviço de Abrigo',
'Add New Shelter Type': 'Incluir Novo Tipo de Abrigo',
'Add New Skill': 'Adicionar nova habilidade',
'Add New Solution': 'Adicionar nova solução',
'Add New Staff': 'Adicionar Nova Equipe',
'Add New Staff Member': 'Incluir novo equipe do membro',
'Add New Staff Type': 'Incluir novo tipo de equipe.',
'Add New Subsector': 'Incluir novo Subsector',
'Add New Survey Answer': 'Incluir nova resposta na pesquisa.',
'Add New Survey Question': 'Incluir nova pergunta na pesquisa.',
'Add New Survey Section': 'Incluir nova seção na pesquisa.',
'Add New Survey Series': 'Incluir nova série na pesquisa.',
'Add New Survey Template': 'Incluir novo Modelo De Pesquisa',
'Add New Task': 'Incluir Nova Tarefa',
'Add New Team': 'Adicionar nova equipe',
'Add New Theme': 'Incluir novo tema',
'Add New Ticket': 'Incluir nova permissão',
'Add New Track': 'Adicionar Nova Pista',
'Add New User': 'Incluir Novo Usuário',
'Add New User to Role': 'Adicionar Novo usuário para Função',
'Add New Vehicle': 'Add New Vehicle',
'Add New Volunteer': 'Incluir novo Voluntário',
'Add New Warehouse': 'Adicionar novo armazém',
'Add Note': 'Incluir nota',
'Add Office': 'Adicionar Office',
'Add Organization': 'Incluir Organização',
'Add Peer': 'Incluír Par',
'Add Person': 'incluir pessoa',
'Add Person to Commitment': 'Add Person to Commitment',
'Add Personal Effects': 'Incluir efeitos pessoais',
'Add Photo': 'Incluir Foto',
'Add Population Statistic': 'Incluir População Estatística',
'Add Position': 'Adicionar Posição',
'Add Problem': 'Adicionar Problema',
'Add Project': 'Adicionar Projeto',
'Add Projection': 'Adicionar Projeção',
'Add Question': 'Adicionar Pergunta',
'Add Rapid Assessment': 'Adicionar Avaliação Rápida',
'Add Record': 'Incluir Registro',
'Add Reference Document': 'Incluir documento de referência',
'Add Report': 'Incluir Relatório',
'Add Request': 'Incluir Pedido',
'Add Resource': 'Incluir Recurso',
'Add River': 'Incluir Rio',
'Add Role': 'Incluir Função',
'Add Room': 'Incluir Sala',
'Add Section': 'Incluir Secção',
'Add Sector': 'Incluir Sector',
'Add Service Profile': 'Incluir Perfil de Serviço',
'Add Setting': 'Adicionar Definição',
'Add Shelter': 'Incluir Abrigo',
'Add Shelter Service': 'Incluir Serviço de Abrigo',
'Add Shelter Type': 'Incluir Tipo de Abrigo',
'Add Skill': 'Incluir Habilidade',
'Add Skill Equivalence': 'Incluir equivalência de habilidades',
'Add Skill Provision': 'Incluir provisão de habilidades',
'Add Skill Type': 'Incluir Tipo de Habilidade',
'Add Skill to Request': 'Add Skill to Request',
'Add Solution': 'Incluir Solução',
'Add Staff': 'Incluir equipe',
'Add Staff Member': 'Adicionar membro da equipe',
'Add Staff Type': 'Incluir tipo de equipe',
'Add Status': 'Incluir Status',
'Add Subscription': 'Incluir Assinatura',
'Add Subsector': 'Incluir Subsetor',
'Add Survey Answer': 'Incluir resposta de pesquisa',
'Add Survey Question': 'Adicionar pergunta da pesquisa',
'Add Survey Section': 'Incluir seção da pesquisa',
'Add Survey Series': 'Incluir série da pesquisa',
'Add Survey Template': 'Incluir Modelo De Pesquisa',
'Add Task': 'Incluir Tarefa',
'Add Team': 'Incluir equipe',
'Add Theme': 'Incluir Tema',
'Add Ticket': 'Adicionar Bilhete',
'Add Training': 'Incluir Treinamento',
'Add Unit': 'Incluir Unidade',
'Add User': 'Incluir Usuário',
'Add Vehicle': 'Add Vehicle',
'Add Vehicle Detail': 'Add Vehicle Detail',
'Add Vehicle Details': 'Add Vehicle Details',
'Add Volunteer': 'Incluir Voluntário',
'Add Volunteer Availability': 'Incluir disponibilidade do voluntário',
'Add Warehouse': 'Adicionar Data Warehouse',
'Add a Person': 'Incluir uma pessoa',
'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.': 'Adicionar um documento de referência como um arquivo, URL ou contacto pessoal para verificar esses dados. Se você não inserir um documento de referência, seu e-mail será exibido no lugar.',
'Add a Volunteer': 'Incluir um Voluntário',
'Add a new certificate to the catalog.': 'Incluir um novo certificado no catálogo.',
'Add a new competency rating to the catalog.': 'Adicionar uma classificação nova competência para o catálogo.',
'Add a new course to the catalog.': 'Adicionar um novo rumo para o catálogo.',
'Add a new job role to the catalog.': 'Incluir uma função nova tarefa para o catálogo.',
'Add a new skill provision to the catalog.': 'Incluir uma disposição nova habilidade para o catálogo.',
'Add a new skill to the catalog.': 'Incluir uma nova habilidade para o catálogo.',
'Add a new skill type to the catalog.': 'Incluir um tipo novo de hailidade para o catálogo.',
'Add new Group': 'Adicionar novo grupo',
'Add new Individual': 'Incluir novo indivíduo',
'Add new Patient': 'Add new Patient',
'Add new project.': 'Adicionar novo projeto.',
'Add new staff role.': 'Incluir função de novos funcionários.',
'Add staff members': 'Incluir membros da equipe',
'Add to Bundle': 'Incluir no Pacote Configurável',
'Add to budget': 'Incluir no orçamento',
'Add volunteers': 'Incluir voluntários',
'Add/Edit/Remove Layers': 'Incluir/editar/remover camadas',
'Additional Beds / 24hrs': 'Camas adicionais / 24 horas',
'Address': 'endereços',
'Address Details': 'Detalhes do Endereço',
'Address Type': 'Tipo de Endereço',
'Address added': 'Endereço incluído',
'Address deleted': 'Endereço excluído',
'Address updated': 'Endereço actualizado',
'Addresses': 'Endereços',
'Adequate': 'adequar',
'Adequate food and water available': 'Comida e água adequado disponível',
'Admin Email': 'email do administrador',
'Admin Name': 'nome do administrador',
'Admin Tel': 'Telefone do administrador',
'Administration': 'administração',
'Admissions/24hrs': 'admissões/24 horas',
'Adolescent (12-20)': 'adolescente (12-20)',
'Adolescent participating in coping activities': 'Adolescente participando em actividades de superação',
'Adult (21-50)': 'Adulto (21-50)',
'Adult ICU': 'UTI para adultos',
'Adult Psychiatric': 'Psiquiátrico para adultos',
'Adult female': 'Mulher adulta',
'Adult male': 'Homem adulto',
'Adults in prisons': 'Adultos em prisões',
'Advanced:': 'Avançado:',
'Advisory': 'Aconselhamento',
'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.': 'Depois de pressionar o botão será mostrado um conjunto de dois elementos, um de cada vez. Por favor selecione a uma solução de cada par de sua preferência sobre o outro.',
'Age Group': 'Grupo etário',
'Age group': 'Grupo etário',
'Age group does not match actual age.': 'Grupo etário não corresponde à idade real.',
'Aggravating factors': 'Fatores agravantes',
'Agriculture': 'Agricultura',
'Air Transport Service': 'Serviço de Transporte Aéreo',
'Air tajin': 'Tajin AR',
'Aircraft Crash': 'Despenho de Avião',
'Aircraft Hijacking': 'Sequestro de Avião',
'Airport Closure': 'Encerramento de Aeroporto',
'Airspace Closure': 'Encerramento de Espaço Aéreo',
'Alcohol': 'álcool',
'Alert': 'Alertar',
'All': 'Tudo',
'All Inbound & Outbound Messages are stored here': 'Todas as mensagens enviadas e recebidas são armazenados aqui',
'All Resources': 'Todos os recursos',
'All data provided by the Sahana Software Foundation from this site is licenced under a Creative Commons Attribution licence. However, not all data originates here. Please consult the source field of each entry.': 'Todos os dados fornecidos pelos Sahana Software Foundation a partir deste site é licenciado sob uma Licença Atribuição Comuns criativos. No entanto, nem todos os dados se origina aqui. Por favor consulte o campo de origem de cada entrada.',
'Allowed to push': 'Permissão para pressionar',
'Allows a Budget to be drawn up': 'Permite que um orçamento seja estabelecido',
'Allows authorized users to control which layers are available to the situation map.': 'Permite usuários autorizados a controlar quais camadas estão disponíveis no mapa de situação.',
'Alternative Item': 'Item Alternativo',
'Alternative Item Details': 'Detalhes do Item alternativo',
'Alternative Item added': 'Item alternativo incluído',
'Alternative Item deleted': 'Item alternativo excluído',
'Alternative Item updated': 'Item Alternativo atualizado',
'Alternative Items': 'Itens alternativos',
'Alternative places for studying': 'Locais alternativos para estudo',
'Ambulance Service': 'Serviço de Ambulância',
'An asset must be assigned to a person, site OR location.': 'Um ATIVO deve ser designado a uma pessoa, local ou site.',
'An intake system, a warehouse management system, commodity tracking, supply chain management, procurement and other asset and resource management capabilities.': 'Um sistema de admissão, um sistema de gestão de depósitos, tracking and commodity, gestão da cadeia de fornecimentos, aquisições de ativos e outros e os recursos de gerenciamento de recurso.',
'An item which can be used in place of another item': 'Um item que pode ser utilizado no lugar de outro item',
'Analysis of Completed Surveys': 'Análise das Pesquisas Concluídas',
'Analysis of assessments': 'Analysis of assessments',
'Animal Die Off': 'Morte Animal',
'Animal Feed': 'Alimentação Animal',
'Answer Choices (One Per Line)': 'Resposta opções (Um por linha)',
'Anthropolgy': 'Anthropolgy',
'Antibiotics available': 'Antibióticos disponíveis',
'Antibiotics needed per 24h': 'Antibióticos necessário por H',
'Apparent Age': 'Idade aparente',
'Apparent Gender': 'Género aparente',
'Application Deadline': 'Prazo Final da aplicação',
'Applications': 'Requisições',
'Approve': 'Aprovar',
'Approved': 'aprovado',
'Approver': 'Aprovador',
'Arabic': 'Arabic',
'Arctic Outflow': 'Árctico Exfluxo',
'Area': 'Área',
'Areas inspected': 'Inspeccionados áreas',
'As of yet, no sections have been added to this template.': 'As of yet, no sections have been added to this template.',
'Assessment': 'Avaliação',
'Assessment Details': 'Detalhes da Avaliação',
'Assessment Reported': 'Avaliação Relatada',
'Assessment Summaries': 'Sumário de Avaliações',
'Assessment Summary Details': 'Detalhes do sumário de avaliação',
'Assessment Summary added': 'Anexado sumário de avaliações',
'Assessment Summary deleted': 'Avaliação de resumo apagado',
'Assessment Summary updated': 'Sumário de avaliação atualizado',
'Assessment added': 'Avaliação incluída',
'Assessment admin level': 'Avaliação de nível administrativo',
'Assessment deleted': 'Avaliação excluída',
'Assessment timeline': 'sequência temporal de avaliação',
'Assessment updated': 'Avaliação atualizada',
'Assessments': 'avaliações',
'Assessments Needs vs. Activities': 'Necessidades de Avaliações vs. Atividades',
'Assessments and Activities': 'Avaliações e Atividades',
'Assessments:': 'Avaliações',
'Assessor': 'Avaliador',
'Asset': 'Recurso',
'Asset Assigned': 'Ativo Designado',
'Asset Assignment Details': 'Detalhes da Designação de Recursos',
'Asset Assignment deleted': 'Designação De ativo excluído',
'Asset Assignment updated': 'Atribuição de Ativo atualizada',
'Asset Assignments': 'Designações de Ativo',
'Asset Details': 'Detalhes do Ativo',
'Asset Log': 'Log de ATIVOS',
'Asset Log Details': 'Detalhes do Log de ativos',
'Asset Log Empty': 'Log de Ativos vazio',
'Asset Log Entry Added - Change Label': 'Adicionada uma entrada no Log de ativos -Alterar Etiqueta',
'Asset Log Entry deleted': 'Apagada uma entrada no Log de ativos',
'Asset Log Entry updated': 'Atualizada uma entrada no Log de Ativos',
'Asset Management': 'gerenciamento de recursos',
'Asset Number': 'número do recurso',
'Asset added': 'Ativo Incluído',
'Asset deleted': 'ativo excluído',
'Asset removed': 'Ativo Removido',
'Asset updated': 'recurso atualizado',
'Assets': 'recursos',
'Assets are resources which are not consumable but are expected back, so they need tracking.': 'Os ativos são recursos que não são consumíveis e serão devolvidos, portanto precisam de rastreamento.',
'Assign': 'Designar',
'Assign Asset': 'designar recurso',
'Assign Group': 'Designar Grupo',
'Assign Staff': 'Atribuir Equipe',
'Assign to Org.': 'Designar para Org.',
'Assign to Organisation': 'Atribuir para Organização',
'Assign to Organization': 'Atribuir para Organização',
'Assign to Person': 'Atribuir uma Pessoa',
'Assign to Site': 'Atribuir um Site',
'Assigned': 'Designado',
'Assigned By': 'Designado por',
'Assigned To': 'Designado Para',
'Assigned to': 'Designado para',
'Assigned to Organisation': 'Designado para Organização',
'Assigned to Person': 'Designado para a Pessoa',
'Assigned to Site': 'Designado para o Site',
'Assignments': 'Designações',
'At/Visited Location (not virtual)': 'Em/Visitou Local (não virtual)',
'Attend to information sources as described in <instruction>': 'Participar de fontes de informação, conforme descrito em<instruction>',
'Attribution': 'Atribuição',
"Authenticate system's Twitter account": 'Sistema de Autenticação para conta de Twitter',
'Author': 'autor',
'Availability': 'Disponibilidade',
'Available Alternative Inventories': 'Alternativas de Inventário disponíveis',
'Available Alternative Inventory Items': 'Itens alternativos de Inventário disponíveis',
'Available Beds': 'camas disponíveis',
'Available Forms': 'Available Forms',
'Available Inventories': 'Inventários disponíveis',
'Available Inventory Items': 'Itens de inventário disponíveis',
'Available Messages': 'Mensagens disponíveis',
'Available Records': 'Registros disponíveis',
'Available databases and tables': 'Banco de Dados e Tabelas disponíveis',
'Available for Location': 'Disponível para locação',
'Available from': 'disponível de',
'Available in Viewer?': 'Disponível no visualizador?',
'Available until': 'Disponível até',
'Avalanche': 'Avalanche',
'Avoid the subject event as per the <instruction>': 'Evitar o assunto do evento de acordo com a',
'Background Color': 'Background Color',
'Background Color': 'Cor de Plano de Fundo',
'Background Color for Text blocks': 'Cor de segundo plano para blocos de texto',
'Bahai': 'Bahai',
'Baldness': 'Calvície',
'Banana': 'Banana',
'Bank/micro finance': 'banco/micro finanças',
'Barricades are needed': 'Barricadas são necessárias',
'Base Layer?': 'Camada De Base?',
'Base Location': 'Local da Base',
'Base Site Set': 'Conjunto de Site básico',
'Baseline Data': 'Dados básicos',
'Baseline Number of Beds': 'Numero de camadas base de camas',
'Baseline Type': 'Tipo de Linha Base',
'Baseline Type Details': 'Detalhes de Tipo de Linha Base',
'Baseline Type added': 'Tipo de Linha Base adicionado',
'Baseline Type deleted': 'Tipo de Linha Base removido',
'Baseline Type updated': 'Tipo de Linha Base actualizado',
'Baseline Types': 'Tipos de Linha Base',
'Baseline added': 'Camada Base incluída',
'Baseline deleted': 'Camada Base Excluída',
'Baseline number of beds of that type in this unit.': 'Numero de camadas base de camas desse tipo nesta unidade.',
'Baseline updated': 'Linha Base actulizada',
'Baselines': 'Camadas Base',
'Baselines Details': 'Detalhes de Camadas Base',
'Basic Assessment': 'Avaliação Básica',
'Basic Assessment Reported': 'Avaliação Básica Relatada',
'Basic Details': 'Detalhes Básicos',
'Basic reports on the Shelter and drill-down by region': 'Relatórios básicos sobre o Abrigo e abertura por região',
'Baud': 'Transmissão',
'Baud rate to use for your modem - The default is safe for most cases': 'Taxa de transmissão para ser usada pelo seu modem - O padrão é seguro para a maioria dos casos',
'Beam': 'feixe',
'Bed Capacity': 'Capacidade de leitos',
'Bed Capacity per Unit': 'Capacidade cama por Unidade',
'Bed Type': 'Tipo de cama',
'Bed type already registered': 'Tipo de cama já registrado',
'Below ground level': 'Abaixo do nível do solo',
'Beneficiary Type': 'Tipo de beneficiário',
"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': 'Risco Biológico',
'Biscuits': 'Biscoitos',
'Blizzard': 'Nevasca',
'Blood Type (AB0)': 'Tipo sanguíneo (AB0)',
'Blowing Snow': 'Soprando neve',
'Boat': 'Barco',
'Bodies': 'Bodies',
'Bodies found': 'Corpos encontrados',
'Bodies recovered': 'corpos recuperados',
'Body': 'corpo',
'Body Recovery': 'Body Recovery',
'Body Recovery Request': 'Pedido de recuperação de corpos',
'Body Recovery Requests': 'Pedidos de recuperação de corpos',
'Bomb': 'Bomba',
'Bomb Explosion': 'Explosão de bomba',
'Bomb Threat': 'Ameaça de bomba',
'Border Color for Text blocks': 'Cor da borda para blocos de texto',
'Bounding Box Insets': 'Delimitadora Inserções Caixa',
'Bounding Box Size': 'CAIXA delimitadora Tamanho',
'Brand': 'Marca',
'Brand Details': 'Detalhes da Marca',
'Brand added': 'Marca incluída',
'Brand deleted': 'Marca excluída',
'Brand updated': 'marca atualizada',
'Brands': 'marcas',
'Bricks': 'Tijolos',
'Bridge Closed': 'PONTE FECHADA',
'Bucket': 'Balde',
'Buddhist': 'Budista',
'Budget': 'Orçamento',
'Budget Details': 'Detalhes de Orçamento',
'Budget Updated': 'Orçamento Atualizado',
'Budget added': 'Orçamento incluído',
'Budget deleted': 'Orçamento excluído',
'Budget updated': 'Orçamento atualizado',
'Budgeting Module': 'Módulo de Orçamento',
'Budgets': 'Orçamentos',
'Buffer': 'buffer',
'Bug': 'erro',
'Building Assessments': 'Avaliações de construção',
'Building Collapsed': 'Construção Fechada',
'Building Name': 'Nome do edifício',
'Building Safety Assessments': 'Regras de Segurança do Edifício',
'Building Short Name/Business Name': 'Nome curto/Nome completo do Edifício',
'Building or storey leaning': 'Edifício ou andar em inclinação',
'Built using the Template agreed by a group of NGOs working together as the': 'Construído de acordo com o formulário acordado por um grupo de ONGs',
'Bulk Uploader': 'Carregador em massa',
'Bundle': 'Pacote',
'Bundle Contents': 'Conteúdo do Pacote',
'Bundle Details': 'Detalhes do Pacote',
'Bundle Updated': 'Pacote configurável ATUALIZADO',
'Bundle added': 'Pacote incluído',
'Bundle deleted': 'Pacote Excluído',
'Bundle updated': 'Pacote atualizado',
'Bundles': 'Pacotes',
'Burn': 'Gravar',
'Burn ICU': 'Queimar ICU',
'Burned/charred': 'Queimados/carbonizados',
'By Facility': 'Por Facilidade',
'By Inventory': 'Por Inventário',
'By Person': 'Por pessoa',
'By Site': 'Por Site',
'CBA Women': 'CBA Mulheres',
'CLOSED': 'CLOSED',
'CN': 'CN',
'CSS file %s not writable - unable to apply theme!': 'Arquivo CSS %s não é gravável - Impossível aplicar o tema!',
'Calculate': 'calcular',
'Camp': 'Acampamento',
'Camp Coordination/Management': 'Campo Coordenação/gestão',
'Camp Details': 'Detalhes do Alojamento',
'Camp Service': 'Serviço de Alojamento',
'Camp Service Details': 'Detalhe do Serviço de Campo',
'Camp Service added': 'Serviço de Alojamento incluído',
'Camp Service deleted': 'Serviço de Alojamento excluído',
'Camp Service updated': 'Serviço de campo atualizado',
'Camp Services': 'Serviço de campo',
'Camp Type': 'Tipo de Campo',
'Camp Type Details': 'Detalhes do tipo de campo',
'Camp Type added': 'Tipo de Campo incluso.',
'Camp Type deleted': 'Tipo de campo excluído.',
'Camp Type updated': 'Tipo De acampamento atualizado',
'Camp Types': 'TIPOS DE acampamento',
'Camp Types and Services': 'Tipos e serviços de acampamentos',
'Camp added': 'Alojamento incluído',
'Camp deleted': 'Alojamento excluído',
'Camp updated': 'Acampamento atualizado',
'Camps': 'Alojamentos',
'Can only disable 1 record at a time!': 'Pode desativar apenas 1 registro por vez!',
'Can only enable 1 record at a time!': 'Can only enable 1 record at a time!',
"Can't import tweepy": 'Não pode importar tweepy',
'Cancel': 'Cancelar',
'Cancel Log Entry': 'Cancelar Registro De Entrada',
'Cancel Shipment': 'Cancelar Embarque',
'Canceled': 'cancelado',
'Candidate Matches for Body %s': 'Candidato Corresponde ao Corpo %s',
'Canned Fish': 'Conservas de Peixe',
'Cannot be empty': 'Não pode ser vazio',
'Cannot disable your own account!': 'Voce não pode desativar sua própria conta!',
'Capacity (Max Persons)': 'Capacidade (Máximo De pessoas)',
'Capture Information on Disaster Victim groups (Tourists, Passengers, Families, etc.)': 'CAPTURA informações sobre grupos Desastre Vítima (Turistas, passageiros, Famílias, etc. ).',
'Capture Information on each disaster victim': 'Informações de captura em cada vítima Desastre',
'Capturing organizational information of a relief organization and all the projects they have in the region': 'Capturando informações organizacionais de uma organização de ajuda e todos os projetos têm na região',
'Capturing the projects each organization is providing and where': 'Capturando os projetos que cada organização está fornecendo e onde',
'Cardiology': 'Cardiologia',
'Cassava': 'Mandioca',
'Casual Labor': 'Trabalho Casual',
'Casualties': 'Acidentes',
'Catalog': 'catálogo',
'Catalog Details': 'Detalhes do Catálogo',
'Catalog Item': 'Item do catálogo de',
'Catalog Item added': 'Item incluído no catálogo',
'Catalog Item deleted': 'Catálogo de Item excluído',
'Catalog Item updated': 'Item do catálogo de atualização',
'Catalog Items': 'Itens do Catálogo',
'Catalog added': 'Catálogo Incluído',
'Catalog deleted': 'Catálogo excluído',
'Catalog updated': 'Catálogo Atualizado',
'Catalogs': 'Catálogos',
'Categories': 'Categorias',
'Category': 'category',
"Caution: doesn't respect the framework rules!": 'Cuidado: não respeitar as regras de enquadramento!',
'Ceilings, light fixtures': 'Tetos, luminarias',
'Cell Phone': 'Cell Phone',
'Central point to record details on People': 'Ponto Central para registrar detalhes sobre pessoas',
'Certificate': 'Certificate',
'Certificate Catalog': 'Catálogo de Certificados',
'Certificate Details': 'Detalhes do Certificado',
'Certificate Status': 'Status do Certificado',
'Certificate added': 'Certificado incluído',
'Certificate deleted': 'Certificado Removido',
'Certificate updated': 'Certificado Actualizado',
'Certificates': 'Certificados',
'Certification': 'Certificação',
'Certification Details': 'Detalhes da Certificação',
'Certification added': 'Certificação incluída',
'Certification deleted': 'Certificação excluída',
'Certification updated': 'Certificação atualizada',
'Certifications': 'Certificações',
'Certifying Organization': 'Certificação da Organização',
'Change Password': 'Alterar Senha',
'Check': 'Verifique',
'Check Request': 'Verificar Pedido',
'Check for errors in the URL, maybe the address was mistyped.': 'Verifique se há erros na URL, talvez o endereço foi digitado incorretamente.',
'Check if the URL is pointing to a directory instead of a webpage.': 'Verifique se a URL está apontando para um diretório em vez de uma página da Web.',
'Check outbox for the message status': 'Outbox para verificar o status da mensagem',
'Check to delete': 'Verificar para Excluir',
'Check-in': 'Registrar Entrada',
'Check-in at Facility': 'Check-in at Facility',
'Check-out': 'Registrar Saída',
'Checked': 'verificado',
'Checklist': 'lista de verificação',
'Checklist created': 'Lista de verificação criada',
'Checklist deleted': 'Lista de verificação excluída',
'Checklist of Operations': 'Lista de Verificação das Operações',
'Checklist updated': 'Lista de verificação atualizado',
'Chemical Hazard': 'Risco Químico',
'Chemical, Biological, Radiological, Nuclear or High-Yield Explosive threat or attack': 'Ameaça ou ataque Químico, Biológico, Radiológico, Nuclear ou de alto concentração Explosiva',
'Chicken': 'Frango',
'Child': 'Criança',
'Child (2-11)': 'Criança (2-11)',
'Child (< 18 yrs)': 'Criança (< 18 anos)',
'Child Abduction Emergency': 'Emergência de Rapto De Criança',
'Child headed households (<18 yrs)': 'Famílias chefiadas por Filho (<18 anos)',
'Children (2-5 years)': 'Crianças (2 a 5 anos)',
'Children (5-15 years)': 'Crianças (5 a 15 anos)',
'Children (< 2 years)': 'Crianças (< 2 anos)',
'Children in adult prisons': 'Crianças nas prisões para adultos',
'Children in boarding schools': 'Crianças em internatos',
'Children in homes for disabled children': 'Crianças em lares para crianças deficientes',
'Children in juvenile detention': 'Crianças em detenção juvenil',
'Children in orphanages': 'Crianças nos orfanatos',
'Children living on their own (without adults)': 'Crianças vivendo por conta própria (sem adultos)',
'Children not enrolled in new school': 'Crianças não matriculadas em Nova Escola',
'Children orphaned by the disaster': 'Crianças órfãs pela catástrofe',
'Children separated from their parents/caregivers': 'Crianças SEPARADAS de seus pais/responsáveis',
'Children that have been sent to safe places': 'Crianças que foram enviadas para locais seguros',
'Children who have disappeared since the disaster': 'Crianças que desapareceram desde o desastre',
'Chinese (Simplified)': 'Chinese (Simplified)',
'Chinese (Taiwan)': 'Chinês (Taiwan)',
'Cholera Treatment': 'Tratamento da cólera',
'Cholera Treatment Capability': 'Capacidade de Tratamento da Cólera',
'Cholera Treatment Center': 'Centro de Tratamento de Cólera',
'Cholera-Treatment-Center': 'Centro de tratamento de cólera',
'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.': 'Escolha uma nova alocação baseada na nova avaliação e julgamento do time. Condições severas que afetem o prédio inteiro são base para uma colocação INSEGURA. Grave localizada e no geral condições moderadas podem exigir um USO RESTRITO. Local INSPECCIONADO cartaz na entrada principal. Coloque todos os outros cartazes em cada entrada importante.',
'Christian': 'Cristão',
'Church': 'Igreja',
'Circumstances of disappearance, other victims/witnesses who last saw the missing person alive.': 'Circunstâncias do desaparecimento, outras vítimas/testemunhas quais viram pela última vez a pessoa desaparecida viva.',
'City': 'CIDADE',
'Civil Emergency': 'Emergência Civil',
'Cladding, glazing': 'Revestimentos, vidros',
'Click on the link': 'Clique no link',
'Client IP': 'Client IP',
'Climate': 'Climate',
'Clinical Laboratory': 'Laboratório clínico',
'Clinical Operations': 'operações clinicas',
'Clinical Status': 'estado clínico',
'Close map': 'Close map',
'Closed': 'fechado',
'Clothing': 'vestuário',
'Cluster': 'agrupamento',
'Cluster Details': 'Detalhes do Grupo',
'Cluster Distance': 'Distância entre Grupos',
'Cluster Subsector': 'Subsector de Grupos',
'Cluster Subsector Details': 'Detalhes do sub-setor do cluster',
'Cluster Subsector added': 'Subsector de Grupos incluído',
'Cluster Subsector deleted': 'Subsector de Grupos removido',
'Cluster Subsector updated': 'Sub-setores do cluster atualizado',
'Cluster Subsectors': 'Sub-setores do cluster',
'Cluster Threshold': 'Limite do Cluster',
'Cluster added': 'adicionar agrupamento',
'Cluster deleted': 'Grupo removido',
'Cluster updated': 'Cluster atualizado',
'Cluster(s)': 'Grupo(s)',
'Clusters': 'clusters',
'Code': 'Código',
'Cold Wave': 'onda fria',
'Collapse, partial collapse, off foundation': 'Reduzir, reduzir parciais, off foundation',
'Collective center': 'Centro coletivo',
'Color for Underline of Subheadings': 'Cor para Sublinhar de Subposições',
'Color of Buttons when hovering': 'Cor dos botões quando erguidos',
'Color of bottom of Buttons when not pressed': 'Cor da parte inferior dos botões quando não for pressionado',
'Color of bottom of Buttons when pressed': 'Cor da parte de baixo dos botões quando pressionados',
'Color of dropdown menus': 'Cor de menus DROP-',
'Color of selected Input fields': 'Cor dos campos de entrada selecionados',
'Color of selected menu items': 'cor dos ítens selecionados do menu',
'Column Choices (One Per Line': 'Coluna de opções (uma por linha)',
'Columns, pilasters, corbels': 'Colunas, pilastras , cavaletes',
'Combined Method': 'Método combinado',
'Come back later.': 'Volte mais tarde.',
'Come back later. Everyone visiting this site is probably experiencing the same problem as you.': 'Volte mais tarde. Todos que visitam este site esta, provavelmente, enfrentando o mesmo problema que você.',
'Comments': 'Comentários',
'Commercial/Offices': 'Comercial/Escritórios',
'Commit': 'Consolidar',
'Commit Date': 'Commit Data',
'Commit from %s': 'Consolidação de s%',
'Commit. Status': 'Commit. Status',
'Commiting a changed spreadsheet to the database': 'Consolidando uma planilha alterada no banco de dados',
'Commitment': 'Comprometimento',
'Commitment Added': 'Compromisso Incluído',
'Commitment Canceled': 'Compromisso cancelado',
'Commitment Details': 'Detalhes do compromisso',
'Commitment Item': 'Item do compromisso',
'Commitment Item Details': 'Detalhes do item de compromisso',
'Commitment Item added': 'Item de compromisso incluído',
'Commitment Item deleted': 'Item do compromisso excluído',
'Commitment Item updated': 'Compromisso Item atualizado',
'Commitment Items': 'Itens compromisso',
'Commitment Status': 'Empenhamento Status',
'Commitment Updated': 'Compromisso Atualizado',
'Commitments': 'Compromissos',
'Committed': 'Comprometido',
'Committed By': 'Cometido por',
'Committed People': 'Committed People',
'Committed Person Details': 'Committed Person Details',
'Committed Person updated': 'Committed Person updated',
'Committing Inventory': 'Confirmando Inventário',
'Committing Organization': 'Committing Organization',
'Committing Person': 'Committing Person',
'Communication problems': 'Problemas de Comunicação',
'Community Centre': 'Comunidade Centro',
'Community Health Center': 'Centro Comunitário de Saúde',
'Community Member': 'Membro da Comunidade',
'Competencies': 'Competências',
'Competency': 'Competência',
'Competency Details': 'Competência Detalhes',
'Competency Rating Catalog': 'Catálogo de Classificação de Competências',
'Competency Rating Details': 'Detalhes da classificação de competências',
'Competency Rating added': 'Classificação de Habilidades incluída',
'Competency Rating deleted': 'Classificação de competência excluída',
'Competency Rating updated': 'Atualização da classificação de competências',
'Competency Ratings': 'Classificação de competências',
'Competency added': 'Competência incluída',
'Competency deleted': 'Competência excluído',
'Competency updated': 'Competência atualizada',
'Complete': 'Concluir',
'Completed': 'Concluído',
'Complexion': 'Compleição',
'Compose': 'Redigir',
'Compromised': 'Comprometida',
'Concrete frame': 'Quadro concreto',
'Concrete shear wall': 'Muro de corteconcreto',
'Condition': 'Condição',
'Configurations': 'Configurações',
'Configure Run-time Settings': 'Configurar as configurações de tempo de execução',
'Confirm Shipment Received': 'Confirmar Remessa Recebida',
'Confirmed': 'Confirmado',
'Confirming Organization': 'Confirmando Organização',
'Conflict Details': 'Detalhes Do conflito',
'Conflict Resolution': 'Resolução de Conflito',
'Consignment Note': 'NOTA REMESSA',
'Constraints Only': 'Somente restrições',
'Consumable': 'Consumível',
'Contact': 'contato',
'Contact Data': 'Dados contato',
'Contact Details': 'Detalhes do contato',
'Contact Info': 'Informações de Contato',
'Contact Information': 'Informações de Contato',
'Contact Information Added': 'Informação de contato incluída',
'Contact Information Deleted': 'Informação de contato excluída',
'Contact Information Updated': 'Informações de contato atualizadas',
'Contact Method': 'Método de Contato',
'Contact Name': 'Nome do contato',
'Contact Person': 'Pessoa de Contato',
'Contact Phone': 'Telefone para Contato',
'Contact details': 'Detalhes do contato',
'Contact information added': 'Informações de contato incluídas',
'Contact information deleted': 'Informações de contato excluídas',
'Contact information updated': 'Informações de contato atualizadas',
'Contact person(s) in case of news or further questions (if different from reporting person). Include telephone number, address and email as available.': 'Pessoa(s) a contactar em caso de notícias ou mais perguntas (se for diferente da pessoa que reportou). Incluir número de telefone, endereço e correio electrónico se disponível.',
'Contact us': 'Fale Conosco',
'Contacts': 'contatos',
'Contents': 'Conteúdo',
'Contributor': 'Contribuidor',
'Conversion Tool': 'Ferramenta de Conversão',
'Cooking NFIs': 'Cozinhando NFIs',
'Cooking Oil': 'Cozinhando Óleo',
'Coordinate Conversion': 'COORDENAR a Conversão',
'Coping Activities': 'Atividades de lida',
'Copy': 'copiar',
'Corn': 'Milho',
'Cost Type': 'Tipo de custo',
'Cost per Megabyte': 'Custo por megabyte',
'Cost per Minute': 'Custo por Minuto',
'Country': 'País',
'Country of Residence': 'País de Residência',
'County': 'Município',
'Course': 'Curso',
'Course Catalog': 'Catálogo de Cursos',
'Course Certificate Details': 'Detalhes do Certificado do Curso',
'Course Certificate added': 'Certificado do Curso adicionado',
'Course Certificate deleted': 'Certificado do Curso excluído',
'Course Certificate updated': 'Certificado do Curso atualizado',
'Course Certificates': 'Certificados de Curso',
'Course Certificates': 'Certificados de Curso',
'Course Details': 'Detalhes do curso',
'Course added': 'Curso incluído',
'Course deleted': 'Curso excluído',
'Course updated': 'Curso atualizado',
'Courses': 'Cursos',
'Create & manage Distribution groups to receive Alerts': 'Criar & GERENCIAR grupos de distribuição de receber alertas',
'Create Checklist': 'Criar Lista de Verificação',
'Create Group Entry': 'Criar Grupo De Entrada',
'Create Impact Assessment': 'Criar Avaliação de Impacto',
'Create Mobile Impact Assessment': 'Criar Avaliação de Impacto Movel',
'Create New Asset': 'Criar Novo Recurso',
'Create New Catalog Item': 'Criar Novo Item de Catálogo',
'Create New Event': 'Criar Novo Evento',
'Create New Item Category': 'Criar Nova Categoria de Item',
'Create New Request': 'Criar Novo Pedido',
'Create New Scenario': 'Criar Novo cenário',
'Create New Vehicle': 'Create New Vehicle',
'Create Rapid Assessment': 'Criar Avaliação Rápida',
'Create Request': 'Criar solicitação',
'Create Task': 'Criar Tarefa',
'Create a group entry in the registry.': 'Criar uma entrada de grupo no registro.',
'Create new Office': 'Criar novo escritório',
'Create new Organization': 'Criar nova organização',
'Create, enter, and manage surveys.': 'Criar, digitar e gerenciar pesquisas.',
'Creation of Surveys': 'Criação de Pesquisas',
'Creation of assessments': 'Creation of assessments',
'Credential Details': 'Detalhes da Credencial',
'Credential added': 'Credencial incluída',
'Credential deleted': 'Credencial Excluída',
'Credential updated': 'Credencial ATUALIZADA',
'Credentialling Organization': 'Organização acreditada',
'Credentials': 'credenciais',
'Credit Card': 'Cartão de crédito',
'Crime': 'crime',
'Criteria': 'Critério',
'Currency': 'moeda',
'Current Entries': 'Entradas Atuais',
'Current Group Members': 'Membros do Grupo atual',
'Current Identities': 'Identidades atuais',
'Current Location': 'Posição Atual',
'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': 'Entradas de Log atuais',
'Current Memberships': 'Participações atuais',
'Current Mileage': 'Current Mileage',
'Current Notes': 'Notes atual',
'Current Records': 'Registros atuais',
'Current Registrations': 'Registros atuais',
'Current Status': 'Status atual',
'Current Team Members': 'Os atuais membros da equipe',
'Current Twitter account': 'Conta atual no Twitter',
'Current community priorities': 'Atuais prioridades da comunidade',
'Current general needs': 'Atuais necessidades gerais',
'Current greatest needs of vulnerable groups': 'Maiores necessidades atuais dos grupos vulneráveis',
'Current health problems': 'Problemas de saúde atuais',
'Current number of patients': 'Número atual de pacientes',
'Current problems, categories': 'Problemas atuais, categorias',
'Current problems, details': 'Problemas atuais, detalhes',
'Current request': 'Pedido atual',
'Current response': 'Resposta atual',
'Current session': 'Sessão atual',
'Currently no Certifications registered': 'Nenhuma certificação registrada atualmente',
'Currently no Competencies registered': 'Nenhuma competência registrada atualmente',
'Currently no Course Certificates registered': 'Nenhum Curso Certificado registrado atualmente',
'Currently no Credentials registered': 'Nenhuma credencial registrada atualmente',
'Currently no Missions registered': 'Nenhuma missão registrada atualmente',
'Currently no Skill Equivalences registered': 'Nenhuma equivelência de habilidade registrada atualmente',
'Currently no Skills registered': 'Currently no Skills registered',
'Currently no Trainings registered': 'Atualmente não há treinamentos registrados',
'Currently no entries in the catalog': 'Nenhuma entrada no catálogo atualmente',
'Custom Database Resource (e.g., anything defined as a resource in Sahana)': 'Bnaco de Dados customizado de Recursos (por exemplo, nada definido como recurso no Sahana)',
'DC': 'DC',
'DNA Profile': 'Perfil de DNA',
'DNA Profiling': 'Perfil de DNA',
'DVI Navigator': 'Navegador DVI',
'Dam Overflow': 'Barragem ESTOURO',
'Damage': 'dano',
'Dangerous Person': 'Pessoa perigosa',
'Dashboard': 'Painel',
'Data': 'Dados',
'Data Type': 'Data Type',
'Data uploaded': 'Dados carregados',
'Database': 'DATABASE',
'Date': 'date',
'Date & Time': 'Date & Time',
'Date Available': 'Data Disponível',
'Date Received': 'Data do recebimento',
'Date Requested': 'Data do pedido',
'Date Required': 'Necessária',
'Date Sent': 'Data de Envio',
'Date Until': 'Data Até',
'Date and Time': 'Data e Hora',
'Date and time this report relates to.': 'Data e hora relacionadas a este relatório.',
'Date of Birth': 'Data de Nascimento',
'Date of Latest Information on Beneficiaries Reached': 'Data da última informação sobre Beneficiários Alcançado',
'Date of Report': 'Data do relatório',
'Date of Treatment': 'Date of Treatment',
'Date/Time': 'data/hora',
'Date/Time of Find': 'Pesquisa de data/hora',
'Date/Time of disappearance': 'Data/hora do desaparecimento',
'Date/Time when found': 'Data/hora quando foi encontrado',
'Date/Time when last seen': 'Data/ hora em que foi visto pela última vez',
'De-duplicator': 'Anti duplicador',
'Dead Bodies': 'Dead Bodies',
'Dead Body': 'Cadáver',
'Dead Body Details': 'Detalhes do Cadáver',
'Dead Body Reports': 'Relatórios de Cadáver',
'Dead body report added': 'Relatório de cadaver incluso.',
'Dead body report deleted': 'Relatório de cadáver excluído.',
'Dead body report updated': 'Relatório de cadáver atualizado',
'Deaths in the past 24h': 'Mortes nas últimas 24 horas',
'Deaths/24hrs': 'Mortes/24hrs',
'Decimal Degrees': 'Graus decimais',
'Decision': 'DECISÃO',
'Decomposed': 'Decomposto',
'Default Height of the map window.': 'Altura Padrão da janela do mapa.',
'Default Location': 'Default Location',
'Default Map': 'Mapa padrão',
'Default Marker': 'Padrão de mercado',
'Default Width of the map window.': 'Padrão de largura da janela do mapa.',
'Default synchronization policy': 'Política de sincronização de padrão',
'Defecation area for animals': 'Área de defecação para animais',
'Define Scenarios for allocation of appropriate Resources (Human, Assets & Facilities).': 'Cenários De definir para alocação adequado de recursos (humanos, Ativos & instalações).',
'Defines the icon used for display of features on handheld GPS.': 'Define o ícone utilizado para exibição de recursos no GPS portátil.',
'Defines the icon used for display of features on interactive map & KML exports.': 'Define o ícone utilizado para exibição de recursos no mapa interativo & exportações KML.',
'Defines the marker used for display & the attributes visible in the popup.': 'Define o marcador utilizado para exibir & os atributos visíveis no pop-up.',
'Degrees must be a number between -180 and 180': 'Os graus devem ser um número entre -180 e 180',
'Dehydration': 'Desidratação',
'Delete': 'Excluir',
'Delete Alternative Item': 'EXCLUIR Item Alternativo',
'Delete Assessment': 'Excluir Avaliação',
'Delete Assessment Summary': 'Excluir Resumo da Avaliação',
'Delete Asset': 'Excluir Ativo',
'Delete Asset Assignment': 'Excluir o recurso designado',
'Delete Asset Log Entry': 'EXCLUIR recurso de entrada de Log',
'Delete Baseline': 'apagar linha base',
'Delete Baseline Type': 'apagar tipo de linha base',
'Delete Brand': 'apagar marca',
'Delete Budget': 'apagar orçamento',
'Delete Bundle': 'apagar pacote',
'Delete Catalog': 'Excluir o Catálogo',
'Delete Catalog Item': 'apagar item do catálogo',
'Delete Certificate': 'Excluir Certificado',
'Delete Certification': 'Excluir Certificação',
'Delete Cluster': 'Exclui Cluster',
'Delete Cluster Subsector': 'EXCLUIR Cluster Subsector',
'Delete Commitment': 'Excluir Compromisso',
'Delete Commitment Item': 'Excluir Item de Compromisso',
'Delete Competency': 'Excluir Competência',
'Delete Competency Rating': 'Excluir Classificação da Competência',
'Delete Contact Information': 'Excluir Informações de Contato',
'Delete Course': 'Excluir Curso',
'Delete Course Certificate': 'Excluir Certificado do Curso',
'Delete Credential': 'Excluir Credencial',
'Delete Document': 'Excluir documento',
'Delete Donor': 'EXCLUIR Dador',
'Delete Entry': 'Excluir Entrada',
'Delete Event': 'Excluir Evento',
'Delete Feature Class': 'Excluir Classe de Recurso',
'Delete Feature Layer': 'Excluir Camada de Componentes',
'Delete GPS data': 'Delete GPS data',
'Delete Group': 'Excluir Grupo',
'Delete Home': 'Delete Home',
'Delete Hospital': 'Excluir Hospital',
'Delete Image': 'Excluir Imagem',
'Delete Impact': 'Excluir Impacto',
'Delete Impact Type': 'Excluir Tipo De Impacto',
'Delete Incident Report': 'Excluir Relatório de Incidentes',
'Delete Inventory Item': 'EXCLUIR Item De Inventário',
'Delete Item': 'Excluir Item',
'Delete Item Category': 'EXCLUIR categoria de Itens',
'Delete Item Pack': 'EXCLUIR Pacote de Itens',
'Delete Job Role': 'Excluir Cargo',
'Delete Key': 'Tecla de exclusão',
'Delete Kit': 'EXCLUIR Kit',
'Delete Layer': 'Excluir Camada',
'Delete Level 1 Assessment': 'EXCLUIR Nível 1 Avaliação',
'Delete Level 2 Assessment': 'EXCLUIR Nível 2 Avaliação',
'Delete Location': 'Excluir locação',
'Delete Map Configuration': 'EXCLUIR Mapa de configuração',
'Delete Marker': 'EXCLUIR Marcador',
'Delete Membership': 'Excluir membro',
'Delete Message': 'Excluir mensagem',
'Delete Mission': 'EXCLUIR Missão',
'Delete Need': 'Excluir necessidades',
'Delete Need Type': 'Excluir tipos de necessidades',
'Delete Office': 'Excluir escritório',
'Delete Organization': 'Excluir organização',
'Delete Patient': 'Delete Patient',
'Delete Peer': 'Excluir par',
'Delete Person': 'excluir pessoa',
'Delete Photo': 'Excluir Foto',
'Delete Population Statistic': 'EXCLUIR População Estatística',
'Delete Position': 'EXCLUIR Posição',
'Delete Project': 'Excluir Projeto',
'Delete Projection': 'Excluir Projeção',
'Delete Rapid Assessment': 'Excluir Avaliação Rápida',
'Delete Received Item': 'Excluir Item Recebido',
'Delete Received Shipment': 'Excluir Embarque Recebido',
'Delete Record': 'Excluir Registro',
'Delete Relative': 'Delete Relative',
'Delete Report': 'Excluir Relatório',
'Delete Request': 'Excluir Solicitação',
'Delete Request Item': 'Excluir item de solicitação',
'Delete Resource': 'Excluir Recurso',
'Delete Room': 'Excluir Sala',
'Delete Scenario': 'Excluir Cenário',
'Delete Section': 'Excluir seção',
'Delete Sector': 'Excluir Setor',
'Delete Sent Item': 'Excluir Item Enviado',
'Delete Sent Shipment': 'Excluir Embarque Enviado',
'Delete Service Profile': 'Excluir perfil de serviço',
'Delete Setting': 'Excluir Definição',
'Delete Skill': 'Excluir habilidade',
'Delete Skill Equivalence': 'Excluir equivalência de habilidade',
'Delete Skill Provision': 'Excluir Provisão de Habilidade',
'Delete Skill Type': 'Excluir Tipo de Habilidade',
'Delete Staff Type': 'Excluir Tipo De Equipe',
'Delete Status': 'Excluir Posição/Estado',
'Delete Subscription': 'Excluir assinatura',
'Delete Subsector': 'Excluir subsetor',
'Delete Survey Answer': 'Excluir reposta da pesquisa',
'Delete Survey Question': 'Excluir pergunta da pesquisa',
'Delete Survey Section': 'Excluir seção da pesquisa',
'Delete Survey Series': 'Excluir série da pesquisa',
'Delete Survey Template': 'Excluir modelo da pesquisa',
'Delete Training': 'Excluir Treinamento',
'Delete Unit': 'Excluir Unidade',
'Delete User': 'Excluir usuário',
'Delete Vehicle': 'Delete Vehicle',
'Delete Vehicle Details': 'Delete Vehicle Details',
'Delete Volunteer': 'EXCLUIR Voluntário',
'Delete Warehouse': 'Excluír Armazém',
'Delete from Server?': 'Excluir do Servidor?',
'Delphi Decision Maker': 'tomador de decisão Delphi',
'Demographic': 'Demográfico',
'Demonstrations': 'Demonstrações',
'Dental Examination': 'Exame Dentário',
'Dental Profile': 'Perfil Dentário',
'Deployment Location': 'Deployment Location',
'Describe the condition of the roads to your hospital.': 'Descreva as condições da estrada até o seu hospital.',
'Describe the procedure which this record relates to (e.g. "medical examination")': 'Descreva o procedimento ao qual este registro está relacionado (Ex: "exame médico")',
'Description': 'Descrição',
'Description of Contacts': 'Descrição dos Contatos',
'Description of defecation area': 'Descrição da área de defecação',
'Description of drinking water source': 'Descrição da fonte de água potável',
'Description of sanitary water source': 'Descrição da fonte de água sanitária',
'Description of water source before the disaster': 'Descrição da fonte de água antes do desastre',
'Descriptive Text (e.g., Prose, etc)': 'Texto Descritivo (por exemplo, Prosa, etc.)',
'Desire to remain with family': 'O desejo de permanecer com a família',
'Destination': 'destino',
'Destroyed': 'Destruído',
'Details': 'detalhes',
'Details field is required!': 'Campo de detalhes é obrigatório!',
'Dialysis': 'Diálise',
'Diaphragms, horizontal bracing': 'Diafragmas, interditará horizontal',
'Diarrhea': 'Diarréia',
'Dignitary Visit': 'Visita de Dignatários',
'Direction': 'Endereço',
'Disable': 'Desativar',
'Disabled': 'desativado',
'Disabled participating in coping activities': 'Deficiente participando de enfrentamento',
'Disabled?': 'Desativado?',
'Disaster Victim Identification': 'Identificação de Vítima de Desastre',
'Disaster Victim Registry': 'Registro de Vítima de Desastre',
'Disaster clean-up/repairs': 'Desastre limpeza/reparos',
'Discharge (cusecs)': 'Quitação (cusecs)',
'Discharges/24hrs': 'Descargas/24horas',
'Discussion Forum': 'Fórum de Discussão',
'Discussion Forum on item': 'Fórum de discussão do item',
'Disease vectors': 'Vectores doença',
'Dispensary': 'Dispensário',
'Displaced': 'Deslocadas',
'Displaced Populations': 'Populações deslocadas',
'Display Polygons?': 'exibir Polígonos?',
'Display Routes?': 'Exibir Rotas?',
'Display Tracks?': 'exibir Trilhas?',
'Display Waypoints?': 'Exibir Rota?',
'Distance between defecation area and water source': 'Distância entre área de esgoto e fonte de água',
'Distance from %s:': 'Distância de %s:',
'Distance(Kms)': 'Distância(Kms)',
'Distribution': 'Distribuição de',
'Distribution groups': 'Grupos de distribuição',
'District': 'Distrito',
'Do you really want to delete these records?': 'Você realmente deseja excluir esses registros?',
'Do you want to cancel this received shipment? The items will be removed from the Inventory. This action CANNOT be undone!': 'Você deseja cancelar este carregamento que foi recebido? Os itens serão removidos do inventário. Esta ação não pode ser desfeita!',
'Do you want to cancel this sent shipment? The items will be returned to the Inventory. This action CANNOT be undone!': 'Você deseja cancelar esse carregamento enviado? Os itens serão retornados para o inventário. Esta ação não pode ser desfeita!',
'Do you want to receive this shipment?': 'Você deseja receber esse carregamento?',
'Do you want to send these Committed items?': 'Você deseja enviar esses itens Consolidados?',
'Do you want to send this shipment?': 'Você deseja enviar este carregamento?',
'Document': 'documento',
'Document Details': 'Detalhes do Documento',
'Document Scan': 'Scanear Documento',
'Document added': 'Documento incluído',
'Document deleted': 'Documento excluído',
'Document removed': 'Document removed',
'Document updated': 'Documento Atualizado',
'Documents': 'Documentos',
'Documents and Photos': 'Documentos e Fotos',
'Does this facility provide a cholera treatment center?': 'Esta facilidade proporciona um centro de tratamento da cólera?',
'Doing nothing (no structured activity)': 'Fazendo nada (sem atividade estruturada)',
'Dollars': 'dólares',
'Domain': 'domínio',
'Domestic chores': 'Afazeres domésticos',
'Donated': 'Doado',
'Donation Certificate': 'Certificado de doaçao',
'Donation Phone #': 'Número de Telefone de doaçao',
'Donor': 'Dador',
'Donor Details': 'Doador Detalhes',
'Donor added': 'Doador incluído',
'Donor deleted': 'Doador excluído',
'Donor updated': 'Doador ATUALIZADO',
'Donors': 'Doadores',
'Donors Report': 'Relatório de Doadores',
'Door frame': 'Quadro de porta',
'Download PDF': 'Fazer download do PDF',
'Download Template': 'Download Template',
'Draft': 'rascunho',
'Drainage': 'Drenagem',
'Drawing up a Budget for Staff & Equipment across various Locations.': 'Elaborar um orçamento para Equipe & Equipamento de vários locais.',
'Drill Down by Group': 'Detalhar por grupo',
'Drill Down by Incident': 'Detalhar por incidente',
'Drill Down by Shelter': 'Detalhar por abrigo',
'Driving License': 'Carteira de Motorista',
'Drought': 'Seca',
'Drugs': 'Drogas',
'Dug Well': 'Cavaram Bem',
'Duplicate?': 'Duplicado?',
'Duration': 'Duração',
'Dust Storm': 'Tempestade de Poeira',
'Dwelling': 'Habitação',
'Dwellings': 'Habitações',
'E-mail': 'Correio eletrônico',
'EMS Reason': 'Razão EMS',
'EMS Status': 'EMS Status',
'ER Status': 'ER Status',
'ER Status Reason': 'Razão ER Status',
'EXERCISE': 'EXERCISE',
'Early Recovery': 'Início De Recuperação',
'Earth Enabled?': 'Earth Enabled?',
'Earthquake': 'Terremotos',
'Edit': 'Editar',
'Edit Activity': 'Editar Atividade',
'Edit Address': 'Editar Endereço',
'Edit Alternative Item': 'Editar Item Alternativo',
'Edit Application': 'Editar Aplicação',
'Edit Assessment': 'Editar avaliação',
'Edit Assessment Summary': 'Editar resumo da avaliação',
'Edit Asset': 'Editar recurso',
'Edit Asset Assignment': 'Editar designação do recurso',
'Edit Asset Log Entry': 'EDITAR ENTRADA DE Log de ATIVOs',
'Edit Baseline': 'Editar base de avaliação',
'Edit Baseline Type': 'Editar tipo de base de avaliação',
'Edit Brand': 'Editar marca',
'Edit Budget': 'Editar orçamento',
'Edit Bundle': 'Editar Pacote',
'Edit Camp': 'EDITAR acampamento',
'Edit Camp Service': 'EDITAR Serviço de acampamento',
'Edit Camp Type': 'Editar Tipo de Campo',
'Edit Catalog': 'Editar catálogo',
'Edit Catalog Item': 'Editar item do catálogo',
'Edit Certificate': 'Editar Certificado',
'Edit Certification': 'Editar Certificação',
'Edit Cluster': 'Editar grupo',
'Edit Cluster Subsector': 'Editar subgrupo',
'Edit Commitment': 'Editar compromisso',
'Edit Commitment Item': 'Editar Item De Compromisso',
'Edit Committed Person': 'Edit Committed Person',
'Edit Competency': 'Editar Competência',
'Edit Competency Rating': 'Editar Classificação da Competência',
'Edit Contact': 'Editar Contato',
'Edit Contact Information': 'Editar Informações de Contato',
'Edit Contents': 'Editar Conteúdo',
'Edit Course': 'Editar Curso',
'Edit Course Certificate': 'Editar Certificado de Curso',
'Edit Credential': 'Editar Credencial',
'Edit Dead Body Details': 'Editar Detalhes do Cadáver',
'Edit Description': 'Editar Descrição',
'Edit Details': 'Editar detalhes',
'Edit Disaster Victims': 'Editar vítimas do desastre',
'Edit Document': 'Editar documento',
'Edit Donor': 'Editar Doador',
'Edit Email Settings': 'Editar As Configurações De E-Mail',
'Edit Entry': 'Editar Entrada',
'Edit Event': 'Editar evento',
'Edit Facility': 'Editar recurso',
'Edit Feature Class': 'EDITAR CLASSE DE RECURSO',
'Edit Feature Layer': 'Editar Recurso Camada',
'Edit Flood Report': 'Editar Relatório de Enchente',
'Edit GPS data': 'Edit GPS data',
'Edit Gateway Settings': 'Editar Configurações de Gateway',
'Edit Group': 'Grupo de edição',
'Edit Home': 'Edit Home',
'Edit Hospital': 'Editar Hospital',
'Edit Human Resource': 'Editar Recursos Humanos',
'Edit Identification Report': 'Editar Relatório de identificação',
'Edit Identity': 'Editar Identidade',
'Edit Image': 'Editar Imagem',
'Edit Image Details': 'Editar Detalhes da Imagem',
'Edit Impact': 'Editar Impacto',
'Edit Impact Type': 'Editar Tipo De Impacto',
'Edit Import File': 'Edit Import File',
'Edit Incident Report': 'Editar Relatório de Incidente',
'Edit Inventory Item': 'Editar Item De Inventário',
'Edit Item': 'Editar Item',
'Edit Item Category': 'Editar Item de categoria',
'Edit Item Pack': 'Editar Pacote de Itens',
'Edit Job Role': 'Editar cargo',
'Edit Key': 'Editar Tecla',
'Edit Kit': 'Editar Kit',
'Edit Layer': 'Editar Camada',
'Edit Level %d Locations?': 'Editar Locais Nível d% ?',
'Edit Level 1 Assessment': 'Editar Avaliação Nível 1',
'Edit Level 2 Assessment': 'Editar nível 2 de acesso',
'Edit Location': 'Local de edição',
'Edit Log Entry': 'EDITAR ENTRADA DE Log',
'Edit Map Configuration': 'Editar Mapa de configuração',
'Edit Map Services': 'Editar mapa de serviços',
'Edit Marker': 'Marcador de Edição',
'Edit Membership': 'Editar inscrição',
'Edit Message': 'Editar mensagem',
'Edit Messaging Settings': 'Editar Configurações De Mensagens',
'Edit Mission': 'Editar Missão',
'Edit Modem Settings': 'Editar Configurações Do Modem',
'Edit Need': 'Ediçao Necessária',
'Edit Need Type': 'Editar tipo de necessidade',
'Edit Note': 'Editar nota',
'Edit Office': 'Escritório de edição',
'Edit Options': 'Opções de edição',
'Edit Organization': 'Organizar edições',
'Edit Parameters': 'Parametros de edição',
'Edit Patient': 'Edit Patient',
'Edit Peer Details': 'Detalhes do par editado',
'Edit Person Details': 'Editar detalhes pessoais',
'Edit Personal Effects Details': 'Editar detalhes de objectos pessoais',
'Edit Photo': 'Editar Foto',
'Edit Population Statistic': 'Editar Estatística da População',
'Edit Position': 'Editar Posição',
'Edit Problem': 'Editar Problema',
'Edit Project': 'Editar Projecto',
'Edit Projection': 'Editar Projeção',
'Edit Rapid Assessment': 'Editar Rápida Avaliação',
'Edit Received Item': 'Editar Item Recebido',
'Edit Received Shipment': 'Editar Embarque Recebido',
'Edit Record': 'Editar Registro',
'Edit Registration': 'Editar Registro',
'Edit Registration Details': 'Editar Detalhes De Registro',
'Edit Relative': 'Edit Relative',
'Edit Report': 'Editar Relatório',
'Edit Request': 'Editar Pedido',
'Edit Request Item': 'Editar Item Pedido',
'Edit Requested Skill': 'Edit Requested Skill',
'Edit Resource': 'Editar Recurso',
'Edit River': 'EDITAR RIO',
'Edit Role': 'Editar Função',
'Edit Room': 'Editar Sala',
'Edit SMS Settings': 'Edit SMS Settings',
'Edit SMTP to SMS Settings': 'Edit SMTP to SMS Settings',
'Edit Scenario': 'Editar cenário',
'Edit Sector': 'Editar Setor',
'Edit Sent Item': 'Editar Item Enviado',
'Edit Setting': 'Editar Definição',
'Edit Settings': 'Editar Configurações',
'Edit Shelter': 'EDITAR ABRIGO',
'Edit Shelter Service': 'Editar Serviço de Abrigo',
'Edit Shelter Type': 'EDITAR Tipo De Abrigo',
'Edit Skill': 'editar competência',
'Edit Skill Equivalence': 'Editar Equivalência de Habilidade',
'Edit Skill Provision': 'Editar Habilidade de Fornecimento',
'Edit Skill Type': 'editar tipo de competência',
'Edit Solution': 'editar solução',
'Edit Staff': 'editar pessoal',
'Edit Staff Member Details': 'Editar detalhes do membro da equipe',
'Edit Staff Type': 'EDITAR Tipo De Equipe',
'Edit Subscription': 'Editar assinatura',
'Edit Subsector': 'EDITAR Subsector',
'Edit Survey Answer': 'Editar resposta da pesquisa',
'Edit Survey Question': 'Editar pergunta da pesquisa',
'Edit Survey Section': 'EDITAR Seção de Pesquisa',
'Edit Survey Series': 'EDITAR Pesquisa de Série',
'Edit Survey Template': 'EDITAR MODELO DE PESQUISA',
'Edit Task': 'Editar Tarefa',
'Edit Team': 'Editar equipe',
'Edit Theme': 'Editar tema',
'Edit Themes': 'EDITAR TEMAs',
'Edit Ticket': 'EDITAR Bilhete',
'Edit Track': 'EDITAR RASTREAMENTO',
'Edit Training': 'Editar Treinamento',
'Edit Tropo Settings': 'Editar Configurações Tropo',
'Edit User': 'Editar Usuário',
'Edit Vehicle': 'Edit Vehicle',
'Edit Vehicle Details': 'Edit Vehicle Details',
'Edit Volunteer Availability': 'Editar Disponibilidade de Voluntário',
'Edit Volunteer Details': 'Editar Detalhes de Voluntário',
'Edit Warehouse': 'Editar Armazém',
'Edit Web API Settings': 'Edit Web API Settings',
'Edit current record': 'Editar Registro Atual',
'Edit message': 'Editar mensagem',
'Edit the Application': 'Editar a Aplicação',
'Editable?': 'Editável?',
'Education': 'Educação',
'Education materials received': 'Materiais de educação recebido',
'Education materials, source': 'materiais de Educação, origem',
'Effects Inventory': 'Inventário de efeitos',
'Eggs': 'Ovos',
'Either a shelter or a location must be specified': 'Um abrigo ou um local deve ser especificado',
'Either file upload or document URL required.': 'Um arquivo de upload ou URL do documento são necessários.',
'Either file upload or image URL required.': 'Um arquivo de upload ou URL de imagem são necessárias.',
'Elderly person headed households (>60 yrs)': 'Chefes de Familia de idade avançada (>60 anos)',
'Electrical': 'Elétrico',
'Electrical, gas, sewerage, water, hazmats': 'Elétrica, gás, esgotos, água, hazmats',
'Elevated': 'Elevado',
'Elevators': 'Elevadores',
'Email': 'E-MAIL',
'Email Address': 'Endereço de e-mail',
'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': 'Configurações de e-mail',
'Email settings updated': 'As configurações de e-mail atualizado',
'Embalming': 'Embalsamento',
'Embassy': 'Embaixada',
'Emergency Capacity Building project': 'Plano de emergência de capacidade dos prédios',
'Emergency Department': 'Departamento de Emergência',
'Emergency Shelter': 'Abrigo de Emergência',
'Emergency Support Facility': 'Recurso De Suporte de emergência',
'Emergency Support Service': 'Suporte do Serviço de Emergência',
'Emergency Telecommunications': 'Emergência De Telecomunicações',
'Enable': 'Enable',
'Enable/Disable Layers': 'Ativar/Desativar Camadas',
'Enabled': 'Habilitado',
'Enabled?': 'Enabled?',
'Enabling MapMaker layers disables the StreetView functionality': 'Enabling MapMaker layers disables the StreetView functionality',
'End Date': 'Data de encerramento',
'End date': 'Data de Término',
'End date should be after start date': 'Data Final deve ser maior do que a data de início',
'End of Period': 'Fim de Período',
'English': 'Inglês',
'Enter Coordinates:': 'Entre as coordenadas:',
'Enter a GPS Coord': 'Digite uma Coordada GPS',
'Enter a name for the spreadsheet you are uploading (mandatory).': 'Digite um nome para a planilha que está fazendo Upload (obrigatório).',
'Enter a name for the spreadsheet you are uploading.': 'Enter a name for the spreadsheet you are uploading.',
'Enter a new support request.': 'Digite um pedido novo de suporte.',
'Enter a unique label!': 'Digite um rótulo exclusivo!',
'Enter a valid date before': 'Digite uma data válida antes de',
'Enter a valid email': 'Insira um email válido',
'Enter a valid future date': 'Digite uma data futura válida',
'Enter a valid past date': 'Enter a valid past date',
'Enter some characters to bring up a list of possible matches': 'Digite alguns caracteres para trazer uma lista de correspondências possíveis',
'Enter some characters to bring up a list of possible matches.': 'Digite alguns caracteres para trazer uma lista de correspondências possíveis.',
'Enter tags separated by commas.': 'Insira as tags separadas por vírgulas.',
'Enter the data for an assessment': 'Enter the data for an assessment',
'Enter the same password as above': 'Digite a mesma senha acima',
'Enter your firstname': 'Enter your firstname',
'Enter your organization': 'Enter your organization',
'Entered': 'Inserido',
'Entering a phone number is optional, but doing so allows you to subscribe to receive SMS messages.': 'Digitar um número de telefone é opcional, mas ao fazer isto permite a voçe se registrar para receber mensagens SMS.',
'Entry deleted': 'Entrada removida',
'Environment': 'Ambiente do',
'Equipment': 'Equipamento',
'Error encountered while applying the theme.': 'Erro encontrado ao aplicar o tema.',
'Error in message': 'Erro na mensagem',
'Error logs for "%(app)s"': 'Registro de erros de "%(app)s"',
'Error: no such record': 'Erro: nenhum registro',
'Errors': 'Erros',
'Est. Delivery Date': 'Est. Data de entrega',
'Estimated # of households who are affected by the emergency': '# estimado das famílias que são afetados pela emergência',
'Estimated # of people who are affected by the emergency': '# estimado de pessoas que são afetados pela emergência',
'Estimated Overall Building Damage': 'Dano total de construção estimado',
'Estimated total number of people in institutions': 'Número total estimado de pessoas em instituições',
'Euros': 'Euros',
'Evacuating': 'abandono',
'Evaluate the information in this message. (This value SHOULD NOT be used in public warning applications.)': 'Valide as informações desta mensagem. (Este valor não deve ser utilizado em aplicações de aviso público. ).',
'Event': 'Evento',
'Event Details': 'Detalhes do evento',
'Event added': 'Evento incluído',
'Event deleted': 'Evento excluído',
'Event updated': 'Evento atualizado',
'Events': 'eventos',
'Example': 'Exemplo:',
'Exceeded': 'Excedido',
'Excellent': 'Excelente',
'Exclude contents': 'Excluir conteúdo',
'Excreta disposal': 'Eliminação de dejetos',
'Execute a pre-planned activity identified in <instruction>': 'Executar uma atividade pré-planejada identificada no',
'Exercise': 'Excercício',
'Exercise?': 'Exercício ?',
'Exercises mean all screens have a watermark & all notifications have a prefix.': "Exercícios significa que todas as telas têm uma marca d'água & todas as comunicações têm um prefixo.",
'Existing Placard Type': 'Cartaz existente Tipo',
'Existing Sections': 'Existing Sections',
'Existing food stocks': 'Estoques de alimentos existente',
'Existing location cannot be converted into a group.': 'Local Existente não pode ser convertido em um grupo.',
'Exits': 'Saídas',
'Expected Return Home': 'Expected Return Home',
'Experience': 'Experiência',
'Expiry Date': 'Data de expiração',
'Explosive Hazard': 'Perigo explosivo',
'Export': 'Exportar',
'Export Data': 'Exportar dados.',
'Export Database as CSV': 'Exportar o banco de dados como CSV',
'Export in GPX format': 'Exportar no formato GPX',
'Export in KML format': 'Exportar no formato KML',
'Export in OSM format': 'Exportar no formato OSM',
'Export in PDF format': 'Exportar no formato PDF',
'Export in RSS format': 'Exportar no formato RSS',
'Export in XLS format': 'Exportar no formato XLS',
'Exterior Only': 'Exterior Apenas',
'Exterior and Interior': 'Exterior e Interior',
'Eye Color': 'Cor dos Olhos',
'Facebook': 'Facebook',
'Facial hair, color': 'Cabelo Facial, cor',
'Facial hair, type': 'Cabelo Facial, digite',
'Facial hear, length': 'Facial ouvir, COMPRIMENTO',
'Facilities': 'Instalações',
'Facility': 'Instalação',
'Facility Details': 'Detalhes da Instalação',
'Facility Operations': 'Facilidades nas Operações',
'Facility Status': 'Status Facility',
'Facility Type': 'Tipo de Instalação',
'Facility added': 'Instalação incluída',
'Facility or Location': 'Instalação ou Local',
'Facility removed': 'Recurso removido',
'Facility updated': 'Recurso atualizado',
'Fail': 'Falha',
'Failed!': 'Falha!',
'Fair': 'Razoável',
'Falling Object Hazard': 'Queda Objeto Risco',
'Families/HH': 'Famílias/HH',
'Family': 'Familia',
'Family tarpaulins received': 'lonas de familia recebidas',
'Family tarpaulins, source': 'lonas de familia, fuente',
'Family/friends': 'Família/amigos',
'Farmland/fishing material assistance, Rank': 'TERRAS/assistência de material de Pesca, posição',
'Fatalities': 'Fatalidades',
'Fax': 'Número do Fax',
'Feature Class': 'Classe de Recursos',
'Feature Class Details': 'Detalhes da classe de recurso',
'Feature Class added': 'Classe de Recurso incluída',
'Feature Class deleted': 'Classe de recurso excluída',
'Feature Class updated': 'Classe De recurso atualizada',
'Feature Classes': 'Classes de Recursos',
'Feature Classes are collections of Locations (Features) of the same type': 'Classes De recurso são grupos de localidades (recursos) do mesmo tipo',
'Feature Layer Details': 'Recurso Camada Detalhes',
'Feature Layer added': 'Recurso Camada incluída',
'Feature Layer deleted': 'Recurso Camada excluído',
'Feature Layer updated': 'Recurso Camada atualizada',
'Feature Layers': 'Camadas recurso',
'Feature Namespace': 'Espaço De recurso',
'Feature Request': 'Pedido de Componente',
'Feature Type': 'Tipo de Componente',
'Features Include': 'Componentes Incluidos',
'Female': 'Sexo Feminino',
'Female headed households': 'Famílias chefiadas por mulheres',
'Few': 'Poucos',
'Field': 'Campo',
'Field Hospital': 'Campo Hospital',
'File': 'arquivo',
'File Imported': 'File Imported',
'File Importer': 'File Importer',
'File name': 'File name',
'Fill in Latitude': 'Preencher na Latitude',
'Fill in Longitude': 'Preencher na Longitude',
'Filter': 'Filtro',
'Filter Field': 'Filtro de Campo',
'Filter Value': 'Filtro de Valor',
'Find': 'Localizar',
'Find All Matches': 'Localizar todos os equivalentes',
'Find Dead Body Report': 'Localizar Relatório de Cadáver',
'Find Hospital': 'Localizar Hospital',
'Find Person Record': 'Localizar registro de pessoa',
'Find Volunteers': 'Localizar Voluntários',
'Find a Person Record': 'Localizar um Registro de Pessoa',
'Finder': 'Localizador',
'Fingerprint': 'Impressão digital',
'Fingerprinting': 'Impressões digitais',
'Fingerprints': 'Impressões Digitais',
'Finish': 'Terminar',
'Finished Jobs': 'Tarefa Terminada',
'Fire': 'Fogo',
'Fire suppression and rescue': 'Supressão e salvamento de incêndio',
'First Name': 'Primeiro Nome',
'First name': 'Primeiro Nome',
'Fishing': 'Pesca',
'Flash Flood': 'Enchente',
'Flash Freeze': 'congelar o momento',
'Flexible Impact Assessments': 'Flexibilidade no Impacto de avaliações',
'Flood': 'Enchente',
'Flood Alerts': 'Alertas de Enchente',
'Flood Alerts show water levels in various parts of the country': 'Os alertas de inundação mostram o nível da água em várias partes do país',
'Flood Report': 'Relatório de Inundação',
'Flood Report Details': 'Detalhes do Relatório de Inundação',
'Flood Report added': 'Relatório de Inundação incluído',
'Flood Report deleted': 'Relatório de Inundação removido',
'Flood Report updated': 'Relatório de Inundação actualizado',
'Flood Reports': 'Relatórios de Inundação',
'Flow Status': 'posição de fluxo',
'Focal Point': 'Ponto Central',
'Fog': 'Nevoeiro',
'Food': 'Food',
'Food Supply': 'Alimentação',
'Food assistance': 'Ajuda alimentar',
'Footer': 'Rodapé',
'Footer file %s missing!': '% Arquivo rodapé ausente!',
'For': 'Por',
'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.': 'Para um país este seria o código ISO2, para uma cidade, este seria o codigo do aeroporto (UNE/Locode).',
'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.': 'Para cada parceiro de sincronização, há uma tarefa de sincronização padrão que é executada após um intervalo de tempo especificado. Você também pode configurar mais tarefas de sincronização que podem ser customizadas de acordo com as suas necessidades. Clique no link à direita para começar.',
'For enhanced security, you are recommended to enter a username and password, and notify administrators of other machines in your organization to add this username and password against your UUID in Synchronization -> Sync Partners': 'Para segurança reforçada, é recomendável digitar um nome de usuário e senha, e notificar os administradores de outras máquinas em sua organização para incluir esse usuário e senha no UUID em Sincronização -> Parceiros De Sincronização',
'For live help from the Sahana community on using this application, go to': 'Para ajuda ao vivo da comunidade do Sahana sobre como utilizar esse aplicativo, vá para',
'For messages that support alert network internal functions': 'Para mensagens que suportam funções internas de alertas de rede',
'For more details on the Sahana Eden system, see the': 'Para obter mais detalhes sobre o sistema Sahana Eden, consulte o',
'For more information, see': 'Para obter mais informações, consulte o',
'For more information, see ': 'For more information, see ',
'For other types, the next screen will allow you to enter the relevant details...': 'Para outros tipos, a próxima tela permitirá que você digite os detalhes relevantes.',
'Forest Fire': 'Incêndios florestais',
'Formal camp': 'Acampamento formal',
'Format': 'Formato',
"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'}": "Formatar a lista de valores de atributos & o valor RGB a ser usado para esses como o objeto JSON, Exemplo: {Red: '#FF0000, Green: '#00FF00', Yellow: '#FFFF00'}",
'Forms': 'formulários',
'Found': 'localizado',
'Foundations': 'Fundações',
'Freezing Drizzle': 'Garoa gelada',
'Freezing Rain': 'Chuva Gelada',
'Freezing Spray': 'Spray Gelado',
'French': 'Francês',
'Friday': 'sexta-feira',
'From': 'from',
'From Facility': 'From Facility',
'From Inventory': 'A partir do Inventário',
'From Location': 'Do Local',
'From Organisation': 'Da organização',
'From Organization': 'Da Organização',
'From Person': 'Da Pessoa',
'Frost': 'Geada',
'Fulfil. Status': 'Encher. Status',
'Fulfillment Status': 'Status de preenchimento',
'Full': 'Cheio',
'Full beard': 'Barba completa',
'Fullscreen Map': 'Mapa em tela cheia',
'Functions available': 'Funções disponíveis',
'Funding Organization': 'Financiar a Organização',
'Funeral': 'Funeral',
'Further Action Recommended': 'Mais Acção Recomendada',
'GIS Reports of Shelter': 'Relatórios GIS de abrigos',
'GIS integration to view location details of the Shelter': 'Integration GIS para visualizar detalhes do local do Abrigo',
'GPS': 'GPS',
'GPS Data': 'GPS Data',
'GPS ID': 'GPS ID',
'GPS Marker': 'Marcador De GPS',
'GPS Track': 'Rastrear por GPS',
'GPS Track File': 'Rastrear Arquivo GPS',
'GPS data': 'GPS data',
'GPS data added': 'GPS data added',
'GPS data deleted': 'GPS data deleted',
'GPS data updated': 'GPS data updated',
'GPX Track': 'GPX RASTREAR',
'GRN': 'NRG',
'GRN Status': 'Status GRN',
'Gale Wind': 'Temporal',
'Gap Analysis': 'Análise de Falhas',
'Gap Analysis Map': 'Mapa de Análise de Falhas',
'Gap Analysis Report': 'Relatório de Análise de Falhas',
'Gap Map': 'Mapa de Falhas',
'Gap Report': 'Relatório de Falhas',
'Gateway': 'Portão',
'Gateway Settings': 'Configurações de Gateway',
'Gateway settings updated': 'Configurações de Gateway atualizadas',
'Gender': 'Sexo',
'General': 'geral',
'General Comment': 'Comentário Geral',
'General Medical/Surgical': 'Médico/Cirúrgico Geral',
'General emergency and public safety': 'Geral de emergência e segurança pública',
'General information on demographics': 'Informações gerais sobre demografia',
'Generator': 'Gerador',
'Geocode': 'Geocodificar',
'Geocoder Selection': 'Seleção De geocodificador',
'Geometry Name': 'Nome da geometria',
'Geophysical (inc. landslide)': 'Geofísica (inc. deslizamento)',
'Geotechnical': 'Geotécnica',
'Geotechnical Hazards': 'RISCOS geotécnicos',
'Geraldo module not available within the running Python - this needs installing for PDF output!': 'Geraldo não disponíveis no módulo a execução Python- é necessário instalar para saída PDF!',
'Geraldo not installed': 'Geraldo não instalado',
'German': 'German',
'Get incoming recovery requests as RSS feed': 'Obter pedidos recebidos de recuperação como feed RSS',
'Give a brief description of the image, e.g. what can be seen where on the picture (optional).': 'Fornecer uma descrição breve da imagem, por exemplo, o que pode ser visto no local da imagem (opcional).',
'Give information about where and when you have seen them': 'Fornecer informações sobre onde e quando você os viu',
'Global Messaging Settings': 'Configurações Globais de Menssagem',
'Go': 'ir',
'Go to Request': 'Ir para Pedido',
'Goatee': 'Barbicha',
'Good': 'Válido',
'Good Condition': 'Boa Condição',
'Goods Received Note': 'Nota de Recebimento de Mercadorias',
"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': 'Governamental',
'Government UID': 'GOVERNO UID',
'Government building': 'Prédios Públicos',
'Grade': 'Grau',
'Greek': 'grego',
'Green': 'verde',
'Ground movement, fissures': 'Movimento do solo terrestre, fissuras',
'Ground movement, settlement, slips': 'Movimento do solo terrestre, assentamentos, escorregões',
'Group': 'Grupo',
'Group Description': 'Descrição do Grupo',
'Group Details': 'Detalhes do grupo',
'Group ID': 'Group ID',
'Group Member added': 'Membro do grupo incluído',
'Group Members': 'membros do grupo',
'Group Memberships': 'Associados do Grupo',
'Group Name': 'Nome do grupo',
'Group Title': 'Título do grupo',
'Group Type': 'Tipo de grupo',
'Group added': 'Grupo adicionado',
'Group deleted': 'Grupo Excluído',
'Group description': 'Descrição do Grupo',
'Group updated': 'GRUPO ATUALIZADO',
'Groups': 'Grupos do',
'Groups removed': 'Grupos Removido',
'Guest': 'Convidado',
'HR Data': 'Dados de RH',
'HR Manager': 'Responsável de RH',
'Hail': 'granizo',
'Hair Color': 'Cor do Cabelo',
'Hair Length': 'Comprimento do cabelo',
'Hair Style': 'Estilo do Cabelo',
'Has additional rights to modify records relating to this Organization or Site.': 'Tem direitos adicionais para modificar os registros relativos a esta organização ou site.',
'Has data from this Reference Document been entered into Sahana?': 'Os dados deste documento de referência foi digitado no Sahana?',
'Has only read-only access to records relating to this Organization or Site.': 'Tem apenas acesso de leitura para os registros relativos a esta organização ou site.',
'Has the Certificate for receipt of the shipment been given to the sender?': 'O certificado de recepção do carregamento foi dado para o remetente?',
'Has the GRN (Goods Received Note) been completed?': 'O GRN (nota de mercadorias recebidas) foi concluído?',
'Hazard Pay': 'Pagar Risco',
'Hazardous Material': 'Material perigoso',
'Hazardous Road Conditions': 'Estradas em Condições de Risco',
'Header Background': 'Conhecimento de Chefia',
'Header background file %s missing!': 'Arquivo de Cabeçalho de Base %s ausente!',
'Headquarters': 'Matriz',
'Health': 'Saúde',
'Health care assistance, Rank': 'Assistência Saúde, Classificação',
'Health center': 'Centro de Saúde',
'Health center with beds': 'Centro de saúde com camas',
'Health center without beds': 'Centro de saúde sem camas',
'Health services status': 'Situação dos serviços de saúde',
'Healthcare Worker': 'Profissional de Saúde',
'Heat Wave': 'Onda de calor',
'Heat and Humidity': 'Calor e Umidade',
'Height': 'Altura',
'Height (cm)': 'Altura (cm)',
'Height (m)': 'Altura (m)',
'Help': 'Ajuda',
'Helps to monitor status of hospitals': 'Ajuda para monitorar status de hospitais',
'Helps to report and search for Missing Persons': 'Ajuda a reportar e procurar pessoas desaparecidas.',
'Helps to report and search for missing persons': 'Ajuda a reportar e procurar pessoas desaparecidas.',
'Here are the solution items related to the problem.': 'Aqui estão as soluções relacionadas ao problema.',
'Heritage Listed': 'Património Listado',
'Hierarchy Level %d Name': 'Hierarquia de Nível% de d Nome',
'Hierarchy Level 0 Name (e.g. Country)': 'Hierarquia Nível 0 Nome (por exemplo, País)',
'Hierarchy Level 0 Name (i.e. Country)': 'Hierarquia Nível 0 nome (por exemplo País)',
'Hierarchy Level 1 Name (e.g. Province)': 'Hierarquia Nível 1 Nome (por exemplo, Província)',
'Hierarchy Level 1 Name (e.g. State or Province)': 'Hierarquia Nível 1 nome (por exemplo, Estado ou Província)',
'Hierarchy Level 2 Name (e.g. District or County)': 'Hierarquia de Nível 2 Nome (por exemplo, Região ou Município)',
'Hierarchy Level 3 Name (e.g. City / Town / Village)': 'Hierarquia Nível 3 Nome (por exemplo, Cidade / Municipio / Vila)',
'Hierarchy Level 4 Name (e.g. Neighbourhood)': 'Hierarquia de Nível 4 Nome (por exemplo, Bairro)',
'Hierarchy Level 5 Name': 'Nome de Nível 5 na Hierarquia',
'High': 'Alta',
'High Water': "d'água alta",
'Hindu': 'Hindu',
'History': 'História',
'Hit the back button on your browser to try again.': 'Clique no ícone de voltar em seu navegador para tentar novamente.',
'Holiday Address': 'Endereço durante Feriado',
'Home': 'Residência',
'Home Address': 'Endereço Residencial',
'Home City': 'Home City',
'Home Country': 'País natal',
'Home Crime': 'Crime Doméstico',
'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': 'Detalhes do Hospital',
'Hospital Status Report': 'Relatório de Status do Hospital',
'Hospital information added': 'Informações do hospital inclusas.',
'Hospital information deleted': 'Informações do hospital excluídas',
'Hospital information updated': 'informações do Hospital atualizadas',
'Hospital status assessment.': 'Avaliação de status do Hospital.',
'Hospitals': 'Hospitais',
'Hot Spot': 'ponto de acesso',
'Hour': 'Hora',
'Hours': 'Horas',
'Household kits received': 'Kits caseiros recebidos',
'Household kits, source': 'Kit de família, origem',
'How does it work?': 'Como funciona?',
'How is this person affected by the disaster? (Select all that apply)': 'Como esta pessoa é afetada pelo desastre? (selecione todos que se aplicam)',
'How long will the food last?': 'Quanto tempo irá durar a comida?',
'How many Boys (0-17 yrs) are Dead due to the crisis': 'Quantos rapazes (0-17 anos) estão Mortos devido à crise',
'How many Boys (0-17 yrs) are Injured due to the crisis': 'Quantos rapazes (0-17 anos) estão Feridos devido à crise',
'How many Boys (0-17 yrs) are Missing due to the crisis': 'Quantos rapazes (0-17 anos) estão Desaparecidos devido à crise',
'How many Girls (0-17 yrs) are Dead due to the crisis': 'Quantas garotas (0-17 anos) morreram devido à crise',
'How many Girls (0-17 yrs) are Injured due to the crisis': 'Quantas garotas (0-17 anos) estão feridas devido à crise',
'How many Girls (0-17 yrs) are Missing due to the crisis': 'Quantas garotas (0-17 anos) estão perdidas devido à crise',
'How many Men (18 yrs+) are Dead due to the crisis': 'Quantos homens (18 anos+) estão mortos devido à crise',
'How many Men (18 yrs+) are Injured due to the crisis': 'Quantos homens (18 anos +) são feridos devido à crise',
'How many Men (18 yrs+) are Missing due to the crisis': 'Quantos homens (18 anos +) estão ausentes devido à crise',
'How many Women (18 yrs+) are Dead due to the crisis': 'Quantas mulheres (+18 anos) estão mortas devido à crise',
'How many Women (18 yrs+) are Injured due to the crisis': 'Quantas mulheres (+18 anos) estão feridas devido à crise',
'How many Women (18 yrs+) are Missing due to the crisis': 'Quantas mulheres acima de 18 anos estão ausentes devido à crise',
'How many days will the supplies last?': 'Quantos dias irão durar os abastecimentos?',
'How many new cases have been admitted to this facility in the past 24h?': 'Quantos novos casos tenham sido admitidos a esta facilidade nas últimas 24 horas?',
'How many of the patients with the disease died in the past 24h at this facility?': 'Como muitos dos pacientes com a doença morreram nas últimas 24 horas nesta unidade?',
'How many patients with the disease are currently hospitalized at this facility?': 'Quantos pacientes com a doença estão atualmente internados nesta instalação?',
'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.': 'Quanto detalhe é visto. Um nível alto de Zoom mostra muitos detalhes, mas não uma grande área. Um nível de Zoom baixo significa ver uma grande área, mas não com um alto nível de detalhe.',
'Human Resource': 'Recursos humanos',
'Human Resource Details': 'Detalhes de Recursos Humanos',
'Human Resource Management': 'Gerenciamento de recursos humanos',
'Human Resource added': 'Recurso humano adicionado',
'Human Resource removed': 'Recursos Humanos removido',
'Human Resource updated': 'Recursos Humanos atualizado',
'Human Resources': 'Recursos Humanos',
'Human Resources Management': 'Gerenciamento de Recursos Humanos',
'Humanitarian NGO': 'ONG humanitária',
'Hurricane': 'Furacão',
'Hurricane Force Wind': 'Furacão Força Vento',
'Hybrid Layer': 'Hybrid Layer',
'Hygiene': 'Higiene',
'Hygiene NFIs': 'Higiene NFIs',
'Hygiene kits received': 'Kits de higiene recebido',
'Hygiene kits, source': 'Kits de higiene, origem',
'Hygiene practice': 'Prática de higiene',
'Hygiene problems': 'PROBLEMAS DE HIGIENE',
'I accept. Create my account.': 'I accept. Create my account.',
'I am available in the following area(s)': 'Estou disponível na(s) seguinte(s) área(s)',
'ID Tag': 'Etiqueta de Identificação',
'ID Tag Number': 'Número da Etiqueta de Identificação',
'ID type': 'Tipo de ID',
'Ice Pressure': 'Pressão de gelo',
'Iceberg': 'Icebergue',
'Identification': 'Identification',
'Identification Report': 'Identificação Relatório',
'Identification Reports': 'Relatórios de Identificação',
'Identification Status': 'Status da Identificação',
'Identified as': 'Identificado como',
'Identified by': 'Identificado por',
'Identity': 'Identidade',
'Identity Details': 'Detalhes da identidade',
'Identity added': 'Identidade incluída',
'Identity deleted': 'Identidade excluída',
'Identity updated': 'Identidade atualizada',
'If Staff have login accounts then they are given access to edit the details of the': 'Se o pessoal tiver contas de login, então lhes é dado acesso para editar os detalhes do',
'If a ticket was issued then please provide the Ticket ID.': 'Se um bilhete foi emitido então por favor forneça o ID do bilhete.',
'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.': 'Se um usuário verifica que eles possuem um endereço de email com este domínio, o campo Aprovador é utilizado para determinar se e por quem aprovação adicional é necessária.',
'If it is a URL leading to HTML, then this will downloaded.': 'Se for uma URL levando a HTML, então este será baixado.',
'If neither are defined, then the Default Marker is used.': 'Se nem são definidos, então o Marcador Padrão é utilizado.',
'If no marker defined then the system default marker is used': 'Se nenhum marcador definido, o marcador padrão do sistema é utilizada',
'If no, specify why': 'Se não, especifique por que',
'If none are selected, then all are searched.': 'Se nenhuma for selecionada, então todos são procurados.',
"If selected, then this Asset's Location will be updated whenever the Person's Location is updated.": 'Se selecionado, esta localização do ativo será atualizado sempre que a localização da pessoa é atualizada.',
'If the location is a geographic area, then state at what level here.': 'Se o local é uma área geográfica, então defina em que nível aqui.',
'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 is for type "Other", you should enter a summary of the request here.': 'Se o pedido for para o tipo \ " Outro", você deve digitar um resumo do pedido aqui.',
'If the request type is "Other", please enter request details here.': 'Se o tipo de pedido é "other", por favor, digite aqui detalhes do pedido.',
"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.": 'Se esta configuração representa uma região para o menu regiões, dê-lhe um nome a ser utilizado no menu. O nome de uma configuração pessoal do mapa será configurado para o nome do usuário.',
"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.": 'Se esse campo for Preenchido, então, um usuário que especificar esta organização quando se registrar será designado como um agente desta organização a menos que seu domínio não corresponde ao campo de domínio.',
'If this field is populated then a user with the Domain specified will automatically be assigned as a Staff of this Organization': 'Se esse campo for preenchido, o usuário de um específico Domain será automaticamente registrado como funcionário desta organização.',
'If this is set to True then mails will be deleted from the server after downloading.': 'Se isso for ajustado para “True”, as correspondências serão deletadas do servidor depois que o downloading for feito.',
"If this is ticked, then this will become the user's Base Location & hence where the user is shown on the Map": 'Se isso for ticado, se tornará a base geográfica do usuário e, consequentemente onde este aparece no mapa.',
'If this record should be restricted then select which role is required to access the record here.': 'Se esse registro deve ser restrito, selecione qual regra é necessária para acessar o record aqui.',
'If this record should be restricted then select which role(s) are permitted to access the record here.': 'Se esse registro deve ser restrito, selectione qual (is) regra (s) serão permitidas para assessá-lo aqui.',
'If yes, specify what and by whom': 'Se SIM, Especifique o quê e por quem',
'If yes, which and how': 'Se sim, quais e como',
'If you do not enter a Reference Document, your email will be displayed to allow this data to be verified.': 'Se você não inserir um documento de referência, seu e-mail será exibido para permitir que esses dados sejam verificados.',
"If you don't see the Hospital in the list, you can add a new one by clicking link 'Add Hospital'.": "Se você não vê o Hospital na lista, você pode incluir um novo clicando no link 'incluir Hospital'.",
"If you don't see the Office in the list, you can add a new one by clicking link 'Add Office'.": "Se você não vê o escritório na lista, você pode incluir um novo clicando no link 'incluir escritório'.",
"If you don't see the Organization in the list, you can add a new one by clicking link 'Add Organization'.": 'Se voce não vê a Organização na lista, voce poderá adicionar uma nova clicando no link "Incluir Organização"',
'If you know what the Geonames ID of this location is then you can enter it here.': 'Se voce conhecer o Geonames ID desta localização então voce poderá inserí-lo aqui.',
'If you know what the OSM ID of this location is then you can enter it here.': 'Se voce conhecer o OSM ID desta localização, então voce pode inserí-lo aqui.',
'If you need to add a new document then you can click here to attach one.': 'Se houver necessidade de incluir um novo documento então voce poderá clicar aqui para anexá-lo.',
'If you want several values, then separate with': 'Se voce deseja varios valores, separe com',
'If you would like to help, then please': 'Se você gostaria de ajudar, então por favor',
'Illegal Immigrant': 'Imigrante Ilegal',
'Image': 'Imagem',
'Image Details': 'Detalhes da Imagem',
'Image File(s), one image per page': 'Image File(s), one image per page',
'Image Tags': 'Imagem Tags',
'Image Type': 'Tipo de Imagem',
'Image Upload': 'Fazer atualizacao Da imagem',
'Image added': 'Imagem Adicionada',
'Image deleted': 'Imagem excluída',
'Image updated': 'Imagem atualizada',
'Imagery': 'Imagens',
'Images': 'Imagens',
'Impact Assessments': 'Avaliações de impacto',
'Impact Details': 'Detalhes de impacto',
'Impact Type': 'Tipo de impacto',
'Impact Type Details': 'Detalhes dos tipos de impacto',
'Impact Type added': 'Tipo de impacto incluído',
'Impact Type deleted': 'Tipo de impacto excluído',
'Impact Type updated': 'Atualização dos tipos de impacto',
'Impact Types': 'Tipos de impactos',
'Impact added': 'Impacto incluído',
'Impact deleted': 'Impacto excluído',
'Impact updated': 'Atualização de impacto',
'Impacts': 'Impactos',
'Import': 'Importação',
'Import & Export Data': 'Importar & Exportar Dados',
'Import Data': 'Importar Dados',
'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': 'Importar Tarefas',
'Import New File': 'Import New File',
'Import and Export': 'Importação e Exportação',
'Import from Ushahidi Instance': 'Importação da Instância Ushahidi',
'Import if Master': 'Importar se Mestre',
'Import multiple tables as CSV': 'Importar tabelas multiplas como CSV',
'Import/Export': 'Importar/Exportar',
'Important': 'Importante',
'Importantly where there are no aid services being provided': 'Importante onde não há serviços de apoio a ser prestado',
'Imported': 'Imported',
'Importing data from spreadsheets': 'Importar dados de planilhas',
'Improper decontamination': 'Descontaminação Imprópria',
'Improper handling of dead bodies': 'Manipulação inadequada de cadáveres',
'In Catalogs': 'Em Catálogos',
'In Inventories': 'Em Inventários',
'In Process': 'Em Processo',
'In Progress': 'Em Progresso',
'In Window layout the map maximises to fill the window, so no need to set a large value here.': 'Maximize o ajuste da janela para preenche-la toda, desta forma não será necessário configurar para uso de fonte grande.',
'Inbound Mail Settings': 'Definições de correio de entrada',
'Incident': 'Incidente',
'Incident Categories': 'Categorias Incidente',
'Incident Report': 'Relatório de Incidente',
'Incident Report Details': 'Detalhes do relatório de incidentes',
'Incident Report added': 'Relatório de Incidente incluído',
'Incident Report deleted': 'Relatório de Incidente excluído',
'Incident Report updated': 'Relatório de incidente atualizado',
'Incident Reporting': 'Relatório de incidentes',
'Incident Reporting System': 'Sistema de relatórios de incidentes',
'Incident Reports': 'Relatório de incidentes',
'Incidents': 'incidentes',
'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': 'Entrada',
'Incoming Shipment canceled': 'Chegada da encomenda cancelada',
'Incoming Shipment updated': 'Chegada de encomenda actualizada.',
'Incomplete': 'Incompleto',
'Individuals': 'Individuais',
'Industrial': 'Industrial',
'Industrial Crime': 'Crime Industrial',
'Industry Fire': 'Indústria Fogo',
'Infant (0-1)': 'Criança (0-1)',
'Infectious Disease': 'Doença INFECCIOSA',
'Infectious Disease (Hazardous Material)': 'Doenças infecciosas (Material perigoso)',
'Infectious Diseases': 'Doenças infecciosas',
'Infestation': 'Infestação',
'Informal Leader': 'Líder Informal',
'Informal camp': 'Acampamento Informal',
'Information gaps': 'problemas de informação',
'Infusion catheters available': 'Cateteres de infusão disponível',
'Infusion catheters need per 24h': 'Cateteres infusão necessário por 24 H',
'Infusion catheters needed per 24h': 'Cateteres infusão necessário por H',
'Infusions available': 'Infusões disponíveis',
'Infusions needed per 24h': 'Infusões necessário por 24H',
'Inspected': 'Inspecionado',
'Inspection Date': 'Data de Inspeção',
'Inspection date and time': 'Data e hora de inspeção',
'Inspection time': 'Hora da inspeção',
'Inspector ID': 'ID do Inspetor',
'Instant Porridge': 'Mingau Instantâneo',
"Instead of automatically syncing from other peers over the network, you can also sync from files, which is necessary where there's no network. You can use this page to import sync data from files and also export data to sync files. Click the link on the right to go to this page.": 'Em vez de sincronizar automaticamente com outros pares pela rede, voce também pode sincronizar com arquivos, o que é necessário quando não há rede. Você pode utilizar esta página para importar dados de sincronização de arquivos e também exportar dados para arquivos de Sincronização. Clique no link à direita para ir para esta página.',
'Institution': 'Instituição',
'Insufficient': 'insuficiente',
'Insufficient privileges': 'Insufficient privileges',
'Insufficient vars: Need module, resource, jresource, instance': 'Variaveis insuficientes: necessario modulo, recurso, jrecurso, instância',
'Insurance Renewal Due': 'Insurance Renewal Due',
'Intake Items': 'Itens de admissão',
'Intergovernmental Organization': 'Organização Intergovernamental',
'Interior walls, partitions': 'Do Interior das paredes, partições',
'Internal State': 'Estado Interno',
'International NGO': 'ONG internacional',
'International Organization': 'Organização Internacional',
'Interview taking place at': 'Entrevista em',
'Invalid': 'Inválido',
'Invalid Query': 'Consulta inválida',
'Invalid email': 'Invalid email',
'Invalid phone number': 'Invalid phone number',
'Invalid phone number!': 'Invalid phone number!',
'Invalid request!': 'Pedido inválido!',
'Invalid ticket': 'Bilhete Inválido',
'Inventories': 'Inventários.',
'Inventory': 'Inventário',
'Inventory Item': 'Item do inventário',
'Inventory Item Details': 'Detalhes do Item de inventário',
'Inventory Item added': 'Item incluído no inventário',
'Inventory Item deleted': 'Item do inventário excluído',
'Inventory Item updated': 'Item de Inventário atualizado',
'Inventory Items': 'Itens do Inventário',
'Inventory Items Available for Request Item': 'Itens de inventário disponíveis para Pedir um Item',
'Inventory Items include both consumable supplies & those which will get turned into Assets at their destination.': 'Itens de invenrário incluem ambos suprimentos consumíveis & aqueles que se transformarão em Ativos no seu destino.',
'Inventory Management': 'Gerenciamento de Inventário',
'Inventory Stock Position': 'Inventory Stock Position',
'Inventory functionality is available for:': 'Inventário de funcionalidades esta disponível para:',
'Inventory of Effects': 'Inventário de Efeitos',
'Is editing level L%d locations allowed?': 'É permitido editar o nível dos locais L%d?',
'Is it safe to collect water?': 'É seguro coletar água?',
'Is this a strict hierarchy?': 'Esta é uma hierarquia rigorosa?',
'Issuing Authority': 'Autoridade emissora',
'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.': 'Ele captura não apenas os locais onde elas estão ativas, mas também captura informações sobre o conjunto de projetos que está fornecendo em cada região.',
'Italian': 'Italian',
'Item': 'Item',
'Item Added to Shipment': 'Item Incluído para Embarque',
'Item Catalog Details': 'Detalhes do item do catálogo',
'Item Categories': 'Categorias do Item',
'Item Category': 'Categoria do Item',
'Item Category Details': 'Detalhes da categoria de item',
'Item Category added': 'Categoria de item incluída',
'Item Category deleted': 'Categoria de item excluída',
'Item Category updated': 'Atualização da categoria de item',
'Item Details': 'Detalhes do item',
'Item Pack Details': 'Detalhes do pacote de itens',
'Item Pack added': 'Pacote de itens',
'Item Pack deleted': 'Pacote de itens excluído',
'Item Pack updated': 'Itens de Pacote atualizados',
'Item Packs': 'Item de Pacotes',
'Item added': 'Item incluído',
'Item added to Inventory': 'Itens adicionados ao Inventário',
'Item added to shipment': 'Item incluído para embarque',
'Item already in Bundle!': 'Item já no pacote configurável!',
'Item already in Kit!': 'Item já no Kit!',
'Item already in budget!': 'Item já no Orçamento!',
'Item deleted': 'Item Excluído',
'Item removed from Inventory': 'Item removido do Inventário',
'Item updated': 'Item atualizado',
'Items': 'Itens',
'Items in Category can be Assets': 'itens na categoria podem ser ativos',
'Japanese': 'japonês',
'Jerry can': 'Jerry pode',
'Jew': 'Judeu',
'Job Market': 'Mercado de trabalho',
'Job Role': 'Função de trabalho',
'Job Role Catalog': 'Catalogo de Funçao de trabalho',
'Job Role Details': 'Detalhes da Função',
'Job Role added': 'funçao de trabalho inclusa',
'Job Role deleted': 'Funçao de trabalho excluida',
'Job Role updated': 'Função actualizada',
'Job Roles': 'Funções',
'Job Title': 'Título do Cargo',
'Jobs': 'Tarefas',
'Journal': 'Diário',
'Journal Entry Details': 'Detalhes da Entrada de Diário',
'Journal entry added': 'Entrada de diário incluída',
'Journal entry deleted': 'Entrada de diário removida',
'Journal entry updated': 'Entrada de diário atualizado',
'Key': 'Tecla',
'Key Details': 'Detalhes da Chave',
'Key added': 'Chave adicionada',
'Key deleted': 'Chave removida',
'Key updated': 'Chave actualizada',
'Keys': 'Teclas',
'Kit': 'kit',
'Kit Contents': 'Conteúdo Kit',
'Kit Details': 'Detalhes do Kit',
'Kit Updated': 'Kit de Atualização',
'Kit added': 'Pacote adicionado',
'Kit deleted': 'Kit excluído',
'Kit updated': 'Kit de atualização',
'Kits': 'Kits',
'Known Identities': 'Identidades conhecido',
'Known incidents of violence against women/girls': 'Incidentes de violência conhecidos contra mulheres/garotas',
'Known incidents of violence since disaster': 'Incidentes de violência conhecidos desde o desastre',
'Korean': 'Korean',
'LICENSE': 'LICENÇA',
'Lack of material': 'Falta de material',
'Lack of school uniform': 'Falta de uniforme escolar',
'Lack of supplies at school': 'Falta de suprimentos na escola',
'Lack of transport to school': 'Falta de transporte escolar',
'Lactating women': 'Mulheres lactantes',
'Lahar': 'Lahar',
'Landslide': 'Deslizamento',
'Language': 'Linguagem',
'Last Name': 'sobrenome',
'Last known location': 'Último local conhecido',
'Last name': 'Last name',
'Last synchronization time': 'Horário da última sincronização',
'Last updated': 'Última atualização',
'Last updated ': 'Last updated ',
'Last updated by': 'Última atualização por',
'Last updated on': 'Última Atualização em',
'Latitude': 'Latitude',
'Latitude & Longitude': 'Latitude & Longitude',
'Latitude is North-South (Up-Down).': 'Latitude é sentido norte-sul (emcima-embaixo).',
'Latitude is zero on the equator and positive in the northern hemisphere and negative in the southern hemisphere.': 'Latitude é zero na linha do Equador, positiva no hemisfério norte e negativa no hemisfério sul.',
'Latitude of Map Center': 'Latitude DO MAPA Centro',
'Latitude of far northern end of the region of interest.': 'Latitude do extremo Norte longe do Região de interesse.',
'Latitude of far southern end of the region of interest.': 'Latitude da extremidade sul longe do Região de interesse.',
'Latitude should be between': 'Latitude deve estar entre',
'Latrines': 'Privadas',
'Law enforcement, military, homeland and local/private security': 'Execução da lei militar, interna e segurança local/privada',
'Layer': 'Camada',
'Layer Details': 'Detalhes de Camada',
'Layer ID': 'Layer ID',
'Layer Name': 'Layer Name',
'Layer Type': 'Layer Type',
'Layer added': 'Camada incluída',
'Layer deleted': 'Camada excluída',
'Layer has been Disabled': 'Layer has been Disabled',
'Layer has been Enabled': 'Layer has been Enabled',
'Layer updated': 'Camada atualizada',
'Layers': 'Camadas',
'Layers updated': 'Camadas atualizadas',
'Layout': 'Modelo',
'Leader': 'guia',
'Leave blank to request an unskilled person': 'Leave blank to request an unskilled person',
'Legend Format': 'Formato da Legenda',
'Length (m)': 'Comprimento (m)',
'Level': 'Nível',
'Level 1': 'Nível 1',
'Level 1 Assessment Details': 'Detalhes da Avaliação Nível 1',
'Level 1 Assessment added': 'Avaliação Nível 1 incluído',
'Level 1 Assessment deleted': 'Avaliação Nível 1 excluído',
'Level 1 Assessment updated': 'Avaliação Nível 1 atualizada',
'Level 1 Assessments': 'Avaliações Nível 1',
'Level 2': 'nível 2',
'Level 2 Assessment Details': 'Nível 2 de avaliação Detalhado',
'Level 2 Assessment added': 'Nível 2 avaliação incluído',
'Level 2 Assessment deleted': 'Nível 2 de avaliação excluído',
'Level 2 Assessment updated': 'Nível 2 de avaliação atualizada',
'Level 2 Assessments': 'Nível 2 de Avaliações',
'Level 2 or detailed engineering evaluation recommended': 'Nível 2 ou engenharia detalhada de avaliação recomendado',
"Level is higher than parent's": 'Nível superior ao dos pais',
'Library support not available for OpenID': 'Apoio de biblioteca não está disponível para OpenID',
'License Number': 'License Number',
'License Plate': 'License Plate',
'LineString': 'cadeia-de-linhas',
'List': 'Listar',
'List / Add Baseline Types': 'Lista / Incluir Linha de Tipos',
'List / Add Impact Types': 'Lista / Incluir Tipos de Impacto',
'List / Add Services': 'Lista / Incluir Serviços',
'List / Add Types': 'Lista / Incluir Tipos',
'List Activities': 'listar atividades',
'List All': 'Mostrar Tudo',
'List All Assets': 'Lista todos os ativos',
'List All Catalog Items': 'Lista todos os Itens Do Catálogo',
'List All Commitments': 'Lista todos os compromissos',
'List All Entries': 'Listar todas as entradas',
'List All Item Categories': 'Lista todos os itens Categorias',
'List All Memberships': 'Listar Todas As Associações',
'List All Received Shipments': 'Lista todas as transferências Recebidas',
'List All Records': 'Lista todos os registros',
'List All Reports': 'Listar todos os Relatórios',
'List All Requested Items': 'Lista Todos Os itens solicitados',
'List All Requested Skills': 'List All Requested Skills',
'List All Requests': 'Lista Todos Os Pedidos',
'List All Sent Shipments': 'Listar todos os embarques enviados',
'List All Vehicles': 'List All Vehicles',
'List Alternative Items': 'Listar Itens Alternativos',
'List Assessment Summaries': 'Listar Resumos das Avaliações',
'List Assessments': 'Listar as Avaliações',
'List Asset Assignments': 'Listar Atribuições de Ativos',
'List Assets': 'Listar Ativos',
'List Availability': 'Listar Disponibilidade',
'List Baseline Types': 'Lista de Tipos De Linha',
'List Baselines': 'Lista de Linhas',
'List Brands': 'Lista de Marcas',
'List Budgets': 'Listar Orçamentos',
'List Bundles': 'Listar Pacotes',
'List Camp Services': 'Listar Serviços de Acampamento',
'List Camp Types': 'Listar Tipos de Acampamentos',
'List Camps': 'Listar Acampamentos',
'List Catalog Items': 'Lista de Itens Do Catálogo',
'List Catalogs': 'Listar catálogos',
'List Certificates': 'Listar certificados',
'List Certifications': 'Listar certificações',
'List Checklists': 'Lista Listas de Verificação.',
'List Cluster Subsectors': 'Lista Subsetores de Cluster',
'List Clusters': 'Lista Clusters',
'List Commitment Items': 'Lista Itens de Compromisso',
'List Commitments': 'Lista Compromissos',
'List Committed People': 'List Committed People',
'List Competencies': 'Listar competencias',
'List Competency Ratings': 'Listar classificações de competencias',
'List Conflicts': 'Lista Conflitos',
'List Contact Information': 'Listar informações do contato',
'List Contacts': 'Listar contatos',
'List Course Certificates': 'Listar certificados de cursos',
'List Courses': 'Listar Cursos',
'List Credentials': 'Listar credenciais',
'List Current': 'Lista Atual',
'List Documents': 'Listar documentos',
'List Donors': 'Listar doadores',
'List Events': 'Lista de Eventos',
'List Facilities': 'Lista de Facilidades',
'List Feature Classes': 'Listar Classes De Recursos',
'List Feature Layers': 'LISTAr Camadas DE RECURSOS',
'List Flood Reports': 'Listar Relatórios de Inundações',
'List GPS data': 'List GPS data',
'List Groups': 'Listar grupos',
'List Groups/View Members': 'Listar Grupos/visualizar membros',
'List Homes': 'List Homes',
'List Hospitals': 'Listar de Hospitais',
'List Human Resources': 'Lista de Recursos Humanos',
'List Identities': 'Lista de Identidades',
'List Images': 'Lista de Imagens',
'List Impact Assessments': 'Lista de Avaliações De Impacto',
'List Impact Types': 'Lista de Tipos De Impacto',
'List Impacts': 'Lista de impactos',
'List Import Files': 'List Import Files',
'List Incident Reports': 'Lista de relatórios de incidentes',
'List Inventory Items': 'Listar ítens de inventário',
'List Item Categories': 'Listar categorias de ítens',
'List Item Packs': 'Lista pacotes de itens',
'List Items': 'Listar itens',
'List Items in Inventory': 'Lista de Itens no inventário',
'List Job Roles': 'Listar cargos',
'List Keys': 'Listar Chaves',
'List Kits': 'LISTAR Kits',
'List Layers': 'Listar Camadas',
'List Level 1 Assessments': 'Listar avaliações nível 1',
'List Level 1 assessments': 'Listar avaliação nível 1',
'List Level 2 Assessments': 'Listar avaliações nível 2',
'List Level 2 assessments': 'Listar avaliações nível 2',
'List Locations': 'Listar Localizações',
'List Log Entries': 'Listar as entradas de log',
'List Map Configurations': 'Listar configurações de mapa',
'List Markers': 'Listar marcadores',
'List Members': 'Lista de membros',
'List Memberships': 'Lista de associados',
'List Messages': 'Listar Mensagens',
'List Missing Persons': 'Lista de pessoas desaparecidas',
'List Missions': 'Listar Missões',
'List Need Types': 'Listar tipos de necessidades',
'List Needs': 'Lista de Necessidades',
'List Notes': 'Lista de Notas',
'List Offices': 'Lista de Escritórios',
'List Organizations': 'Listar Organizações',
'List Patients': 'List Patients',
'List Peers': 'LISTA DE PARES',
'List Personal Effects': 'Lista de objetos pessoais',
'List Persons': 'LISTA DE PESSOAS',
'List Photos': 'Lista de Fotos',
'List Population Statistics': 'Lista das Estatisticas da População',
'List Positions': 'Lista de Posições',
'List Problems': 'Lista de Problemas',
'List Projections': 'Lista de Projeções',
'List Projects': 'Listar Projectos',
'List Rapid Assessments': 'Listar Avaliações Rápidas',
'List Received Items': 'Listar Elementos Recebidos',
'List Received Shipments': 'Listar Carga Recebida',
'List Records': 'Listar Registros',
'List Registrations': 'Listar Registrações',
'List Relatives': 'List Relatives',
'List Reports': 'Relatórios de Listas',
'List Request Items': 'Pedido de Itens de lista',
'List Requested Skills': 'List Requested Skills',
'List Requests': 'LISTA DE PEDIDOS',
'List Resources': 'Listar Recursos',
'List Rivers': 'Lista de Rios',
'List Roles': 'Listar Funções',
'List Rooms': 'Listar Salas',
'List Scenarios': 'Listar cenários',
'List Sections': 'lista de Seções',
'List Sectors': 'Lista de Sectores',
'List Sent Items': 'Os itens da lista Enviada',
'List Sent Shipments': 'Embarques lista Enviada',
'List Service Profiles': 'Lista de serviços Perfis',
'List Settings': 'Lista de configurações',
'List Shelter Services': 'Lista de serviços de abrigo',
'List Shelter Types': 'Lista de Tipos De Abrigo',
'List Shelters': 'Lista de Abrigos',
'List Skill Equivalences': 'LISTA DE HABILIDADE Equivalências',
'List Skill Provisions': 'Listar suprimento de habilidades',
'List Skill Types': 'Lista de Tipos De Habilidade',
'List Skills': 'LISTA DE HABILIDADES',
'List Solutions': 'Listar Soluções',
'List Staff': 'Listar Pessoal',
'List Staff Members': 'Listar funcionários',
'List Staff Types': 'Listar Tipos De Equipe',
'List Status': 'Listar Status',
'List Subscriptions': 'Lista de Assinaturas',
'List Subsectors': 'Listar Subsetores',
'List Support Requests': 'Listar Pedidos de Suporte',
'List Survey Answers': 'Listar Respostas de Pesquisa',
'List Survey Questions': 'Listar Perguntas da Pesquisa',
'List Survey Sections': 'Listar Seções da Pesquisa',
'List Survey Series': 'Listar Séries de Pesquisa',
'List Survey Templates': 'Listar Modelos de Pesquisa',
'List Tasks': 'Lista de Tarefas',
'List Teams': 'Lista de Equipes',
'List Themes': 'Lista de Temas',
'List Tickets': 'lista de Bilhetes',
'List Tracks': 'Rastreia lista',
'List Trainings': 'Listar Treinamentos',
'List Units': 'Lista de Unidades',
'List Users': 'Mostrar usuários',
'List Vehicle Details': 'List Vehicle Details',
'List Vehicles': 'List Vehicles',
'List Volunteers': 'Mostrar Voluntários',
'List Warehouses': 'Mostrar Depósitos',
'List all': 'Mostrar tudo',
'List available Scenarios': 'Listar Cenários Disponíveis',
'List of CSV files': 'List of CSV files',
'List of CSV files uploaded': 'List of CSV files uploaded',
'List of Items': 'Lista de Itens',
'List of Missing Persons': 'Lista de pessoas desaparecidas',
'List of Peers': 'Lista de pares',
'List of Reports': 'Lista de Relatórios',
'List of Requests': 'Lista de Pedidos',
'List of Spreadsheets': 'Lista de Folhas de Cálculo',
'List of Spreadsheets uploaded': 'Lista de Folhas de Cálculo transferidas',
'List of Volunteers': 'Lista de Voluntários',
'List of Volunteers for this skill set': 'Lista de Voluntários para este conjunto de competências',
'List of addresses': 'Lista de endereços',
'List unidentified': 'Lista não identificada',
'List/Add': 'Lista/incluir',
'Lists "who is doing what & where". Allows relief agencies to coordinate their activities': 'Lista "quem está fazendo o que & aonde". Permite a agências humanitárias coordenar suas atividades',
'Live Help': 'Ajuda ao vivo',
'Livelihood': 'Subsistência',
'Load Cleaned Data into Database': 'Carregue Informações Claras no Banco de Dados',
'Load Raw File into Grid': 'Carregamento de arquivo bruto na Grid',
'Loading': 'Carregando',
'Local Name': 'Nome local',
'Local Names': 'Nomes locais',
'Location': 'Localização',
'Location 1': 'Local 1',
'Location 2': 'Local 2',
'Location Details': 'Detalhes da Localização',
'Location Hierarchy Level 0 Name': 'Nivel Local de hierarquia 0 nome',
'Location Hierarchy Level 1 Name': 'Nivel local de hierarquia 1 nome',
'Location Hierarchy Level 2 Name': 'Nivel local de hierarquia 2 nome',
'Location Hierarchy Level 3 Name': 'Hierarquia local Nível 3 Nome',
'Location Hierarchy Level 4 Name': 'Hierarquia local Nível 4 Nome',
'Location Hierarchy Level 5 Name': 'Hierarquia local Nível 5 Nome',
'Location added': 'Local incluído',
'Location cannot be converted into a group.': 'Local não pode ser convertido em um grupo.',
'Location deleted': 'Localidade excluída',
'Location details': 'Detalhes do Local',
'Location group cannot be a parent.': 'Localização de grupo não pode ser um pai.',
'Location group cannot have a parent.': 'Localização de grupo não tem um pai.',
'Location groups can be used in the Regions menu.': 'Grupos local pode ser utilizado no menu Regiões.',
'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.': 'Grupos locais podem ser utilizados para filtrar o que é mostrado no mapa e nos resultados da procura apenas as entidades locais abrangidas no grupo.',
'Location updated': 'Local atualizado',
'Location:': 'Localização:',
'Location: ': 'Location: ',
'Locations': 'Localizações',
'Locations of this level need to have a parent of level': 'Locais de esse nível precisa ter um pai de nível',
'Lockdown': 'BLOQUEIO',
'Log': 'registro',
'Log Entry Details': 'detalhes da entrada de registro',
'Log entry added': 'Entrada de Log incluída',
'Log entry deleted': 'Entrada de Log Excluída',
'Log entry updated': 'Entrada de Log de atualização',
'Login': 'login',
'Logistics': 'Logística',
'Logistics Management System': 'Sistema de Gestão de Logística',
'Logo': 'Logotipo',
'Logo file %s missing!': 'Arquivo de logotipo %s ausente!',
'Logout': 'Deslogar',
'Long Text': 'Texto Longo',
'Longitude': 'Longitude',
'Longitude is West - East (sideways).': 'Longitude é Oeste - Leste (lateral).',
'Longitude is West-East (sideways).': 'Longitude é leste-oeste (direções).',
'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 é zero no primeiro meridiano (Greenwich Mean Time) e é positivo para o leste, em toda a Europa e Ásia. Longitude é negativo para o Ocidente, no outro lado do Atlântico e nas Américas.',
'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 é zero no primeiro meridiano (por meio de Greenwich, Reino Unido) e é positivo para o leste, em toda a Europa e Ásia. Longitude é negativo para o Ocidente, no outro lado do Atlântico e nas Américas.',
'Longitude of Map Center': 'Longitude do Centro do Mapa',
'Longitude of far eastern end of the region of interest.': 'Longitude longe do Oeste no final da região de interesse.',
'Longitude of far western end of the region of interest.': 'Longitude de oeste longínquo no final da Região de interesse.',
'Longitude should be between': 'Longitude deve estar entre',
'Looting': 'Saques',
'Lost': 'Perdido',
'Lost Password': 'Senha Perdida',
'Low': 'Baixo',
'Magnetic Storm': 'Tempestade magnética',
'Major Damage': 'Grandes danos',
'Major expenses': 'Despesas principais',
'Major outward damage': 'Danos exteriores principais',
'Make Commitment': 'Ter obrigação',
'Make New Commitment': 'Fazer Novo Compromisso',
'Make Request': 'Fazer Pedido',
'Make preparations per the <instruction>': 'Fazer Preparações por',
'Male': 'masculino',
'Manage': 'Gerenciar',
'Manage Events': 'Manage Events',
'Manage Relief Item Catalogue': 'Gerenciar Catálogo de Item de Alívio',
'Manage Users & Roles': 'GERENCIAR Usuários & Funções',
'Manage Vehicles': 'Manage Vehicles',
'Manage Warehouses/Sites': 'GERENCIAR Armazéns/Sites',
'Manage Your Facilities': 'Gerenciar suas instalações',
'Manage requests for supplies, assets, staff or other resources. Matches against Inventories where supplies are requested.': 'Gerenciar pedidos de suprimentos, patrimônio, pessoal ou outros recursos. Corresponde aos estoques onde os suprimentos são solicitados.',
'Manage requests of hospitals for assistance.': 'GERENCIAR Pedidos de hospitais para obter assistência.',
'Manage volunteers by capturing their skills, availability and allocation': 'GERENCIAR voluntários por captura sua capacidade, Alocação e disponibilidade',
'Manager': 'Gerente',
'Managing Office': 'Gerenciando Office',
'Mandatory. In GeoServer, this is the Layer Name. Within the WFS getCapabilities, this is the FeatureType Name part after the colon(:).': 'Obrigatório. Em GeoServer, este é o nome Da Camada. No getCapabilities WFS, este é o nome da parte FeatureType após os dois pontos (:).',
'Mandatory. The URL to access the service.': 'Obrigatório. A URL para acessar o serviço.',
'Manual': 'Manual',
'Manual Synchronization': 'Sincronização Manual',
'Many': 'Muitos',
'Map': 'Mapa',
'Map Center Latitude': 'Latitude do Centro do Mapa',
'Map Center Longitude': 'Longitude do centro do mapa',
'Map Configuration': 'Configuração de Mapa',
'Map Configuration Details': 'Detalhes de configuração de mapa',
'Map Configuration added': 'Configuração de mapa incluído',
'Map Configuration deleted': 'Configuração de mapa excluído',
'Map Configuration removed': 'Configuração de mapa removido',
'Map Configuration updated': 'Configuração de mapa atualizada',
'Map Configurations': 'Configuracões de mapa',
'Map Height': 'Altura do Mapa',
'Map Service Catalog': 'Catálogo do serviço de mapas',
'Map Settings': 'Configurações do Mapa',
'Map Viewing Client': 'Cliente de visualização do mapa',
'Map Width': 'Largura do mapa',
'Map Zoom': 'Zoom do mapa',
'Map of Hospitals': 'Mapa de Hospitais',
'MapMaker Hybrid Layer': 'MapMaker Hybrid Layer',
'MapMaker Layer': 'MapMaker Layer',
'Maps': 'Maps',
'Marine Security': 'Segurança da marina',
'Marital Status': 'Estado Civil',
'Marker': 'Marcador',
'Marker Details': 'Detalhes do Marcador',
'Marker added': 'Marcador incluído',
'Marker deleted': 'Marcador removido',
'Marker updated': 'Marcador atualizado',
'Markers': 'Marcadores',
'Master': 'Master',
'Master Message Log': 'Mensagem de Log principal',
'Master Message Log to process incoming reports & requests': 'Log de Mensagem Principal para processar relatórios de entrada e pedidos',
'Match Percentage': 'Porcentagem de correspondência',
'Match Requests': 'Corresponder Pedidos',
'Match percentage indicates the % match between these two records': 'Porcentagem idêntica indica a % idêntica entre estes dois registros.',
'Match?': 'Combina?',
'Matching Catalog Items': 'Catálogo de itens correspondentes',
'Matching Items': 'Itens correspondentes',
'Matching Records': 'Registros de correspondência',
'Matrix of Choices (Multiple Answers)': 'Matrix de Opções (Respostas Múltiplas)',
'Matrix of Choices (Only one answer)': 'Matrix de Opções (Apenas uma resposta)',
'Matrix of Text Fields': 'Matriz de campos de texto',
'Max Persons per Dwelling': 'Máx. Pessoas por Habitação',
'Maximum Location Latitude': 'Latitude máxima local',
'Maximum Location Longitude': 'Longitude máxima local',
'Medical and public health': 'Saúde Médica e Pública',
'Medium': 'Médio',
'Megabytes per Month': 'Megabytes por mês',
'Members': 'membros',
'Membership': 'Membresia',
'Membership Details': 'Detalhes de Associação',
'Membership added': 'Associação incluído',
'Membership deleted': 'Associação Excluída',
'Membership updated': 'Associação ATUALIZADO',
'Memberships': 'Parcelas',
'Message': 'message',
'Message Details': 'deatlhes de mesagens',
'Message Variable': 'Mensagem variável',
'Message added': 'Mensagem incluída',
'Message deleted': 'Mensagem Excluída',
'Message field is required!': 'Campo mensagem é obrigatório!',
'Message updated': 'Mensagem atualizada',
'Message variable': 'Mensagem variável',
'Messages': 'mensagens.',
'Messaging': 'sistema de mensagens',
'Messaging settings updated': 'Configurações de mensagens atualizadas',
'Meteorite': 'Meteorito',
'Meteorological (inc. flood)': 'Meteorológico (inc. Enchente)',
'Method used': 'Método utilizado',
'Middle Name': 'Nome do meio',
'Migrants or ethnic minorities': 'Imigrantes ou minorias étnicas',
'Mileage': 'Mileage',
'Military': 'Militares',
'Minimum Bounding Box': 'Caixa Delimitadora Mínima',
'Minimum Location Latitude': 'Mínimo Latitude de Localidade',
'Minimum Location Longitude': 'Longitude de Localização Mínima',
'Minimum shift time is 6 hours': 'tempo mínimo de Shift é de 6 horas',
'Minor Damage': 'Dano secundário',
'Minor/None': 'Secundária/Nenhum',
'Minorities participating in coping activities': 'Minorias participando em atividades de cópia',
'Minute': 'Minuto',
'Minutes must be a number between 0 and 60': 'Minutos devem ser um número entre 0 e 60',
'Minutes per Month': 'Minutos por Mês',
'Minutes should be a number greater than 0 and less than 60': 'Minutos devem ser um número maior que 0 e menor que 60',
'Miscellaneous': 'Variados',
'Missing': 'Perdido',
'Missing Person': 'Pessoa desaparecida',
'Missing Person Details': 'Detalhes da pessoa perdida',
'Missing Person Registry': 'Faltando Registro da Pessoa',
'Missing Person Reports': 'Relatórios da pessoa desaparecida',
'Missing Persons': 'Pessoas desaparecidas',
'Missing Persons Registry': 'Registro de pessoas desaparecidas',
'Missing Persons Report': 'Relatório de pessoas desaparecidas',
'Missing Report': 'Relatório de desaparecimento',
'Missing Senior Citizen': 'Cidadão sênior desaparecido',
'Missing Vulnerable Person': 'Pessoa vulnerável desaparecida',
'Mission Details': 'Detalhes da Missão',
'Mission Record': 'Registro da Missão',
'Mission added': 'Missão incluída',
'Mission deleted': 'Missão excluída',
'Mission updated': 'Missão atualizada',
'Missions': 'Missões',
'Mobile': 'telefone celular',
'Mobile Basic Assessment': 'Taxação básica móvel',
'Mobile Phone': 'Telefone celular',
'Mode': 'modo',
'Model/Type': 'Modelo/Tipo',
'Modem': 'Modem',
'Modem Settings': 'Configurações do Modem',
'Modem settings updated': 'Configurações de modem atualizadas',
'Moderate': 'moderate',
'Moderator': 'moderator',
'Modify Information on groups and individuals': 'Modificar Informações sobre grupos e pessoas',
'Modifying data in spreadsheet before importing it to the database': 'Modificando dados na planilha antes de importá-los para o banco de dados',
'Module': 'Módulo',
'Module disabled!': 'Módulo desativado!',
'Module provides access to information on current Flood Levels.': 'Módulo fornece acesso a informações na atual Onda níveis.',
'Monday': 'segunda-feira',
'Monthly Cost': 'Custo mensal',
'Monthly Salary': 'Salário mensal',
'Months': 'meses',
'Morgue': 'Morgue',
'Morgue Details': 'Morgue Details',
'Morgue Status': 'Situação do necrotério',
'Morgue Units Available': 'Unidades disponíveis no necrotério',
'Morgues': 'Morgues',
'Mosque': 'Mesquita',
'Motorcycle': 'Motocicleta',
'Moustache': 'Bigode',
'MultiPolygon': 'multipolygon',
'Multiple': 'Múltiplos',
'Multiple Choice (Multiple Answers)': 'Múltipla escolha (Várias Respostas)',
'Multiple Choice (Only One Answer)': 'Múltipla Escolha (Apenas uma resposta)',
'Multiple Matches': 'Múltiplas Correspondências',
'Multiple Text Fields': 'Vários campos de texto',
'Muslim': 'Muçulmano',
'Must a location have a parent location?': 'Um local deve ter uma posição pai?',
'My Current function': 'Minha função Atual',
'My Details': 'My Details',
'My Tasks': 'Minhas tarefas',
'My Volunteering': 'My Volunteering',
'N/A': 'n/d',
'NO': 'no',
'NZSEE Level 1': 'NZSEE Nível 1',
'NZSEE Level 2': 'NZSEE Nível 2',
'Name': 'nome',
'Name and/or ID': 'Nome E/OU ID',
'Name of the file (& optional sub-path) located in static which should be used for the background of the header.': 'O nome do arquivo (& sub OPCIONAL-path) localizado no estáticamente que deve ser utilizado para o segundo plano do Cabeçalho.',
'Name of the file (& optional sub-path) located in static which should be used for the top-left image.': 'Nome do arquivo (e sub-caminho opcional) localizado estático que deveria ser utilizado para a imagem superior esquerda.',
'Name of the file (& optional sub-path) located in views which should be used for footer.': 'Nome do arquivo (e sub-caminho opcional) localizado nas visualizações que deve ser utilizado no rodapé.',
'Name of the person in local language and script (optional).': 'Nome da pessoa no idioma local e script local (opcional).',
'Name or Job Title': 'Nome ou cargo',
'Name, Org and/or ID': 'Nome, organização e/ou ID.',
'Name/Model/Type': 'Nome/Modelo/Tipo',
'Names can be added in multiple languages': 'Nomes podem ser adicionados em múltiplos idiomas',
'National': 'Nacional',
'National ID Card': 'Cartão de ID Nacional',
'National NGO': 'Nacional ONG',
'Nationality': 'Nacionalidade',
'Nationality of the person.': 'Nacionalidade da pessoa.',
'Nautical Accident': 'Acidente Náutico',
'Nautical Hijacking': 'Sequestro Náutico',
'Need Type': 'Precisa de Tipo',
'Need Type Details': 'Tipo precisa de Detalhes',
'Need Type added': 'Precisa de tipo incluído',
'Need Type deleted': 'Precisa de Tipo excluído',
'Need Type updated': 'Tipo de necessidade atualizada',
'Need Types': 'Tipos de necessidade',
"Need a 'url' argument!": "Precisa de um argumento ' url!",
'Need added': 'Necessidade incluída',
'Need deleted': 'Necessidade excluída',
'Need to be logged-in to be able to submit assessments': 'Precisa estar conectado ao programa para conseguir submeter avaliações',
'Need to configure Twitter Authentication': 'Precisa configurar a autenticação do Twitter',
'Need to specify a Budget!': 'É necessário especificar um orçamento!',
'Need to specify a Kit!': 'É necessário especificar um Kit!',
'Need to specify a Resource!': 'É necessário especificar um recurso!',
'Need to specify a bundle!': 'É necessário especificar um pacote!',
'Need to specify a group!': 'É necessário especificar um grupo!',
'Need to specify a location to search for.': 'É necessário especificar um local para procurar.',
'Need to specify a role!': 'Será necessário especificar um papel!',
'Need to specify a table!': 'Será necessário especificar uma tabela!',
'Need to specify a user!': 'Será necessário especificar um usuário!',
'Need updated': 'Precisa de atualização',
'Needs': 'necessidades',
'Needs Details': 'detalhes necessarios',
'Needs Maintenance': 'Necessita Manutenção',
'Needs to reduce vulnerability to violence': 'Necessidade de reduzir a vulnerabilidade à violência.',
'Negative Flow Isolation': 'NEGATIVO Fluxo ISOLAMENTO',
'Neighborhood': 'Bairro',
'Neighbouring building hazard': 'Risco de construção vizinhos',
'Neonatal ICU': 'Neonatal ICU',
'Neonatology': 'Neonatologia',
'Network': 'rede',
'Neurology': 'Neurologia',
'New': 'Novo(a)',
'New Assessment reported from': 'Nova Avaliação relatada a partir de',
'New Certificate': 'Novo Certificado',
'New Checklist': 'Nova Verificação',
'New Entry': 'Nova Entrada',
'New Event': 'Novo Evento',
'New Home': 'New Home',
'New Item Category': 'Nova Categoria de Ítem',
'New Job Role': 'Novo Papel',
'New Location': 'Novo Local',
'New Location Group': 'Novo Grupo de Locais',
'New Patient': 'New Patient',
'New Peer': 'Novo Par',
'New Record': 'Novo Registro',
'New Relative': 'New Relative',
'New Request': 'Nova Requisição',
'New Scenario': 'Novo Cenário',
'New Skill': 'Nova Habilidade',
'New Solution Choice': 'Escolha nova solução',
'New Staff Member': 'Novo membro da equipe',
'New Support Request': 'Novo pedido de suporte',
'New Synchronization Peer': 'Novo par de sincronização',
'New Team': 'Nova equipe',
'New Ticket': 'New Ticket',
'New Training Course': 'Novo Curso de Treinamento',
'New Volunteer': 'Novo Voluntário',
'New cases in the past 24h': 'Novos casos nas últimas 24H',
'News': 'Notícias',
'Next': 'Seguinte',
'No': 'no',
'No Activities Found': 'Não há actividades',
'No Activities currently registered in this event': 'No Activities currently registered in this event',
'No Alternative Items currently registered': 'Nenhum item alternativo atualmente registrado',
'No Assessment Summaries currently registered': 'Nenhum Sumário De Avaliação actualmente registrado',
'No Assessments currently registered': 'Nenhuma Avaliação actualmente registrada',
'No Asset Assignments currently registered': 'Nenhum ativo designado encontra-se atualmente registrado',
'No Assets currently registered': 'Sem Ativos registrados atualmente',
'No Assets currently registered in this event': 'Sem ativos atualmente registrados neste evento',
'No Assets currently registered in this scenario': 'Sem ativos atualmente registrados neste cenário',
'No Baseline Types currently registered': 'Nenhum tipo de base line registrado atualmente',
'No Baselines currently registered': 'Nenhuma linha base registrada atualmente',
'No Brands currently registered': 'Sem Marcas atualmente registrado',
'No Budgets currently registered': 'Nenhum Dos Orçamentos registrados atualmente',
'No Bundles currently registered': 'Nenhum pacote atualmente registrado',
'No Camp Services currently registered': 'Nenhum serviço de acampamento atualmente registrado',
'No Camp Types currently registered': 'Nenhum tipo de acampamento atualmente registrado',
'No Camps currently registered': 'Sem Acampamentos atualmente registrados',
'No Catalog Items currently registered': 'Nenhum itens do catálogo registrado atualmente',
'No Catalogs currently registered': 'Nenhum catálogo atualmente registrado',
'No Checklist available': 'Checklist não disponível',
'No Cluster Subsectors currently registered': 'Nenhum sub-setor de cluster registrado atualmente',
'No Clusters currently registered': 'Nenhum Cluster registrado atualmente',
'No Commitment Items currently registered': 'Nenhum Item de Compromisso registrado atualmente',
'No Commitments': 'Sem Compromissos',
'No Credentials currently set': 'Nenhuma credencial atualmente configurada',
'No Details currently registered': 'Nenhum detalhes registrado atualmente',
'No Documents currently attached to this request': 'No Documents currently attached to this request',
'No Documents found': 'Nenhum Documento encontrado',
'No Donors currently registered': 'Sem doadores registrados atualmente',
'No Events currently registered': 'Não há eventos atualmente registrados',
'No Facilities currently registered in this event': 'Não há Recursos atualmente registrado nesse evento',
'No Facilities currently registered in this scenario': 'Não há recursos atualmente registrados neste cenário',
'No Feature Classes currently defined': 'Nenhuma Classe de Componentes atualmente definidos',
'No Feature Layers currently defined': 'Nenhuma Camada de Componentes atualmente definidos',
'No Flood Reports currently registered': 'Nenhum relatório de Inundação atualmente registrado',
'No GPS data currently registered': 'No GPS data currently registered',
'No Groups currently defined': 'Não há Grupos definidos atualmente',
'No Groups currently registered': 'Nenhum Grupo atualmente registrado',
'No Homes currently registered': 'No Homes currently registered',
'No Hospitals currently registered': 'Nenhum hospital atualmente registrado',
'No Human Resources currently registered in this event': 'Nao há recursos humanos atualmente registrados nesse evento',
'No Human Resources currently registered in this scenario': 'Sem recursos humanos atualmente registrados neste cenário',
'No Identification Report Available': 'Nenhum Relatório de Identificação Disponível',
'No Identities currently registered': 'Nenhuma Identidade atualmente registrada',
'No Image': 'Nenhuma Imagem',
'No Images currently registered': 'Nenhuma Imagem atualmente registrada',
'No Impact Types currently registered': 'Nenhum tipo de impacto atualmente registrado',
'No Impacts currently registered': 'Nenhum Impacto atualmente registrado',
'No Import Files currently uploaded': 'No Import Files currently uploaded',
'No Incident Reports currently registered': 'Nenhum relatório de incidente registrado atualmente',
'No Incoming Shipments': 'Nenhum Embarque de Entrada',
'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 Inventory Items currently registered': 'Nenhum Item de Inventário registrado atualmente',
'No Item Categories currently registered': 'Nenhuma Categoria de Item atualmente registrada',
'No Item Packs currently registered': 'Nenhum Pacote de Itens atualmente registrado',
'No Items currently registered': 'Nenhum item registrado atualmente',
'No Items currently registered in this Inventory': 'Sem itens registrados atualmente neste inventário',
'No Keys currently defined': 'Nenhuma chave definida no momento',
'No Kits currently registered': 'Nenhum kit registrado no momento',
'No Level 1 Assessments currently registered': 'Nenhuma avaliação nível 1 registrada no momento',
'No Level 2 Assessments currently registered': 'Nenhum nível 2 Avaliações atualmente registrado',
'No Locations currently available': 'Locais Não disponíveis atualmente',
'No Locations currently registered': 'Locais Não registrados atualmente',
'No Map Configurations currently defined': 'Nenhuma configuração de Mapa estão atualmente definidos',
'No Map Configurations currently registered in this event': 'Nenhuma configuração de Mapa esta atualmente registrado nesse evento',
'No Map Configurations currently registered in this scenario': 'Nenhuma configuração de Mapa está atualmente registrado neste cenário',
'No Markers currently available': 'Não há marcadores atualmente disponíveis',
'No Match': 'Sem correspondência',
'No Matching Catalog Items': 'Nenhum Item de Catálogo Correspondente',
'No Matching Items': 'Sem itens correspondentes',
'No Matching Records': 'Sem registros correspondentes',
'No Members currently registered': 'Sem membros registrados atualmente',
'No Memberships currently defined': 'Sem Associações definidas atualmente',
'No Memberships currently registered': 'Sem Associações registradas atualmente',
'No Messages currently in Outbox': 'Nenhuma mensagem na Caixa de saída',
'No Need Types currently registered': 'Sem necessidade, Tipos atualmente registrados',
'No Needs currently registered': 'Sem necessidade, atualmente registrado',
'No Offices currently registered': 'Nenhum Escritório registrado atualmente',
'No Offices found!': 'Menhum Escritório localizado!',
'No Organizations currently registered': 'Número de Organizações atualmente registradas',
'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': 'Nenhuma pessoa registrada atualmente neste campo',
'No People currently registered in this shelter': 'Nenhuma pessoa registrada atualmente neste abrigo',
'No Persons currently registered': 'Nenhuma pessoa atualmente registrada',
'No Persons currently reported missing': 'nenhuma pessoa reportada atualmente como perdida',
'No Persons found': 'Nenhuma pessoa localizada',
'No Photos found': 'Nenhuma Foto localizada',
'No Picture': 'Nenhuma imagem',
'No Population Statistics currently registered': 'Nenhuma estatística populacional atualmente registrada',
'No Presence Log Entries currently registered': 'Nenhuma entrada no log Presença atualmente registrado',
'No Problems currently defined': 'Nenhum Problema atualmente definido',
'No Projections currently defined': 'Nenhuma projeção atualmente definida',
'No Projects currently registered': 'Nenhum projeto atualmente registrado',
'No Rapid Assessments currently registered': 'Nenhuma Tributação Rápida atualmente registrada',
'No Ratings for Skill Type': 'No Ratings for Skill Type',
'No Received Items currently registered': 'Nenhum item recebido atualmente registrado',
'No Received Shipments': 'Entregas/Despachos não recebidos',
'No Records currently available': 'Registros atualmente não disponíveis',
'No Relatives currently registered': 'No Relatives currently registered',
'No Request Items currently registered': 'Não há items de Pedidos registados',
'No Requests': 'Não há pedidos',
'No Rivers currently registered': 'Não Rios atualmente registrado',
'No Roles currently defined': 'Nenhumas funções atualmente definidas',
'No Rooms currently registered': 'Nenhuma sala atualmente registrada',
'No Scenarios currently registered': 'Nenhum cenário atualmente registrado',
'No Sections currently registered': 'Sem seções atualmente registradas',
'No Sectors currently registered': 'setores nao atualmente registrados',
'No Sent Items currently registered': 'Nenhum item Enviado atualmente registrado',
'No Sent Shipments': 'Nenhum carregamento enviado',
'No Settings currently defined': 'configuraçoes atualmente nao definida',
'No Shelter Services currently registered': 'nenhum serviço de abrigo atualmente registrado',
'No Shelter Types currently registered': 'Nenhum tipo de abrigo registrado atualmente',
'No Shelters currently registered': 'abrigos atualmente nao registrados',
'No Skills currently requested': 'No Skills currently requested',
'No Solutions currently defined': 'Sem Soluções actualmente definidas',
'No Staff Types currently registered': 'Sem Tipos de Funcionários actualmente registrados',
'No Staff currently registered': 'Sem Funcionários actualmente registrados',
'No Subscription available': 'Nenhuma assinatura disponível',
'No Subsectors currently registered': 'Nenhum sub setor atualmente registrado',
'No Support Requests currently registered': 'Nenhum suporte a pedido atualmente registrado',
'No Survey Answers currently entered.': 'Nenhuma resposta de pesquisa atualmente inscrita.',
'No Survey Answers currently registered': 'Nenhuma resposta a pesquisa atualmente registrada',
'No Survey Questions currently registered': 'Nenhuma pergunta de pesquisa atualmente registrada',
'No Survey Sections currently registered': 'Nenhuma seção de pesquisa atualmente registrada',
'No Survey Series currently registered': 'Nenhuma série de pesquisa atualmente registrada',
'No Survey Template currently registered': 'Nenhum Modelo de Pesquisa atualmente registrado',
'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 Tasks with Location Data': 'Nenhuma tarefa com local de dados',
'No Teams currently registered': 'Nenhuma equipe atualmente registrada',
'No Themes currently defined': 'Nenhum Tema atualmente definido',
'No Tickets currently registered': 'Sem ingressos atualmente registrados',
'No Tracks currently available': 'nenhum rastreamento atualmente disponível',
'No Users currently registered': 'Nenhum Usuário actualmente registrado',
'No Vehicle Details currently defined': 'No Vehicle Details currently defined',
'No Vehicles currently registered': 'No Vehicles currently registered',
'No Volunteers currently registered': 'Nenhum Voluntário actualmente registrado',
'No Warehouses currently registered': 'Nenhum Armazém actualmente registrado',
'No access at all': 'Nenhum acesso',
'No access to this record!': 'Não há acesso a esta entrada!',
'No action recommended': 'Nenhuma acção recomendada',
'No conflicts logged': 'Nenhum conflito registrado',
'No contact information available': 'Nenhuma informações de contato disponível',
'No contact method found': 'No contact method found',
'No contacts currently registered': 'Nenhum contato atualmente registrado',
'No data in this table - cannot create PDF!': 'Nenhum dado nesta tabela- PDF não pode ser criado!',
'No databases in this application': 'Nenhum banco de dados neste aplicativo',
'No dead body reports available': 'Nenhum relatório de óbito disponível',
'No entries found': 'Nenhum artigo encontrado',
'No entries matching the query': 'Nenhuma entrada correspondente a consulta',
'No entry available': 'Nenhuma entrada disponível',
'No forms to the corresponding resource have been downloaded yet.': 'No forms to the corresponding resource have been downloaded yet.',
'No location known for this person': 'Nenhum local conhecido para essa pessoa',
'No locations found for members of this team': 'Locais não localizado para membros deste equipe',
'No log entries matching the query': 'Nenhuma entrada de log correspondente a consulta',
'No match': 'No match',
'No matching records found': 'No matching records found',
'No messages in the system': 'Nenhuma mensagem no sistema',
'No notes available': 'Notas não disponíveis',
'No peers currently registered': 'Não há pares registrados atualmente',
'No pending registrations found': 'Não foram encontrados registros pendentes',
'No pending registrations matching the query': 'Não foram encontrados registros pendentes correspondentes à consulta efetuada',
'No person record found for current user.': 'Nenhum registro de pessoa localizado para o usuário atual.',
'No problem group defined yet': 'Nenhum grupo problema definido ainda',
'No records matching the query': 'Sem registros correspondentes a consulta',
'No report available.': 'Nenhum Relatório disponível.',
'No reports available.': 'Não há relatórios disponíveis.',
'No reports currently available': 'Não há relatórios disponíveis actualmente',
'No requests found': 'Não foram foram encontrados pedidos',
'No resources currently reported': 'Recursos não reportados actualmente',
'No service profile available': 'Nenhum perfil de serviço disponível',
'No skills currently set': 'Não há habilidades atualmente configuradas',
'No staff members currently registered': 'Nenhum membro da equipe atualmente registrado',
'No staff or volunteers currently registered': 'Nenhum funcionário ou voluntário atualmente registrado',
'No status information available': 'Informação não está disponível',
'No synchronization': 'Sem Sincronização',
'No tasks currently assigned': 'No tasks currently assigned',
'No tasks currently registered': 'Nenhuma tarefa atualmente registrada',
'No template found!': 'Nenhum modelo localizado!',
'No units currently registered': 'Nenhuma unidade actualmente registrada',
'No volunteer availability registered': 'Sem disponibilidade de voluntário registrada',
'No volunteers currently registered': 'Nenhum Voluntário actualmente registrado',
'Non-structural Hazards': 'Riscos não-estruturais',
'None': 'Nenhum',
'None (no such record)': 'Nenhum (sem registro )',
'Noodles': 'Macarrão',
'Normal': 'Normal',
'Not Applicable': 'Não se aplica',
'Not Authorised!': 'Não Autorizado!',
'Not Possible': 'Impossível',
'Not Set': 'não configurado',
'Not authorised!': 'Não autorizado!',
'Not installed or incorrectly configured.': 'Não instalado ou Configurado Incorretamente.',
'Note': 'Nota',
'Note Details': 'Detalhes da Nota',
'Note Status': 'Status da Nota',
'Note Type': 'Tipo de nota',
'Note added': 'Nota Incluída',
'Note deleted': 'NOTA Excluída',
'Note that this list only shows active volunteers. To see all people registered in the system, search from this screen instead': 'Observer que essa lista mostra apenas voluntários ativos. Para ver todas as pessoas registradas no sistema, procure a partir deste ecrã em vez de',
'Note updated': 'Nota atualizada',
'Notes': 'Observações',
'Notice to Airmen': 'Aviso ao piloto',
'Number': 'número',
'Number of Columns': 'Número de colunas',
'Number of Patients': 'Número de Pacientes',
'Number of People Required': 'Number of People Required',
'Number of Rows': 'Número de Linhas',
'Number of additional beds of that type expected to become available in this unit within the next 24 hours.': 'Número de camas adicionais de tipo esperado tornar disponível nesta unidade nas próximas 24 horas.',
'Number of alternative places for studying': 'Número de locais alternativos para estudar',
'Number of available/vacant beds of that type in this unit at the time of reporting.': 'Número de camas disponíveis/livre desse tipo nesta unidade no momento do relatório.',
'Number of bodies found': 'Number of bodies found',
'Number of deaths during the past 24 hours.': 'Número de mortes durante as últimas 24 horas.',
'Number of discharged patients during the past 24 hours.': 'Número de pacientes Descarregados durante as últimas 24 horas.',
'Number of doctors': 'Número de médicos',
'Number of in-patients at the time of reporting.': 'Número de pacientes internos na hora do relatório.',
'Number of newly admitted patients during the past 24 hours.': 'Número de pacientes admitidos durante as últimas 24 horas.',
'Number of non-medical staff': 'Número de funcionários não-médico',
'Number of nurses': 'Número de enfermeiras',
'Number of private schools': 'Número de escolas privadas',
'Number of public schools': 'Número de escolas públicas',
'Number of religious schools': 'Número de escolas religiosas',
'Number of residential units': 'Número de unidades residenciais',
'Number of residential units not habitable': 'Unidades de número residencial não habitáveis',
'Number of vacant/available beds in this hospital. Automatically updated from daily reports.': 'Número de leitos vagos/disponíveis nesse hospital. Atualizado automaticamente a partir de relatórios diários.',
'Number of vacant/available units to which victims can be transported immediately.': 'Número de unidades vagas/disponíveis em que vítimas podem ser transportadas imediatamente.',
'Number or Label on the identification tag this person is wearing (if any).': 'Número ou código na etiqueta de identificação que a pessoa está usando (se houver).',
'Number or code used to mark the place of find, e.g. flag code, grid coordinates, site reference number or similar (if available)': 'Número ou código utilizado para marcar o local de localização, por exemplo, código de bandeira, grade de coordenadas, número de referência do site ou similar (se disponível)',
'Number/Percentage of affected population that is Female & Aged 0-5': 'Número/percentagem da população afetada que é uma mulher entre 0 e 5 anos',
'Number/Percentage of affected population that is Female & Aged 13-17': 'Número/percentagem da população afetadas do sexo feminino entre 13 e 17 anos',
'Number/Percentage of affected population that is Female & Aged 18-25': 'Número/percentagem da população afetada que é Mulher com 18-25 anos',
'Number/Percentage of affected population that is Female & Aged 26-60': 'Número/percentagem da população afetada que é Mulher com 26-60 anos',
'Number/Percentage of affected population that is Female & Aged 6-12': 'Número/percentagem da população afetada que é Mulher com 6-12 anos',
'Number/Percentage of affected population that is Female & Aged 61+': 'Número/percentagem da população afetada que é Mulher > 61 anos',
'Number/Percentage of affected population that is Male & Aged 0-5': 'Número/percentagem da população afetada que é Homem com 0-5 anos',
'Number/Percentage of affected population that is Male & Aged 13-17': 'Número/percentagem da população afetada que é Homem com 13-17 anos',
'Number/Percentage of affected population that is Male & Aged 18-25': 'Número/percentagem da população afetada que é Homem com 18-25 anos',
'Number/Percentage of affected population that is Male & Aged 26-60': 'Número/percentagem de população afetada que é do sexo masculino & Idade 26-60',
'Number/Percentage of affected population that is Male & Aged 6-12': 'Número/percentagem de população afectada que é do sexo masculino & Idade 6-12',
'Number/Percentage of affected population that is Male & Aged 61+': 'Número/percentagem da população afetada que é do sexo masculino & Idade 61+',
'Nursery Beds': 'Camas de berçario',
'Nutrition': 'Nutrição',
'Nutrition problems': 'Problemas nutricionais',
'OK': 'OK',
'OR Reason': 'Ou Razão',
'OR Status': 'Ou Status',
'OR Status Reason': 'Ou razão do status',
'OR a site OR a location': 'OU um site OU um local',
'Observer': 'observador',
'Obsolete': 'Obsoleto',
'Obstetrics/Gynecology': 'Obstetrícia/Ginecologia',
'Office': 'escritório',
'Office Address': 'Endereço do escritório',
'Office Details': 'Detalhes do Escritório.',
'Office Phone': 'Telefone do escritório',
'Office added': 'Escritório',
'Office deleted': 'Escritório excluído',
'Office updated': 'Escritório atualizado',
'Offices': 'Escritórios',
'Offices & Warehouses': 'Escritórios & Armazéns',
'Offline Sync': 'Sincronização desconectada.',
'Offline Sync (from USB/File Backup)': 'Off-line (Sync a partir do USB/arquivo de Backup)',
'Older people as primary caregivers of children': 'Pessoas mais velhas como responsáveis primárias de crianças',
'Older people in care homes': 'Pessoas mais velhas em casas de cuidados',
'Older people participating in coping activities': 'Pessoas mais antigos participantes em lidar atividades',
'Older person (>60 yrs)': 'Idosos (>60 anos)',
'On by default?': 'Por padrão?',
'On by default? (only applicable to Overlays)': 'Por padrão? (apenas aplicável para Sobreposições)',
'One Time Cost': 'Custo Único',
'One time cost': 'Custo único',
'One-time': 'Único',
'One-time costs': 'Custos únicos',
'Oops! Something went wrong...': 'Oops! Algo deu errado...',
'Oops! something went wrong on our side.': 'Oops! algo deu errado do nosso lado.',
'Opacity (1 for opaque, 0 for fully-transparent)': 'Opacidade (1 para opaco, 0 para totalmente transparente)',
'Open': 'Abrir',
'Open area': 'Abrir área',
'Open recent': 'Abrir recente',
'Operating Rooms': 'Salas operacionais',
'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.': 'Link opcional para um incidente que esta avaliação foi desencadeada por.',
'Optional selection of a MapServer map.': 'Optional selection of a MapServer map.',
'Optional selection of a background color.': 'Optional selection of a background color.',
'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.': 'opcional Se você desejar apresenta o estilo com base nos valores de um atributo, Selecione o atributo a ser utilizado aqui.',
'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(:).': 'opcional Em GeoServer, esta é a área de trabalho Namespace URI (não o nome!). Dentro do getCapabilities WFS, este é parte do nome FeatureType antes dos dois pontos (:).',
'Optional. In GeoServer, this is the Workspace Namespace URI. Within the WFS getCapabilities, this is the FeatureType Name part before the colon(:).': 'optional. Em GeoServer, este é o espaço de Nomes URI. No getCapabilities WFS, este é o nome da parte FeatureType antes de os dois pontos (:).',
'Optional. The name of an element whose contents should be a URL of an Image file put into Popups.': 'opcional O nome de um elemento cujo conteúdo deve ser uma URL de um arquivo de imagem para Popups.',
'Optional. The name of an element whose contents should be put into Popups.': 'opcional O nome de um elemento cujo conteúdo deve ser adicionado em Popups.',
"Optional. The name of the geometry column. In PostGIS this defaults to 'the_geom'.": "opcional O nome da coluna de geometria. Em PostGIS padroniza para '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.': 'opcional O nome do esquema. Em Geoserver isto tem o formato http://host_name/geoserver/wfs/DescribeFeatureType?version=1.1.0&;typename=workspace_name:layer_name.',
'Options': 'opções',
'Organisation': 'Organização',
'Organization': 'Organização',
'Organization Details': 'Detalhes da Organização',
'Organization Registry': 'Registro de Organização',
'Organization added': 'Organização incluída',
'Organization deleted': 'Organização excluída',
'Organization updated': 'Organização atualizada',
'Organizations': 'Organizações',
'Origin': 'Origem',
'Origin of the separated children': 'Origem das crianças separadas',
'Other': 'outro',
'Other (describe)': 'Outros (descreva)',
'Other (specify)': 'Outros motivos (especifique)',
'Other Evidence': 'outras evidencias',
'Other Faucet/Piped Water': 'Outras Torneiras /Agua Encanada',
'Other Isolation': 'Outro Isolamento',
'Other Name': 'outro nome',
'Other activities of boys 13-17yrs': 'Outras atividades de garotos 13-17anos',
'Other activities of boys 13-17yrs before disaster': 'Outras atividades de garotos 17-13anos antes do desastre',
'Other activities of boys <12yrs': 'Outras atividades de garotos <12 anos',
'Other activities of boys <12yrs before disaster': 'Outras atividades de garotos <12anos antes do desastre',
'Other activities of girls 13-17yrs': 'Outras atividades de meninas 13-17anos',
'Other activities of girls 13-17yrs before disaster': 'Outras atividades de meninas 13-17anos antes do desastre',
'Other activities of girls<12yrs': 'Outras atividades de garotas<12anos',
'Other activities of girls<12yrs before disaster': 'Outras atividades de garotas<12anos antes do desastre',
'Other alternative infant nutrition in use': 'Nutrição infantil alternativa em uso',
'Other alternative places for study': 'Outros locais alternativos para estudo',
'Other assistance needed': 'Outra assistência necessária',
'Other assistance, Rank': 'Outra assistência, Número',
'Other current health problems, adults': 'Outros problemas actuais de saúde, adultos',
'Other current health problems, children': 'Outros problemas actuais de saúde, crianças',
'Other events': 'outros eventos',
'Other factors affecting school attendance': 'Outros fatores que afetam a frequencia escolar',
'Other major expenses': 'outras despesas importantes',
'Other non-food items': 'Outros itens não alimentícios',
'Other recommendations': 'Outras recomendações',
'Other residential': 'Outros residentes',
'Other school assistance received': 'Assistência de outra escola recebida',
'Other school assistance, details': 'Assistência de outra escola, detalhes',
'Other school assistance, source': 'Assistência de outra escola, origem',
'Other settings can only be set by editing a file on the server': 'Outras configurações só podem ser definidas editando um arquivo no servidor',
'Other side dishes in stock': 'Pratos outro lado em ações',
'Other types of water storage containers': 'Outros tipos de recipientes de armazenamento de água',
'Other ways to obtain food': 'Outras maneiras de obter alimentos',
'Outbound Mail settings are configured in models/000_config.py.': 'Definições de correio de saída são configurados em modelos/000_config..py',
'Outbox': 'Caixa de Saída',
'Outgoing SMS Handler': 'Saída do Manipulador SMS',
'Outgoing SMS handler': 'Manipulador de SMS de saída',
'Overall Hazards': 'Riscos gerais',
'Overhead falling hazard': 'Risco de queda sobrecarga',
'Overland Flow Flood': 'Por via terrestre Fluxo de Enchente',
'Owned Resources': 'Recursos Próprios',
'PAHO UID': 'OPS UID',
'PDAM': 'PDAM',
'PDF File': 'PDF File',
'PIN': 'alfinete',
'PIN number': 'Número do pino',
'PIN number ': 'PIN number ',
'PL Women': 'Mulheres PL',
'Pack': 'Pacote',
'Packs': 'Pacotes',
'Page': 'Page',
'Parameters': 'Parâmetros de Monitoramento',
'Parapets, ornamentation': 'Passarelas, ornamentação',
'Parent': 'parent',
'Parent Office': 'Escritório Principal',
"Parent level should be higher than this record's level. Parent level is": 'Nível dos pais deve ser maior que o nível do registro. Nível do Pai é',
'Parent needs to be of the correct level': 'Pai precisa ser do nível correto',
'Parent needs to be set': 'Principal precisa ser configurado',
'Parent needs to be set for locations of level': 'Principal precisa ser configurado para locais de nível',
'Parents/Caregivers missing children': 'Pais/cuidadores de crianças desaparecidas',
'Parking Area': 'Parking Area',
'Partial': 'Parcial',
'Participant': 'Participante',
'Pashto': 'Pachto',
'Pass': 'Passou',
'Passport': 'passaporte',
'Password': 'senha',
"Password fields don't match": 'Os campos de senha não são iguais.',
'Path': 'Caminho',
'Pathology': 'Patologia',
'Patient': 'Patient',
'Patient Details': 'Patient Details',
'Patient Tracking': 'Patient Tracking',
'Patient added': 'Patient added',
'Patient deleted': 'Patient deleted',
'Patient updated': 'Patient updated',
'Patients': 'Pacientes',
'Pediatric ICU': 'UTI Pediatrica',
'Pediatric Psychiatric': 'Psiquiátrico Pediátra',
'Pediatrics': 'Pediatria',
'Peer': 'Membro',
'Peer Details': 'Detalhes do Membro',
'Peer Registration': 'Registro de par',
'Peer Registration Details': 'Detalhes de Registro do Par',
'Peer Registration Request': 'Requerido Registro do Par',
'Peer Type': 'Por Tipo',
'Peer UID': 'Por UID',
'Peer added': 'Membro adicionado',
'Peer deleted': 'Membro excluído',
'Peer not allowed to push': 'Peer não permitido para envio',
'Peer registration request added': 'Registro Requerido do Par adicionado',
'Peer registration request deleted': 'Registro requerido do par excluído',
'Peer registration request updated': 'Registro requerido do par atualizado',
'Peer updated': 'PAR ATUALIZADO',
'Peers': 'Pares',
'Pending': 'pendente',
'Pending Requests': 'PEDIDOS PENDENTES',
'People': 'pessoas',
'People Needing Food': 'Pessoas precisando de alimento',
'People Needing Shelter': 'Pessoas precisando de abrigo',
'People Needing Water': 'Pessoas precisando de água',
'People Trapped': 'Pessoas presas',
'Performance Rating': 'Classificação da Performance',
'Person': 'pessoa',
'Person 1': 'Pessoa 1',
'Person 1, Person 2 are the potentially duplicate records': 'Pessoa 1, Pessoa 2 são os registros potencialmente duplicados',
'Person 2': 'Pessoa 2',
'Person De-duplicator': 'Anti-duplicador de Pessoas',
'Person Details': 'Detalhes Pessoais',
'Person Finder': 'Buscador de pessoas',
'Person Registry': 'Registro De Pessoa',
'Person added': 'Pessoa Incluída',
'Person added to Commitment': 'Person added to Commitment',
'Person deleted': 'Pessoa removida',
'Person details updated': 'Detalhes pessoais actualizados',
'Person interviewed': 'Pessoa entrevistada',
'Person missing': 'Pessoa perdida',
'Person must be specified!': 'Person must be specified!',
'Person removed from Commitment': 'Person removed from Commitment',
'Person reporting': 'Pessoa relatando',
'Person who has actually seen the person/group.': 'Pessoa que tenha realmente visto a pessoa/Grupo.',
'Person/Group': 'Pessoa/Grupo',
'Personal': 'Pessoal',
'Personal Data': 'Dados pessoais',
'Personal Effects': 'Efeitos pessoal',
'Personal Effects Details': 'Detalhes dos Efeitos Pessoais',
'Personal Map': 'Mapa De Pessoal',
'Personal Profile': 'Perfil pessoal',
'Personal impact of disaster': 'Impacto de desastre pessoal',
'Persons': 'Pessoas',
'Persons in institutions': 'Pessoas em instituições',
'Persons with disability (mental)': 'Pessoas com deficiência (mental)',
'Persons with disability (physical)': 'Pessoas com deficiência (física)',
'Phone': 'telefone',
'Phone 1': 'Telefone 1',
'Phone 2': 'Telefone 2',
"Phone number to donate to this organization's relief efforts.": 'Número de telefone para doar ao serviço de assistência social desta organização',
'Phone/Business': 'Telefone comercial',
'Phone/Emergency': 'Telefone de emergência',
'Phone/Exchange': 'Telefone/Exchange',
'Phone/Exchange (Switchboard)': 'Telefone/Câmbio (Central)',
'Photo': 'foto',
'Photo Details': 'Foto com detalhes',
'Photo Taken?': 'Foto tomada?',
'Photo added': 'Foto adicionada (ou incluída)',
'Photo deleted': 'Foto deletada (apagada, excluída em definitivo)',
'Photo updated': 'Foto ATUALIZADA',
'Photograph': 'Fotografia ou Arte Fotográfica',
'Photos': 'fotos, imagens fotográficas',
'Physical Description': 'Descrição física',
'Physical Safety': 'Segurança Física',
'Picture': 'Imagem',
'Picture upload and finger print upload facility': 'Fazer upload de imagem e impressão dedo upload facility',
'Place': 'Local',
'Place of Recovery': 'Local de recuperação',
'Places for defecation': 'Locais para a defecação',
'Places the children have been sent to': 'Lugares que as crianças foram enviadas para',
'Planner': 'Planejador',
'Playing': 'Reproduzindo',
"Please come back after sometime if that doesn't help.": 'Por favor, volte após algum tempo se isso não ajuda.',
'Please correct all errors.': 'Por favor CORRIJA todos os erros.',
'Please enter a First Name': 'Por favor insira um primeiro nome',
'Please enter a first name': 'Por favor insira um primeiro nome',
'Please enter a number only': 'Please enter a number only',
'Please enter a person': 'Insira uma pessoa',
'Please enter a site OR a location': 'Por favor digite um site ou um local',
'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.': 'Por favor Digite as primeiras letras do Pessoa/Grupo para o AutoCompletar.',
'Please enter the recipient': 'Por favor Digite o destinatário',
'Please fill this!': 'Por favor preencha isso!',
'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.': 'Por favor Forneça a URL da página que você está fazendo referência à, uma descrição do que você esperava que acontecesse & O que realmente aconteceu.',
'Please provide the URL of the page you are referring to, a description of what you expected to happen & what actually happened. If a ticket was issued then please provide the Ticket ID.': 'Por favor Forneça a URL da página que você está fazendo referência à, uma descrição do que você esperava que acontecesse & O que realmente aconteceu. Se um bilhete foi emitido então por favor forneça o ID do bilhete.',
'Please report here where you are:': 'Por favor informe aqui onde você está:',
'Please select': 'Por favor Selecione',
'Please select another level': 'Por favor selecione outro nível',
'Please sign-up with your Cell Phone as this allows us to send you Text messages. Please include full Area code.': 'Por favor inscrever-se com seu celular como isso nos permite lhe enviar mensagens de texto. Por favor inclua código de Área total.',
'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.': 'Por favor especifique quaisquer problemas e obstáculos com a manipulação correcta da doença, em detalhes (em números, se for o caso). Pode também dar sugestões - a situação pode ser melhorada.',
'Please use this field to record any additional information, including a history of the record if it is updated.': 'Por favor utilize esse campo para registrar quaisquer informações adicionais, incluindo um histórico do registro se ele estiver sendo atualizado.',
'Please use this field to record any additional information, including any Special Needs.': 'Por favor utilize esse campo para registrar quaisquer informações adicionais, incluindo quaisquer necessidades especiais.',
'Please use this field to record any additional information, such as Ushahidi instance IDs. Include a history of the record if it is updated.': 'Por favor utilize esse campo para registrar quaisquer informações adicionais, como IDs de instância Ushahidi. Incluir o histórico do registo se este fôr actualizado.',
'Pledge Support': 'Suporte da promessa',
'Point': 'Ponto',
'Poisoning': 'Envenenamento',
'Poisonous Gas': 'Gás venenoso',
'Police': 'Polícia',
'Pollution and other environmental': 'Poluição ambiental e outras',
'Polygon': 'Polígono',
'Polygon reference of the rating unit': 'Polígono de referência da unidade de classificação',
'Poor': 'Pobre',
'Population': 'População',
'Population Statistic Details': 'População Estatística Detalhes',
'Population Statistic added': 'População Estatística incluída',
'Population Statistic deleted': 'População Estatística excluído',
'Population Statistic updated': 'População De Estatística atualizada',
'Population Statistics': 'Estatísticas De população',
'Population and number of households': 'população e número de residentes',
'Popup Fields': 'Pop-up Campos',
'Popup Label': 'Rótulo do pop-up',
'Porridge': 'mingau',
'Port': 'porta',
'Port Closure': 'Porta Encerramento',
'Portuguese': 'Português',
'Portuguese (Brazil)': 'Português (Brasil)',
'Position': 'Posição',
'Position Catalog': 'Catálogo de posições',
'Position Details': 'detalhamento do cargo',
'Position added': 'Cargo inserido',
'Position deleted': 'Cargo excluído',
'Position updated': 'Posição atualizada',
'Positions': 'cargos',
'Postcode': 'Código Postal',
'Poultry': 'Aves',
'Poultry restocking, Rank': 'Reabastecimento de aves domésticas, posição',
'Pounds': 'Libras',
'Power Failure': 'Falha de Energia',
'Powered by Sahana Eden': 'Desenvolvido pela Sahana Eden',
'Pre-cast connections': 'Conexões-cast pré',
'Preferred Name': 'Nome Preferido',
'Pregnant women': 'Mulheres grávidas',
'Preliminary': 'Preliminar',
'Presence': 'Presença',
'Presence Condition': 'Condição de Presença',
'Presence Log': 'Log de Presença',
'Previous': 'Anterior',
'Primary Name': 'Nome Principal',
'Primary Occupancy': 'Principal Ocupação',
'Priority': 'priority',
'Priority from 1 to 9. 1 is most preferred.': 'Prioridade de 1 a 9. 1 é preferível',
'Private': 'Privado',
'Problem': 'Problema do',
'Problem Administration': 'Gestão de problema',
'Problem Details': 'Detalhes do Problema',
'Problem Group': 'Grupo do Problema',
'Problem Title': 'Título do Problema',
'Problem added': 'Problema incluído',
'Problem connecting to twitter.com - please refresh': 'Problema ao conectar-se ao twitter.com, tente novamente',
'Problem deleted': 'Problema Excluído',
'Problem updated': 'Problema Atualizado',
'Problems': 'Problemas',
'Procedure': 'Procedimento',
'Process Received Shipment': 'Processo recebeu embarque',
'Process Shipment to Send': 'Processar remessa a enviar',
'Profile': 'profile',
'Project': 'projeto',
'Project Details': 'Detalhes do Projeto',
'Project Status': 'Status do Projeto',
'Project Tracking': 'Acompanhamento do Projeto',
'Project added': 'Projeto incluído',
'Project deleted': 'Projeto Excluído',
'Project has no Lat/Lon': 'Projeto não possui Latitude/Longitude',
'Project updated': 'Projeto ATUALIZADO',
'Projection': 'Projeção',
'Projection Details': 'Detalhes da Projeção',
'Projection Type': 'Projection Type',
'Projection added': 'Projeção incluída',
'Projection deleted': 'Projeção excluída',
'Projection updated': 'Projecção atualizada',
'Projections': 'projeções',
'Projects': 'projetos',
'Property reference in the council system': 'Referência de propriedade no sistema do conselho',
'Protected resource': 'Recurso protegido',
'Protection': 'Protecção',
'Provide Metadata for your media files': 'Fornecer Metadados para os seus ficheiros media',
'Provide a password': 'Provide a password',
'Provide an optional sketch of the entire building or damage points. Indicate damage points.': 'Fornecer um retrato opcional de todo o edifício ou áreas danificadas. Pontos danos indicar.',
'Proxy-server': 'Servidor Proxy',
'Psychiatrics/Adult': 'Psiquiatras/Adulto',
'Psychiatrics/Pediatric': 'Psiquiatras/Pediátrica',
'Public': 'Público',
'Public Event': 'Evento público',
'Public and private transportation': 'Transporte Público e Privado',
'Public assembly': 'Assembléia Pública',
'Pull tickets from external feed': 'Pull de bilhetes alimentação externa',
'Punjabi': 'Punjabi',
'Purchase Date': 'Data de aquisição',
'Push tickets to external system': 'BILHETES Push PARA sistema externo',
'Pyroclastic Flow': 'Pyroclastic FLuxo',
'Pyroclastic Surge': 'Pyroclastic Aumento',
'Python Serial module not available within the running Python - this needs installing to activate the Modem': 'Módulo Serial Python não disponíveis no a execução Python-isto tem de instalar para ativar o Modem',
'Quantity': 'Quantidade',
'Quantity Committed': 'Quantidade Comprometida',
'Quantity Fulfilled': 'Quantidade Preenchida',
"Quantity in %s's Inventory": 'Quantidade de %s do Inventário',
'Quantity in Transit': 'Quantidade em Trânsito',
'Quarantine': 'Quarentena',
'Queries': 'Buscas',
'Query': 'Busca',
'Queryable?': 'Consultável?',
'RC frame with masonry infill': 'Quadro de RC com aterros de alvenaria',
'RECORD A': 'Registro A',
'RECORD B': 'REGISTRO B',
'Race': 'Corrida',
'Radio': 'Radio',
'Radio Callsign': 'Rádio Chamada',
'Radio Details': 'Radio Details',
'Radiological Hazard': 'Risco Radiológico',
'Radiology': 'Radiologia',
'Railway Accident': 'Acidente Ferroviário',
'Railway Hijacking': 'Sequestro Ferroviário',
'Rain Fall': 'Queda de Chuva',
'Rapid Assessment': 'Avaliação Rápida',
'Rapid Assessment Details': 'Rápida Avaliação Detalhes',
'Rapid Assessment added': 'Rapid Avaliação incluído',
'Rapid Assessment deleted': 'Rápida Avaliação excluído',
'Rapid Assessment updated': 'Rapid avaliação atualizada',
'Rapid Assessments': 'Rapid Avaliações',
'Rapid Assessments & Flexible Impact Assessments': 'Rapid Avaliações & Flexível Impacto Avaliações',
'Rapid Close Lead': 'Fechamento Lead rápido',
'Rapid Data Entry': 'Entrada de dados rápida',
'Rating Scale': 'Escala de avaliação',
'Raw Database access': 'Acesso bruto a Base de dados',
'Read-Only': 'somente para leitura',
'Read-only': 'somente para leitura',
'Receive': 'Receber',
'Receive Items': 'Aceitar itens',
'Receive New Shipment': 'Receber Novos Embarques',
'Receive Shipment': 'Receber carregamento',
'Receive this shipment?': 'Receber esse embarque?',
'Received': 'Recebido',
'Received By': 'Recebido Por',
'Received By Person': 'Recebido Por Pessoa',
'Received Item Details': 'Detalhes do item recebido',
'Received Item deleted': 'Recebido item excluído',
'Received Item updated': 'Item recebido atualizado',
'Received Shipment Details': 'Lista de remessa de mercadorias/produtos',
'Received Shipment canceled': 'Remessa de produtos cancelada',
'Received Shipment canceled and items removed from Inventory': 'Recebido carregamento cancelado e itens removidos do inventário',
'Received Shipment updated': 'Carregamento Recebido Atualizado',
'Received Shipments': 'Carregamento de produtos recebido',
'Receiving and Sending Items': 'Receber e enviar Itens',
'Recipient': 'destinatário',
'Recipients': 'destinatários',
'Recommendations for Repair and Reconstruction or Demolition': 'Recomendações para reparo e reconstrução ou demolição',
'Record': 'registro',
'Record Details': 'Detalhes do Registro',
'Record Saved': 'Registro Gravado',
'Record added': 'Registro incluído',
'Record any restriction on use or entry': 'Registro de qualquer restrição à utilização ou entrada',
'Record deleted': 'Registro excluído',
'Record last updated': 'Último registro atualizado',
'Record not found': 'Registro não encontrado',
'Record not found!': 'Registro não encontrado!',
'Record updated': 'registro atualizado',
'Recording and Assigning Assets': 'Ativos de Gravação e Designação',
'Records': 'Registros',
'Recovery': 'recuperação',
'Recovery Request': 'pedido de recuperação',
'Recovery Request added': 'Pedido de recuperação adicionado',
'Recovery Request deleted': 'Pedido de recuperação apagado',
'Recovery Request updated': 'Pedido de recuperação atualizado',
'Recovery Requests': 'Pedidos de recuperação',
'Recruitment': 'Recrutamento',
'Recurring': 'Recorrente',
'Recurring Cost': 'Custo recorrente',
'Recurring cost': 'Custo recorrente',
'Recurring costs': 'Custos recorrentes',
'Red': 'vermelho',
'Red Cross / Red Crescent': 'Cruz Vermelha / Red Crescent',
'Reference Document': 'Documento de referência',
'Refresh Rate (seconds)': 'Taxa de Atualização (Segundos)',
'Region Location': 'Localizaçao da regiao',
'Regional': 'regional',
'Regions': 'Regiões',
'Register': 'registro',
'Register Person': 'REGISTRAR PESSOA',
'Register Person into this Camp': 'Registrar Pessoa neste Acampamento',
'Register Person into this Shelter': 'REGISTRAR PESSOA PARA ESTE Abrigo',
'Register them as a volunteer': 'Registrá-los como voluntários',
'Registered People': 'Pessoas Registradas',
'Registered users can': 'Os usuários registrados podem',
'Registration': 'Inscrição',
'Registration Details': 'Detalhes da Inscrição',
'Registration added': 'Inscrição adicionada',
'Registration entry deleted': 'Inscrição excluída',
'Registration is still pending approval from Approver (%s) - please wait until confirmation received.': 'Registro ainda está pendente de aprovação do Aprovador (%s) - Por favor, aguarde até a confirmação recebida.',
'Registration key': 'Registration key',
'Registration updated': 'Inscrição atualizada',
'Rehabilitation/Long Term Care': 'Reabilitação/Cuidados de Longo Termo',
'Reinforced masonry': 'Alvenaria reforçada',
'Rejected': 'rejeitado',
'Relative Details': 'Relative Details',
'Relative added': 'Relative added',
'Relative deleted': 'Relative deleted',
'Relative updated': 'Relative updated',
'Relatives': 'Relatives',
'Relief': 'Alivio',
'Relief Team': 'Equipe de socorro',
'Religion': 'Religião',
'Religious': 'Religiosas',
'Religious Leader': 'Líder religioso',
'Relocate as instructed in the <instruction>': 'Relocalizar conforme instruído no',
'Remove': 'remover',
'Remove Activity from this event': 'Remove Activity from this event',
'Remove Asset from this event': 'Remover ativo deste evento',
'Remove Asset from this scenario': 'Remover ativo deste cenário',
'Remove Document from this request': 'Remove Document from this request',
'Remove Facility from this event': 'Remover recurso deste evento',
'Remove Facility from this scenario': 'Remover recurso deste cenário',
'Remove Human Resource from this event': 'REMOVER RECURSOS HUMANOS A partir deste evento',
'Remove Human Resource from this scenario': 'REMOVER RECURSOS HUMANOS A partir deste cenário',
'Remove Item from Inventory': 'Remover Item do Inventário',
'Remove Map Configuration from this event': 'REMOVER Mapa de configuração a partir deste evento',
'Remove Map Configuration from this scenario': 'REMOVER Mapa de configuração a partir deste cenário',
'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': 'REMOVER este recurso a partir deste evento',
'Remove this asset from this scenario': 'Remover este recurso deste cenário',
'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': 'REPARO',
'Repaired': 'Reparado',
'Repeat your password': 'REPITA sua senha',
'Replace': 'TROCAR',
'Replace if Master': 'Substituir se Principal',
'Replace if Newer': 'Substituir se o Mais Recente',
'Report': 'Relatório',
'Report Another Assessment...': 'Adicionar Outro Relatório De Avaliação....',
'Report Details': 'Detalhes do Relatório',
'Report Resource': 'Reportar Recursos',
'Report Types Include': 'Tipos de relatório incluem',
'Report added': 'Relatório incluído',
'Report deleted': 'Relatório removido',
'Report my location': 'Relate meu local',
'Report the contributing factors for the current EMS status.': 'Reportar os factores que contribuem para a situação EMS actual.',
'Report the contributing factors for the current OR status.': 'Reportar os factores que contribuem para a situação OR actual.',
'Report them as found': 'Reportar como encontrados',
'Report them missing': 'Reportar como perdidos',
'Report updated': 'Relatório atualizado',
'ReportLab module not available within the running Python - this needs installing for PDF output!': 'O módulo de ReportLab não disponíveis na execução Python - isto requer a instalação para a entrega em PDF!',
'ReportLab not installed': 'ReportLab não instalado',
'Reporter': 'Relator',
'Reporter Name': 'Nome do Relator',
'Reporting on the projects in the region': 'Relatórios sobre os projetos na região',
'Reports': 'Relatórios',
'Request': 'Pedido',
'Request Added': 'Pedido Incluído',
'Request Canceled': 'Pedido Cancelado',
'Request Details': 'Detalhes do Pedido',
'Request From': 'Pedido De',
'Request Item': 'Item de pedido',
'Request Item Details': 'Detalhes do item de pedido',
'Request Item added': 'Item incluído no pedido',
'Request Item deleted': 'Item de pedido excluído',
'Request Item from Available Inventory': 'PEDIDO DE Item de Inventário Disponível',
'Request Item updated': 'Pedido actualizado',
'Request Items': 'Itens de pedido',
'Request New People': 'Request New People',
'Request Status': 'Status do Pedido',
'Request Type': 'Tipo de Pedido',
'Request Updated': 'Solicitação atualizada',
'Request added': 'Pedido adicionado',
'Request deleted': 'Solicitação excluída',
'Request for Role Upgrade': 'Pedido de upgrade de função',
'Request updated': 'Pedido actualizado',
'Request, Response & Session': 'Pedido, Resposta & Sessão',
'Requested': 'solicitado',
'Requested By': 'Solicitado Por',
'Requested By Facility': 'Solicitado Pela Instalação',
'Requested By Site': 'Solicitado Por Site',
'Requested From': 'Solicitada a Partir de',
'Requested Items': 'Itens solicitados',
'Requested Skill': 'Requested Skill',
'Requested Skill Details': 'Requested Skill Details',
'Requested Skill updated': 'Requested Skill updated',
'Requested Skills': 'Requested Skills',
'Requested by': 'Solicitado Por',
'Requested on': 'Em solicitada',
'Requester': 'Solicitante',
'Requests': 'Pedidos',
'Requests Management': 'Gerenciamento de Pedidos',
'Required Skill': 'Required Skill',
'Requires Login!': 'É necessário fazer login!',
'Rescue and recovery': 'Resgate e recuperação',
'Reset': 'Restaurar',
'Reset Password': 'restabelecer senha',
'Resolve': 'Resolver',
'Resolve Conflict': 'Resolver Conflito',
'Resolve link brings up a new screen which helps to resolve these duplicate records and update the database.': 'Resolva link que levará até uma nova tela que ajudará a resolver esses registros duplicados e atualizar o banco de dados.',
'Resource': 'Recurso',
'Resource Details': 'Detalhes do recurso',
'Resource added': 'Recurso incluído',
'Resource deleted': 'Recurso Excluído',
'Resource updated': 'Recurso atualizado',
'Resources': 'Recursos',
'Respiratory Infections': 'Infecções respiratórias',
'Response': 'Resposta',
'Restricted Access': 'Acesso Restrito',
'Restricted Use': 'Uso restrito',
'Results': 'results',
'Retail Crime': 'Crime a varejo',
'Retrieve Password': 'Recuperar Senha',
'Return': 'Retorno',
'Return to Request': 'Retornar ao pedido',
'Returned': 'Retornado',
'Returned From': 'Retornado a partir de',
'Returned Status': 'Retornado Status',
'Review Incoming Shipment to Receive': 'Revisão da Remessa de Entrada para Receber',
'Rice': 'Arroz',
'Riot': 'Motim',
'River': 'Rio',
'River Details': 'Detalhes do Rio',
'River added': 'Rio adicionado',
'River deleted': 'Rio deletado',
'River updated': 'Rio atualizado',
'Rivers': 'Rios',
'Road Accident': 'Acidente na rua/estrada',
'Road Closed': 'Rua/Estrada fechada',
'Road Conditions': 'Condições da Estrada',
'Road Delay': 'Atraso de Estrada',
'Road Hijacking': 'Sequestro de Estrada',
'Road Usage Condition': 'Condição de Uso de Estrada',
'Roads Layer': 'Roads Layer',
'Role': 'Função',
'Role Details': 'Detalhes da Função',
'Role Required': 'Função requerida',
'Role Updated': 'Funções atualizadas',
'Role added': 'Regra incluída',
'Role deleted': 'Função excluída',
'Role updated': 'Funções atualizadas',
'Role-based': 'Baseada em regra',
'Roles': 'Funções',
'Roles Permitted': 'Funções Permitidas',
'Roof tile': 'Telhado lado a lado',
'Roofs, floors (vertical load)': 'Telhados, pisos (carga vertical)',
'Room': 'Sala',
'Room Details': 'Detalhes da sala',
'Room added': 'Sala incluída',
'Room deleted': 'Sala excluída',
'Room updated': 'Sala atualizada',
'Rooms': 'Salas',
'Roster': 'Lista',
'Row Choices (One Per Line)': 'Opções da linha (Um por linha)',
'Rows in table': 'Linhas na tabela',
'Rows selected': 'Linhas Selecionadas',
'Run Functional Tests': 'Executar testes funcionais',
'Run Interval': 'Intervalo de execução',
'Running Cost': 'Custo corrente',
'Russian': 'Russian',
'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': 'Ambiente seguro para grupos vulneráveis',
'Safety Assessment Form': 'Formulário de avaliação de segurança',
'Safety of children and women affected by disaster?': 'Segurança das crianças e mulheres afetadas pela catástrofe?',
'Sahana Administrator': 'Sahana AdmiNistrador',
'Sahana Agasti': 'Sahana Agasti',
'Sahana Blue': 'Sahana Azul',
'Sahana Community Chat': 'Sahana COMUNIDADE de BATE-PAPO',
'Sahana Eden': 'Sahana Eden',
'Sahana Eden <=> Other': 'Sahana Eden <=> Outros',
'Sahana Eden <=> Sahana Eden': 'Sahana Éden <=> Sahana Éden',
'Sahana Eden Humanitarian Management Platform': 'plataforma de gerenciamento humanitário Sahana Éden',
'Sahana Eden Website': 'SITE Sahana Éden',
'Sahana Green': 'Sahana Verde',
'Sahana Steel': 'Sahana Steel',
'Sahana access granted': 'Acesso Sahana CONCEDIDO',
'Salted Fish': 'Peixe Salgado',
'Sanitation problems': 'Problemas de saneamento',
'Satellite': 'satélite',
'Satellite Layer': 'Satellite Layer',
'Satellite Office': 'Escritório experimental',
'Saturday': 'SAturday',
'Save': 'armazenar',
'Saved.': 'armazenado.',
'Saving...': 'Guardando...',
'Scale of Results': 'Nível de Resultados',
'Scanned Copy': 'Scanned Copy',
'Scanned Forms Upload': 'Scanned Forms Upload',
'Scenario': 'Cenário',
'Scenario Details': 'Detalhes do Cenário',
'Scenario added': 'Cenário incluído',
'Scenario deleted': 'Cenário excluído',
'Scenario updated': 'Cenário atualizado',
'Scenarios': 'Cenários',
'Schedule': 'Horário',
'Schema': 'Esquema',
'School': 'Escola',
'School Closure': 'Encerramento Escolar',
'School Lockdown': 'Bloqueio escolar',
'School Teacher': 'Professor de escola',
'School activities': 'Actividades escolares',
'School assistance': 'Assistência escolar',
'School attendance': 'Presença escolar',
'School destroyed': 'Escola Destruída',
'School heavily damaged': 'Escola fortemente danificada',
'School tents received': 'Tendas da escola recebidas',
'School tents, source': 'Tendas de escolha, origem',
'School used for other purpose': 'Escola utilizada para outros fins',
'School/studying': 'Escola/estudando',
'Schools': 'Escolas',
'Search': 'Pesquisar',
'Search Activities': 'procurar atividades',
'Search Activity Report': 'Relatório de pesquisa de atividades',
'Search Addresses': 'procurar endereços',
'Search Alternative Items': 'Procurar itens alternativos',
'Search Assessment Summaries': 'Procura De Avaliação De RESUMOS',
'Search Assessments': 'Avaliações de procura',
'Search Asset Assignments': 'Procurar ATIVO Designações',
'Search Asset Log': 'Procurar log de ativo',
'Search Assets': 'Procurar Recursos',
'Search Baseline Type': 'Procurar Typo de Base',
'Search Baselines': 'Procurar Bases',
'Search Brands': 'Procurar Marcas',
'Search Budgets': 'Procura Orçamentos',
'Search Bundles': 'PACOTES Configuráveis de procura',
'Search Camp Services': 'Procurar Serviços de Acampamento',
'Search Camp Types': 'Procurar Tipos De Acampamento',
'Search Camps': 'Procurar acampamentos',
'Search Catalog Items': 'Itens de procura De Catálogo',
'Search Catalogs': 'Procurar nos Catálogos',
'Search Certificates': 'Procurar Certificados',
'Search Certifications': 'Procurar Certificações',
'Search Checklists': 'Listas De procura',
'Search Cluster Subsectors': 'Procura De Cluster Subsectores',
'Search Clusters': 'Clusters de procura',
'Search Commitment Items': 'Itens de procura Compromisso',
'Search Commitments': 'Compromissos de procura',
'Search Committed People': 'Search Committed People',
'Search Competencies': 'Procurar Competências',
'Search Competency Ratings': 'Procurar Indices de Competência',
'Search Contact Information': 'Procurar informações de contato',
'Search Contacts': 'Buscar contatos',
'Search Course Certificates': 'procura Certificados de Curso',
'Search Courses': 'Procurar Cursos',
'Search Credentials': 'Credenciais de busca',
'Search Documents': 'Pesquisar documentos',
'Search Donors': 'Procura de Doadores',
'Search Entries': 'Pesquisar Entradas',
'Search Events': 'Pesquisar Eventos',
'Search Facilities': 'Pesquisar Instalações',
'Search Feature Class': 'Pesquisar classe de dispositivos',
'Search Feature Layers': 'Pesquisar camadas do dispositivo',
'Search Flood Reports': 'Pesquisar relatórios de inundação',
'Search GPS data': 'Search GPS data',
'Search Groups': 'Buscar Grupos',
'Search Homes': 'Search Homes',
'Search Human Resources': 'Pesquise recursos humanos.',
'Search Identity': 'Buscar Identidade',
'Search Images': 'Procurar Imagens',
'Search Impact Type': 'Procurar Tipo de Impacto',
'Search Impacts': 'Procurar Impactos',
'Search Import Files': 'Search Import Files',
'Search Incident Reports': 'Procurar Relatórios de Incidentes',
'Search Inventory Items': 'Procurar Entradas De Inventário',
'Search Inventory items': 'Procurar Entradas De Inventário',
'Search Item Categories': 'Buscar categorias de Item',
'Search Item Packs': 'Buscar pocotes de itens',
'Search Items': 'Buscar Itens',
'Search Job Roles': 'Pesquise papéis de trabalho',
'Search Keys': 'Procurar chaves',
'Search Kits': 'Procurar kits',
'Search Layers': 'Procurar camadas',
'Search Level': 'Search Level',
'Search Level 1 Assessments': 'Procurar Avaliações Nível 1',
'Search Level 2 Assessments': 'Procurar Avaliações Nível 2',
'Search Locations': 'Procurar Localidades',
'Search Log Entry': 'Procura de entrada de Log',
'Search Map Configurations': 'Pesquise mapa de configurações.',
'Search Markers': 'Marcadores De procura',
'Search Member': 'Procurar Membro',
'Search Membership': 'Procurar filiação',
'Search Memberships': 'Pesquisar Associações',
'Search Missions': 'Procurar Missões',
'Search Need Type': 'Procura Precisa De Tipo',
'Search Needs': 'Procura precisa',
'Search Notes': 'Notes procura',
'Search Offices': 'Escritórios de procura',
'Search Organizations': 'Pesquisar Organizações',
'Search Patients': 'Search Patients',
'Search Peer': 'PROCURA Par',
'Search Personal Effects': 'Procura objetos pessoais',
'Search Persons': 'Buscar Membros',
'Search Photos': 'Procura Fotos',
'Search Population Statistics': 'Procurar Estatística de População',
'Search Positions': 'Procura de Posições',
'Search Problems': 'Procura de Problemas',
'Search Projections': 'Projeções de procura',
'Search Projects': 'Procura de Projetos',
'Search Rapid Assessments': 'Procura de Avaliações Rápidas',
'Search Received Items': 'Procura de Itens Recebidos',
'Search Received Shipments': 'Embarques de procura Recebidos',
'Search Records': 'registros de procura',
'Search Registations': 'Registations procura',
'Search Registration Request': 'Pedido de registro de procura',
'Search Relatives': 'Search Relatives',
'Search Report': 'Procurar Relatório',
'Search Reports': 'Procurar Relatórios',
'Search Request': 'pedido de pesquisa',
'Search Request Items': 'Pedido de procura de Itens',
'Search Requested Items': 'Procura de itens solicitados',
'Search Requested Skills': 'Search Requested Skills',
'Search Requests': 'Procura de solicitações',
'Search Resources': 'Pesquisa de recursos',
'Search Rivers': 'Rios procura',
'Search Roles': 'Pesquisa de papéis',
'Search Rooms': 'Procurar Salas',
'Search Scenarios': 'Procurar cenários',
'Search Sections': 'As Seções de procura',
'Search Sectors': 'Procurar Setores',
'Search Sent Items': 'Procurar Itens Enviados',
'Search Sent Shipments': 'Procurar Despachos Enviados',
'Search Service Profiles': 'Serviço de procura Perfis',
'Search Settings': 'Definições de Pesquisa',
'Search Shelter Services': 'Procura Abrigo de serviços',
'Search Shelter Types': 'Procura tipos de Abrigo',
'Search Shelters': 'Procurar Abrigos',
'Search Skill Equivalences': 'Procurar equivalencias de habilidades',
'Search Skill Provisions': 'Procurar Disposições de habilidade',
'Search Skill Types': 'Pesquisar Tipos de Habilidades',
'Search Skills': 'Pesquisar Habilidades',
'Search Solutions': 'Pesquisar Soluções',
'Search Staff': 'Busca de pessoal',
'Search Staff Types': 'Busca de tipo de pessoal',
'Search Staff or Volunteer': 'Procurar Funcionário ou Voluntário',
'Search Status': 'Busca de status',
'Search Subscriptions': 'Busca de assinaturas',
'Search Subsectors': 'Buscar subsetores',
'Search Support Requests': 'Pedidos de suporte a pesquisa',
'Search Tasks': 'Tarefa de Pesquisa',
'Search Teams': 'Times de pesquisa',
'Search Themes': 'Temas de pesquisa',
'Search Tickets': 'Buscar Bilhetes',
'Search Tracks': 'Procurar Trilhas',
'Search Trainings': 'Buscar Treinamentos',
'Search Twitter Tags': 'Procurar Twitter Tags',
'Search Units': 'Procura Unidades',
'Search Users': 'Procurar Usuários',
'Search Vehicle Details': 'Search Vehicle Details',
'Search Vehicles': 'Search Vehicles',
'Search Volunteer Availability': 'Buscar Disponibilidade para Voluntáriado',
'Search Volunteers': 'Procura Voluntários',
'Search Warehouses': 'procura Warehouses',
'Search and Edit Group': 'Procurar e editar GRUPO',
'Search and Edit Individual': 'Procurar e Editar Individual',
'Search for Staff or Volunteers': 'Pesquise por funcionários ou voluntários',
'Search for a Location by name, including local names.': 'Pesquisar local por nome, incluindo nomes locais.',
'Search for a Person': 'Procurar Pessoa',
'Search for a Project': 'Procurar Projecto',
'Search for a shipment by looking for text in any field.': 'Procurar carga fazendo uma pesquisa de texto em qualquer campo.',
'Search for a shipment received between these dates': 'Procurar carga recebida entre estas datas',
'Search for a vehicle by text.': 'Search for a vehicle by text.',
'Search for an Organization by name or acronym': 'Procurar por uma Organização por nome ou iniciais',
'Search for an Organization by name or acronym.': 'Procurar por uma organização por nome ou iniciais.',
'Search for an asset by text.': 'Pesquisar um recurso por texto.',
'Search for an item by category.': 'Procurar por categoria.',
'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 catalog.',
'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.': 'Procurar por texto.',
'Search for asset by country.': 'Procurar bens por país.',
'Search for asset by location.': 'Search for asset by location.',
'Search for office by country.': 'Procurar escritórios por país.',
'Search for office by location.': 'Search for office by location.',
'Search for office by organization.': 'Procurar escritórios por organização.',
'Search for office by text.': 'Procura por texto do gabinete.',
'Search for vehicle by location.': 'Search for vehicle by location.',
'Search for warehouse by country.': 'Pesquise por depósito por país.',
'Search for warehouse by location.': 'Search for warehouse by location.',
'Search for warehouse by organization.': 'Pesquise por depósito por organização.',
'Search for warehouse by text.': 'Pesquise por depósito via campo-texto.',
'Search here for a person record in order to:': 'Buscar aqui por um registro de pessoa a fim de:',
'Search messages': 'Mensagens de Procura',
'Searching for different groups and individuals': 'Procurar diferentes grupos e indivíduos',
'Secondary Server (Optional)': 'Servidor secundário (opcional)',
'Seconds must be a number between 0 and 60': 'Segundos deve ser um número entre 0 e 60',
'Section': 'Section',
'Section Details': 'Seção Detalhes',
'Section deleted': 'Seção excluído',
'Section updated': 'Seção atualizada',
'Sections': 'Seções',
'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': 'setor',
'Sector Details': 'Detalhes do Setor',
'Sector added': 'Sector incluído',
'Sector deleted': 'Sector apagado',
'Sector updated': 'Setor atualizado',
'Sector(s)': 'Setor(es)',
'Sectors': 'Setores',
'Security Status': 'Status de Segurança',
'Security problems': 'Problemas de Segurança',
'See All Entries': 'Ver todas as entradas',
'See all': 'Ver tudo',
'See unassigned recovery requests': 'Consulte Pedidos de recuperação designado',
'Seen': 'Visto',
'Select': 'select',
'Select Items from the Request': 'Selecionar itens do pedido',
'Select Items from this Inventory': 'Selecionar itens a partir deste Inventário',
'Select Organization': 'Selecionar Organização',
'Select Skills from the Request': 'Select Skills from the Request',
"Select a Room from the list or click 'Add Room'": "Escolha uma sala da lista ou clique 'Incluir sala'",
'Select a location': 'Selecionar um local',
"Select a manager for status 'assigned'": "Select a manager for status 'assigned'",
"Select a person in charge for status 'assigned'": "Selecione uma pessoa responsável para status 'DESIGNADO'",
'Select a question from the list': 'Selecione uma pergunta a partir da lista',
'Select a range for the number of total beds': 'Selecione um intervalo para o número de camas total',
'Select all that apply': 'Selecione todas as que se applicam',
'Select an Organization to see a list of offices': 'Selecione uma organização para ver uma lista de escritórios',
'Select the overlays for Assessments and Activities relating to each Need to identify the gap.': 'Selecione as sobreposições de avaliação e actividades relacionadas com cada necessidade para identificar as lacunas.',
'Select the person assigned to this role for this project.': 'Selecione a pessoa designada para essa função neste projeto.',
"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.": "Selecione isto se todas as localidades especificas precisarem de um pai no nível mais alto da hierarquia. Por exemplo, se 'distrito' é a menor divisão na hierarquia e, em seguida, todos os locais específicos seriam obrigados a ter um distrito como um pai.",
"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.": 'Selecione isto se todos os locais específicos de uma posição pai na hierarquia do local. Isso pode ajudar na configuração de uma "região" representando uma área afetada.',
'Select to show this configuration in the Regions menu.': 'Selecione para mostrar essa configuração no menu regiões.',
'Select to show this configuration in the menu.': 'Select to show this configuration in the menu.',
'Selected Jobs': 'Selected Jobs',
'Selects what type of gateway to use for outbound SMS': 'Selects what type of gateway to use for outbound SMS',
'Selects whether to use a Modem, Tropo or other Gateway for sending out SMS': 'Selecione se vau utilizar um Modem, Tropo ou outro Gateway para enviar SMS',
'Send': 'Envie',
'Send Alerts using Email &/or SMS': 'Envio de alertas usando e-mail e/ou SMS',
'Send Commitment as Shipment': 'Enviar compromisso como carregamento',
'Send New Shipment': 'Enviar nova remessa',
'Send Notification': 'Enviar notificação',
'Send Shipment': 'Enviar Carregamento',
'Send a message to this person': 'Enviar uma mensagem para esta pessoa',
'Send a message to this team': 'Enviar uma mensagem para essa equipe',
'Send from %s': 'Enviar de %s',
'Send message': 'Enviar mensagem',
'Send new message': 'Enviar nova mensagem',
'Sends & Receives Alerts via Email & SMS': 'Envia & Recebe Alertas via E-Mail & SMS',
'Senior (50+)': 'Sênior (50+)',
'Sent': 'Enviadas',
'Sent By': 'Enviado Por',
'Sent By Person': 'Enviado Por Pessoa',
'Sent Item Details': 'Detalhes do Item enviado',
'Sent Item deleted': 'Enviado Item excluído',
'Sent Item updated': 'Enviado Item atualizado',
'Sent Shipment Details': 'Enviado Detalhes de Embarque',
'Sent Shipment canceled': 'Enviado Carregamento cancelado',
'Sent Shipment canceled and items returned to Inventory': 'Enviado Carregamento cancelado e itens retornado ao Inventário',
'Sent Shipment updated': 'Enviado Embarque atualizado',
'Sent Shipments': 'Remessas Enviadas',
'Separated children, caregiving arrangements': 'Crianças separados, disposições caregiving',
'Serial Number': 'Numero de série',
'Series': 'serie',
'Server': 'servidor',
'Service': 'serviço',
'Service Catalog': 'Catálogo de Serviços',
'Service Due': 'Service Due',
'Service or Facility': 'Serviço ou facilidade',
'Service profile added': 'Perfil de serviço adicionado',
'Service profile deleted': 'Perfil de serviço Excluído',
'Service profile updated': 'Perfil de serviço atualizado',
'Services': 'Serviços',
'Services Available': 'Serviços Disponíveis',
'Set Base Site': 'Definir base de dados do site',
'Set By': 'Definido por',
'Set True to allow editing this level of the location hierarchy by users who are not MapAdmins.': 'Configure como True para permitir que este nível da hierarquia do local possa ser editado por usuários que não sejam administradores.',
'Setting Details': 'Detalhes de ajuste',
'Setting added': 'Configuração adicionada',
'Setting deleted': 'Configuração Excluída',
'Setting updated': 'Configuração atualizada',
'Settings': 'Ajustes',
'Settings updated': 'Ajustes atualizados',
'Settings were reset because authenticating with Twitter failed': 'As configurações foram redefinidas porque a autenticação com Twitter falhou',
'Settings which can be configured through the web interface are available here.': 'As configurações que podem ser definidas através da interface da web estão disponíveis aqui.',
'Severe': 'Severo',
'Severity': 'Gravidade',
'Share a common Marker (unless over-ridden at the Feature level)': 'Compartilhar um marcador comum (a não ser que abaixo-assinado ao nível de Componente)',
'Shelter': 'Abrigo',
'Shelter & Essential NFIs': 'Abrigo & NFIs Essenciais',
'Shelter Details': 'Detalhes de Abrigo',
'Shelter Name': 'Nome de Abrigo',
'Shelter Registry': 'Registro de Abrigo',
'Shelter Service': 'Serviço de Abrigo',
'Shelter Service Details': 'Detalhes do serviço de abrigo',
'Shelter Service added': 'Serviço de Abrigo incluído',
'Shelter Service deleted': 'Serviço de Abrigo excluído',
'Shelter Service updated': 'Atualização de serviços de abrigo',
'Shelter Services': 'Serviços de abrigo',
'Shelter Type': 'Tipo de abrigo',
'Shelter Type Details': 'Detalhes do tiipo de abrigo',
'Shelter Type added': 'Tipo de abrigo incluído',
'Shelter Type deleted': 'Tipo de abrigo excluído',
'Shelter Type updated': 'Abrigos Tipo De atualização',
'Shelter Types': 'Tipos De abrigo',
'Shelter Types and Services': 'Abrigo Tipos e serviços',
'Shelter added': 'Abrigo incluído',
'Shelter deleted': 'Abrigo excluído',
'Shelter updated': 'Abrigo atualizado',
'Shelter/NFI Assistance': 'Abrigo/ Assistência NFI',
'Shelters': 'Abrigos',
'Shipment Created': 'Embarque Criado',
'Shipment Items': 'Itens de Carregamento',
'Shipment Items received by Inventory': 'Itens de Remessa recebidos pelo Inventário',
'Shipment Items sent from Inventory': 'Itens de Remessa enviados pelo Inventário',
'Shipment to Send': 'Carga para Enviar',
'Shipments': 'Remessas',
'Shipments To': 'Remessas Para',
'Shooting': 'Tiroteio',
'Short Assessment': 'Curta Avaliação',
'Short Description': 'Breve Descrição',
'Show Checklist': 'Mostrar Lista De Verificação',
'Show Details': 'Mostrar detalhes',
'Show Map': 'Mostrar Mapa',
'Show Region in Menu?': 'Mostrar Região no Menu?',
'Show in Menu?': 'Show in Menu?',
'Show on Map': 'Mostrar no mapa',
'Show on map': 'Mostrar no mapa',
'Sign-up as a volunteer': 'Inscrever-se como um voluntário',
'Sign-up for Account': 'Inscrever-se para conta',
'Sign-up succesful - you should hear from us soon!': 'Sua inscriçao foi feita com sucesso - aguarde notícias em breve!',
'Sindhi': 'Sindi',
'Single PDF File': 'Single PDF File',
'Site': 'site',
'Site Administration': 'Administração do site',
'Site or Location': 'Sítio ou Local',
'Sites': 'sites',
'Situation': 'Situação',
'Situation Awareness & Geospatial Analysis': 'Situação Reconhecimento & Geoespaciais Análise',
'Sketch': 'Esboço',
'Skill': 'QUALIFICAÇÃO',
'Skill Catalog': 'Catálogo de Conhecimentos',
'Skill Details': 'Detalhes das habilidades',
'Skill Equivalence': 'Equivalência de Conhecimentos',
'Skill Equivalence Details': 'Detalhes da Equivalência de Habilidade',
'Skill Equivalence added': 'Equivalência de Habilidade incluída',
'Skill Equivalence deleted': 'Equivalência de Habilidade excluída',
'Skill Equivalence updated': 'Equivalência de Habilidade atualizada',
'Skill Equivalences': 'Equivalências de habilidade',
'Skill Provision': 'Provisão de Habilidade',
'Skill Provision Catalog': 'Catálogo de habilidades disponível',
'Skill Provision Details': 'Detalhes de habilidades disponível',
'Skill Provision added': 'Provisão de Habilidade incluída',
'Skill Provision deleted': 'Catalogo de habilidades excluído',
'Skill Provision updated': 'Catálogo de habilidades atualizado',
'Skill Provisions': 'Habilidades disponíveis',
'Skill Status': 'Status da Habilidade',
'Skill TYpe': 'Tipo de habilidade',
'Skill Type': 'Skill Type',
'Skill Type Catalog': 'Catálogo de tipos de habilidades',
'Skill Type Details': 'Detalhes do tipo de habilidade',
'Skill Type added': 'Tipo de habilidade incluído',
'Skill Type deleted': 'Tipo de habilidade excluído',
'Skill Type updated': 'Tipo de habilidade atualizado',
'Skill Types': 'Tipos de habilidade',
'Skill added': 'Habilidade incluída',
'Skill added to Request': 'Skill added to Request',
'Skill deleted': 'Habilidade Excluída',
'Skill removed': 'Skill removed',
'Skill removed from Request': 'Skill removed from Request',
'Skill updated': 'Habilidade ATUALIZADA',
'Skill/Training': 'Habilidades/Treinamento',
'Skills': 'Habilidades',
'Skills Catalog': 'Catálogo de habilidades',
'Skills Management': 'Gerenciamento das Habilidades',
'Skype': 'Skype',
'Skype ID': 'ID DO Skype',
'Slightly Damaged': 'Ligeiramente Danificado',
'Slope failure, debris': 'falha de inclinação, destroços',
'Small Trade': 'Pequeno Comércio',
'Smoke': 'Fumaça',
'Snapshot': 'snapshot',
'Snapshot Report': 'Relatório de snapshot',
'Snow Fall': 'Queda de neve , nevasca',
'Snow Squall': 'Rajada de neve',
'Soil bulging, liquefaction': 'abaulamento do solo, liquefação',
'Solid waste': 'Resíduos sólidos',
'Solution': 'Solução',
'Solution Details': 'Detalhes da Solução',
'Solution Item': 'Item de Solução',
'Solution added': 'Solução adicionada',
'Solution deleted': 'Solução excluída',
'Solution updated': 'Solução atualizada',
'Solutions': 'Soluções',
'Some': 'Algum',
'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.': 'Desculpe ! Essa localização está fora da área do Pai.',
'Sorry that location appears to be outside the area supported by this deployment.': 'Desculpe ! Essa localização parece estar fora da área suportada por esta implementação.',
'Sorry, I could not understand your request': 'Desculpe, eu não pude entender o seu pedido',
'Sorry, only users with the MapAdmin role are allowed to create location groups.': 'Desculpe, apenas usuários com o perfil MapAdmin tem permissão para criar locais dos grupos.',
'Sorry, only users with the MapAdmin role are allowed to edit these locations': 'Desculpe, apenas usuários com o perfil MapAdmin tem permissão para editar estes locais',
'Sorry, something went wrong.': 'Desculpe, algo deu errado.',
'Sorry, that page is forbidden for some reason.': 'Desculpe ! Esta página tem acesso restrito por alguma razão.',
'Sorry, that service is temporary unavailable.': 'Desculpe ! Este serviço está indisponível temporariamente.',
'Sorry, there are no addresses to display': 'Desculpe ! Não há endereços para visualizar.',
"Sorry, things didn't get done on time.": 'Desculpe ! As tarefas não foram concluídas em tempo útil.',
"Sorry, we couldn't find that page.": 'Desculpe, não foi possível localizar essa página.',
'Source': 'source',
'Source ID': 'ID de origem',
'Source Time': 'Origem do tempo',
'Sources of income': 'Fontes de rendimento',
'Space Debris': 'Destroços Espaciais',
'Spanish': 'espanhol',
'Special Ice': 'Gelo Especial',
'Special Marine': 'Marinha especial',
'Specialized Hospital': 'Hospital especializado.',
'Specific Area (e.g. Building/Room) within the Location that this Person/Group is seen.': 'Área específica (exemplo: edifício/quarto) com a localização de onde essa pessoa/grupo é visto.',
'Specific locations need to have a parent of level': 'Locais específicos precisam ter um nível paterno.',
'Specify a descriptive title for the image.': 'Especifique um título descritivo para a imagem.',
'Specify the bed type of this unit.': 'Especifique o tipo de cama dessa unidade.',
'Specify the number of available sets': 'Especificar o número de conjuntos disponíveis',
'Specify the number of available units (adult doses)': 'Especifique o número de unidades disponíveis (doses para adultos)',
'Specify the number of available units (litres) of Ringer-Lactate or equivalent solutions': 'Especificar o número de unidades disponíveis (litros) de Ringer-Lactato ou soluções equivalentes',
'Specify the number of sets needed per 24h': 'Especificar o número de conjuntos necessários por 24h',
'Specify the number of units (adult doses) needed per 24h': 'Especificar o número de unidades (doses para adultos) necessário por 24h',
'Specify the number of units (litres) of Ringer-Lactate or equivalent solutions needed per 24h': 'Especificar o número de unidades (litros) de Ringer-Lactato ou soluções equivalentes necessárias para 24h',
'Speed': 'Speed',
'Spherical Mercator?': 'Mapa Mercator Esférico?',
'Spreadsheet Importer': 'PLANILHA IMPORTADOR',
'Spreadsheet uploaded': 'Planilha transferido por UPLOAD',
'Spring': 'Primavera',
'Squall': 'Rajada',
'Staff': 'Equipe',
'Staff & Volunteers': 'Colaboradores & Voluntários',
'Staff 2': 'Equipe 2',
'Staff Details': 'Equipe Detalhes',
'Staff ID': 'ID da equipe',
'Staff List': 'Lista de pessoal',
'Staff Member Details': 'Detalhes de membro da equipe',
'Staff Members': 'Membros da equipe',
'Staff Record': 'Registro de pessoal',
'Staff Type Details': 'Equipe Tipo Detalhes',
'Staff Type added': 'Equipe tipo incluído',
'Staff Type deleted': 'Tipo De equipe excluído',
'Staff Type updated': 'Equipe Tipo De atualização',
'Staff Types': 'Tipos de equipe',
'Staff added': 'Equipe incluída',
'Staff and Volunteers': 'Funcionários e Voluntários',
'Staff deleted': 'Equipe excluída',
'Staff member added': 'Membro da equipe incluído',
'Staff member updated': 'Membro da equipe atualizado',
'Staff present and caring for residents': 'Equipe presente e cuidando de moradores',
'Staff updated': 'Equipe atualizado',
'Staff2': 'staff2',
'Staffing': 'Equipe',
'Stairs': 'Escadas',
'Start Date': 'Data do início',
'Start date': 'Data Inicial',
'Start of Period': 'Início do Período',
'State': 'Status',
'Stationery': 'Papel de Carta',
'Status': 'Status',
'Status Report': 'Relatório de status',
'Status Updated': 'Status atualizado',
'Status added': 'Estado adicionado',
'Status deleted': 'Estado excluído',
'Status of clinical operation of the facility.': 'Estado da operação clínica da instalação.',
'Status of general operation of the facility.': 'Estado da operação geral da instalação.',
'Status of morgue capacity.': 'Estado da capacidade da morgue.',
'Status of operations of the emergency department of this hospital.': 'Estado das operações do Departamento de Emergência deste hospital.',
'Status of security procedures/access restrictions in the hospital.': 'Estado dos procedimentos de segurança/Restrições de Acesso no hospital.',
'Status of the operating rooms of this hospital.': 'Status das salas de operação deste hospital.',
'Status updated': 'Status atualizado',
'Steel frame': 'Estrutura de aço',
'Stolen': 'Roubado',
'Store spreadsheets in the Eden database': 'Arquivar as planilhas no banco de dados Eden',
'Storeys at and above ground level': 'Andares e no nível do solo acima',
'Storm Force Wind': 'Tempestade Força Vento',
'Storm Surge': 'ressaca',
'Stowaway': 'Penetra',
'Street Address': 'Endereço residencial',
'Streetview Enabled?': 'Streetview Enabled?',
'Strong Wind': 'vento forte',
'Structural': 'estrutural',
'Structural Hazards': 'riscos estruturais',
'Style': 'Style',
'Style Field': 'Estilo do Campo',
'Style Values': 'Estilo dos Valores',
'Sub-type': 'Subtipo',
'Subject': 'assunto',
'Submission successful - please wait': 'envio bem sucedido - por favor aguarde',
'Submission successful - please wait...': 'envio bem sucedido - por favor aguarde...',
'Submit New': 'Submeter Novamente',
'Submit New (full form)': 'Submeter Novo (formulário completo)',
'Submit New (triage)': 'Submeter novo (triagem)',
'Submit a request for recovery': 'envie um pedido de recuperação',
'Submit new Level 1 assessment (full form)': 'Submeter novo nível 1 de avaliação (formulário completo)',
'Submit new Level 1 assessment (triage)': 'Submeter novo nível 1 de avaliação (triagem)',
'Submit new Level 2 assessment': 'Submeter novo nível 2 de avaliação',
'Subscription Details': 'Detalhes da Assinatura',
'Subscription added': 'Assinatura Incluída',
'Subscription deleted': 'Assinatura Excluída',
'Subscription updated': 'Assinatura ATUALIZADO',
'Subscriptions': 'assinaturas',
'Subsector': 'Subsetor',
'Subsector Details': 'Detalhes de subsetor',
'Subsector added': 'Subsetor incluído',
'Subsector deleted': 'Subsetor excluído',
'Subsector updated': 'Subsetor atualizado',
'Subsectors': 'Subsetores',
'Subsistence Cost': 'custo de subsistencia',
'Suburb': 'Subúrbio',
'Suggest not changing this field unless you know what you are doing.': 'Sugerimos não alterar esse campo a menos que você saiba o que está fazendo.',
'Summary': 'Sumário',
'Summary by Administration Level': 'Resumo por Nível de Administração',
'Sunday': 'Domingo',
'Supervisor': 'Supervisor',
'Supplies': 'Suprimentos',
'Supply Chain Management': 'Supply Chain Management',
'Supply Item Categories': 'Supply Item Categories',
'Support Request': 'Pedido de Suporte',
'Support Requests': 'Pedidos de Suporte',
'Supports the decision making of large groups of Crisis Management Experts by helping the groups create ranked list.': 'Suporta a tomada de decisão de grandes grupos de Especialistas em Gestão de Crises ajudando os grupos a criar listas de classificados.',
'Sure you want to delete this object?': 'Tem certeza que você quer excluir este objeto?',
'Surgery': 'Cirurgia',
'Survey Answer': 'Resposta da Pesquisa',
'Survey Answer Details': 'Detalhes da Resposta da Pesquisa',
'Survey Answer added': 'Incluído Resposta da Pesquisa',
'Survey Answer deleted': 'Excluído a Resposta da Pesquisa',
'Survey Answer updated': 'Resposta da Pesquisa atualizada',
'Survey Module': 'Módulo de Pesquisa',
'Survey Name': 'Nome da Pesquisa',
'Survey Question': 'Questão de Pesquisa de Opinião',
'Survey Question Details': 'Detalhes da Pergunta de Pesquisa',
'Survey Question Display Name': 'Nome da pergunta de pesquisa',
'Survey Question added': 'Pergunta de pesquisa incluída',
'Survey Question deleted': 'Pergunta de pesquisa excluída',
'Survey Question updated': 'Pergunta de pesquisa atualizada',
'Survey Section': 'Seção da Pesquisa de Opinião',
'Survey Section Details': 'Detalhes de Seção de Pesquisa',
'Survey Section Display Name': 'Seção de pesquisa do nome de exibição',
'Survey Section added': 'Seção de Pesquisa incluída',
'Survey Section deleted': 'Seção de Pesquisa excluída',
'Survey Section updated': 'Seção de pesquisa atualizada',
'Survey Series': 'Série de Pesquisa',
'Survey Series Details': 'Série de Pesquisa Detalhes',
'Survey Series Name': 'Nome de Série de Pesquisa',
'Survey Series added': 'Série de Pesquisa incluída',
'Survey Series deleted': 'Série de Pesquisa excluída',
'Survey Series updated': 'Série de Pesquisa atualizada',
'Survey Template': 'Modelo de Pesquisa de Opinião',
'Survey Template Details': 'Definir detalhes do formulário',
'Survey Template added': 'Modelo de Pesquisa incluído',
'Survey Template deleted': 'Modelo de Pesquisa excluído',
'Survey Template updated': 'Definição de formulário actualizada',
'Survey Templates': 'Definir formulários',
'Symbology': 'Simbologia',
'Sync Conflicts': 'Conflitos de Sincronização',
'Sync History': 'Histórico de Sincronização',
'Sync Now': 'Sincronizar Agora',
'Sync Partners': 'Sincronizar parceiros',
'Sync Partners are instances or peers (SahanaEden, SahanaAgasti, Ushahidi, etc.) that you want to sync information with. Click on the link on the right to go the page where you can add sync partners, search for sync partners and modify them.': 'PARCEIROS DE Sincronização são instâncias ou PARES (SahanaEden, SahanaAgasti, Ushahidi, etc. ) que você deseja a informação de sincronização com. Clique no link sobre o direito de ir a página em que você pode incluir parceiros de sincronização, procurar por parceiros de sincronização e Modificá-las.',
'Sync Pools': 'Conjuntos de Sincronização',
'Sync Schedule': 'Planejamento de Sincronização',
'Sync Settings': 'Configurações de Sincronização',
'Sync process already started on': 'Processo de Sincronização já iniciado em',
'Sync process already started on ': 'Sync process already started on ',
'Synchronisation': 'Sincronização',
'Synchronization': 'Sincronização',
'Synchronization Conflicts': 'Conflitos de Sincronização',
'Synchronization Details': 'Detalhes de Sincronização',
'Synchronization History': 'Histórico de Sincronização',
'Synchronization Peers': 'Parceiros de Sincronização',
'Synchronization Settings': 'Configurações de sincronização',
'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': 'Sincronização permite compartilhar dados que você tenha com outros e Atualizar seu próprio banco de dados com informações recentes de outros parceiros. Esta página fornece informações sobre como utilizar os recursos de sincronização de Sahana Éden',
'Synchronization not configured.': 'Sincronização não Configurada.',
'Synchronization settings updated': 'Configurações de sincronização atualizadas',
'Syncronisation History': 'Histórico De Sincronização',
"System's Twitter account updated": 'DO SISTEMA Chilreiam conta ATUALIZADO',
'Tags': 'Tags',
'Take shelter in place or per <instruction>': 'Abrigue-se no local ou por',
'Task': 'Task',
'Task Details': 'Detalhes da Tarefa',
'Task List': 'Lista de tarefas',
'Task Status': 'Status da tarefa',
'Task added': 'Task Inclusa',
'Task deleted': 'Tarefa excluída',
'Task removed': 'Task removed',
'Task updated': 'Tarefa atualizada',
'Tasks': 'Tarefas',
'Team': 'Equipe',
'Team Description': 'Descrição da Equipe',
'Team Details': 'Detalhes da Equipe',
'Team ID': 'ID da Equipe',
'Team Id': 'Id da Equipe',
'Team Leader': 'Líder de Equipe',
'Team Member added': 'Membro da equipe incluído',
'Team Members': 'Membros da equipe',
'Team Name': 'Nome da equipe',
'Team Type': 'Tipo de equipe',
'Team added': 'Equipe incluída',
'Team deleted': 'Equipe excluída',
'Team updated': 'Equipa actualizada',
'Teams': 'Equipes',
'Technical testing only, all recipients disregard': 'Apenas teste técnico, todos os recipientes ignorem',
'Telecommunications': 'Telecomunicações',
'Telephone': 'Telefone',
'Telephone Details': 'Telephone Details',
'Telephony': 'Telefonia',
'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!': 'PASTA Temp%s não gravável-impossível aplicar tema!',
'Template Name': 'Template Name',
'Template file %s not readable - unable to apply theme!': 'Modelo% arquivo não é Legível-impossível aplicar tema!',
'Templates': 'modelos',
'Term for the fifth-level within-country administrative division (e.g. a voting or postcode subdivision). This level is not often used.': 'Termo para o 5º nível de divisão administrativa nacional (por exemplo, uma subdivisão de código postal ou de zona de votação). Este nível não é frequentemente utilizado.',
'Term for the fourth-level within-country administrative division (e.g. Village, Neighborhood or Precinct).': 'Termo para o 4º nível de divisão administrativa nacional(por exemplo, vila, bairro ou distrito).',
'Term for the primary within-country administrative division (e.g. State or Province).': 'Prazo para a principal divisão administrativa dentro do país (i.e. Estado ou Distrito).',
'Term for the secondary within-country administrative division (e.g. District or County).': 'Prazo para a Secundária divisão administrativa dentro do país (por exemplo, Bairro ou Município).',
'Term for the secondary within-country administrative division (e.g. District).': 'Prazo para a Secundária divisão administrativa dentro do país (i.e. Bairro).',
'Term for the third-level within-country administrative division (e.g. City or Town).': 'Prazo para o 3ᵉʳ nível de divisão administrativa dentro do país (por exemplo, Cidade ou Municipio).',
'Term for the top-level administrative division (i.e. Country).': 'Prazo para a divisão administrativa de nível superior (por exemplo País).',
'Term for the top-level administrative division (typically Country).': 'Prazo para a divisão administrativa de nível superior (geralmente País).',
'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': 'Autoridade territoriais',
'Terrorism': 'Terrorismo',
'Tertiary Server (Optional)': 'Servidor terciário (opcional)',
'Text': 'texto',
'Text Color for Text blocks': 'Cor de texto para os blocos de texto',
'Text before each Text Field (One per line)': 'Texto antes de cada campo de texto (um por linha)',
'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.': 'Obrigado para validar seu e-mail. Sua conta de usuário ainda está pendente para aprovação pelo administrador do Sistema (%s). você receberá uma notificação por e-mail quando sua conta esteja ativada.',
'Thanks for your assistance': 'Obrigado por sua ajuda',
'The': 'O',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1 == db.table2.field2" results in a SQL JOIN.': 'O "query" é uma condição como "db.table1.field1==\'value\'". Algo como "db.table1.field1 == db.table2.field2" resulta em uma junção SQL.',
'The Area which this Site is located within.': 'A área que este Site está localizado',
'The Assessments module allows field workers to send in assessments.': 'O Modulo Avaliações permite aos trabalhadores de campo que enviem avaliações.',
'The Author of this Document (optional)': 'O autor deste documento (opcional)',
'The Building Asssesments module allows building safety to be assessed, e.g. after an Earthquake.': 'O módulo avaliações De Construção permite a segurança edifício a ser avaliada, por exemplo, depois de um terremoto.',
'The Camp this Request is from': 'O Alojamento neste pedido é de',
'The Camp this person is checking into.': 'O Alojamento que esta pessoa está se registrando.',
'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.': 'O local atual do Usuário/Grupo, que pode ser geral (para relatórios) ou precisa (para exibir em um mapa). Digite alguns caracteres para procurar nos locais disponíveis.',
"The Donor(s) for this project. Multiple values can be selected by holding down the 'Control' key.": "O doador(s) para este projeto. Vários valores podem ser selecionados ao manter pressionado a chave 'control'",
'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.': 'O endereço de e-mail para onde os pedidos de aprovação são enviados (normalmente seria um correio de Grupo ao invés de um individual). Se o campo estiver em branco, os pedidos são aprovados automaticamente se o domínio corresponder.',
'The Incident Reporting System allows the General Public to Report Incidents & have these Tracked.': 'O Sistema de Comunicação de Incidentes permite o Público em Geral reportar incidentes & ter esses rastreados.',
'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 Localização da Pessoa vem do, que pode ser geral (para relatórios) ou precisa (para exibir em um mapa). Digite alguns caracteres para procurar nos locais disponíveis.',
'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.': 'O local que a pessoa vai, que pode ser genérico (para Relatórios) ou preciso (para exibir em um mapa). Digite alguns caracteres para procurar nos locais disponíveis.',
'The Media Library provides a catalog of digital media.': 'A Biblioteca de mídias fornece um catálogo de mídia digital.',
'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.': 'O módulo de mensagens é o hub de comunicação principal do sistema Sahana. É utilizado para enviar alertas e/ou mensagens utilizando o SMS & e-mail para diferentes grupos e indivíduos antes, durante e após um desastre.',
'The Organization Registry keeps track of all the relief organizations working in the area.': 'O registro Da Organização mantém controle de todos as organizações de apoio que trabalham na área.',
'The Organization Registry keeps track of all the relief organizations working in the disaster region. 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.': 'O registro da Organização mantém controle de todas organizações de ajuda trabalhando numa região de desastre. Ele captura não apenas os locais onde elas estão ativas, mas também captura informações sobre o conjunto de projetos que está fornecendo em cada região.',
'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 Person currently filling this Role.': 'A pessoa atualmente preenchendo esta função.',
'The Project Tracking module allows the creation of Activities to meet Gaps in Needs Assessments.': 'O módulo acompanhamento do projeto permite a criação de atividades para preencher Lacunas nas avaliações de necessidades.',
'The Requests Management System is a central online repository where all relief organizations, relief workers, government agents and camp sites for displaced personnel can coordinate the supply of aid with their demand. It allows users to allocate the available resources to fulfill the demands effectively and efficiently.': 'O sistema De Gerenciamento De Pedidos é um repositório online central em todas as organizações de ajuda, trabalhadores de assistência, agentes do governo e sites de acampamento para a equipe de refugiados pode coordenar o fornecimento da ajuda com seu pedido. Ela permite que usuários aloquem os recursos disponíveis para suprir as demandas de forma efetiva e eficiente.',
'The Role this person plays within this hospital.': 'A Função desta pessoa neste hospital.',
'The Role to which this Role reports.': 'A função à qual essa função responde.',
'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.': 'O registro do Abrigo rastreia todos os detalhes básicos abrigos e armazena sobre eles. Ele colabora com outros módulos para rastrear as pessoas associadas com um abrigo, os serviços disponíveis etc.',
'The Shelter this Request is from': 'O pedido deste abrigo é de',
'The Shelter this Request is from (optional).': 'O pedido este Abrigo é de (opcional).',
'The Shelter this person is checking into.': 'O abrigo esta pessoa está verificando no.',
'The URL for the GetCapabilities of a WMS Service whose layers you want accessible via the Map.': 'A URL para o GetCapabilities de um serviço WMS cujas camadas você deseja acessíveis através do mapa.',
'The URL for the GetCapabilities page of a Web Map Service (WMS) whose layers you want available via the Browser panel on the Map.': 'A URL para a página do GetCapabilities de um Web Map Service (WMS), cujas camadas que você deseja disponíveis através do painel do navegador no Mapa.',
"The URL of the image file. If you don't upload an image file, then you must specify its location here.": 'A URL do arquivo de imagem. Se voce não fizer o upload de um arquivo de imagem, então voce deverá especificar sua localização aqui.',
'The URL of your web gateway without the post parameters': 'A URL de seu gateway da web sem os parâmetros post',
'The URL to access the service.': 'A URL para acessar o serviço.',
'The Unique Identifier (UUID) as assigned to this facility by the government.': 'O Idenfificador Único (UUID) conforme designado pelo governo para esta filial.',
'The asset must be assigned to a site OR location.': 'O ativo deve ser assinalado para um site ou local.',
'The attribute which is used for the title of popups.': 'O atributo que é usado para o título de popups.',
'The attribute within the KML which is used for the title of popups.': 'O Atributo dentro do KML que é utilizado para o título dos pop-ups.',
'The attribute(s) within the KML which are used for the body of popups. (Use a space between attributes)': 'O Atributo(s) no KML que são utilizados para o corpo dos pop-ups. ( utilizar um espaço entre atributos )',
'The body height (crown to heel) in cm.': 'A altura do corpo (cabeça até o calcanhar) em cm.',
'The contact person for this organization.': 'A pessoa de contato nessa organização.',
'The country the person usually lives in.': 'O país que a pessoa vive habitualmente',
'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.': 'A Organização padrão para quem esta pessoa está atuando.',
'The default Organization for whom you are acting.': 'A Organização padrão para quem você está atuando.',
'The duplicate record will be deleted': 'O registro duplicado será excluído',
'The first or only name of the person (mandatory).': 'O primeiro nome ou único nome da pessoa (obrigatório).',
'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.': 'O formulário da URL é http://your/web/map/service?service=WMS&request=GetCapabilities where your/web/map/service que representa o caminho da URL para o WMS.',
'The language you wish the site to be displayed in.': 'O idioma que você deseja que o site seja exibido.',
'The last known location of the missing person before disappearance.': 'A última localização conhecida da pessoa desaparecida antes do desaparecimento.',
'The level at which Searches are filtered.': 'The level at which Searches are filtered.',
'The list of Brands are maintained by the Administrators.': 'A lista de Marcas serão mantidas pelos administradores.',
'The list of Catalogs are maintained by the Administrators.': 'A lista de catálogos é mantida pelos administradores.',
'The list of Item categories are maintained by the Administrators.': 'A lista de categorias dos itens são mantidas pelos administradores.',
'The map will be displayed initially with this latitude at the center.': 'O mapa será exibido inicialmente com esta latitude no centro.',
'The map will be displayed initially with this longitude at the center.': 'O mapa será exibido inicialmente com esta longitude no centro.',
'The minimum number of features to form a cluster.': 'O número mínimo de recursos para formar um cluster.',
'The name to be used when calling for or directly addressing the person (optional).': 'O nome a ser usado ao chamar por ou diretamente endereçar a pessoa (opcional).',
'The next screen will allow you to detail the number of people here & their needs.': 'A próxima tela permitirá que você detalhe o número de pessoas aqui e as suas necessidades.',
'The number of Units of Measure of the Alternative Items which is equal to One Unit of Measure of the Item': 'O número de unidades de medida dos Itens alternativos é igual a uma unidade de medida do Item',
'The number of pixels apart that features need to be before they are clustered.': 'O número de separado de pixels de funcionalidades tem que ser antes que eles sejam agrupados.',
'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.': 'O número de títulos em torno do mapa visível para fazer download. Zero significa que a primeira página carrega mais rápido, números maiores que zero significam que as paginas seguintes são mais rápida.',
'The person at the location who is reporting this incident (optional)': 'A pessoa no local que está relatando este incidenten (opcional)',
'The person reporting the missing person.': 'A pessoa reportando o desaparecimento de alguem',
'The post variable containing the phone number': 'A variavel post contendo o numero de telefone',
'The post variable on the URL used for sending messages': 'A variável post no URL é utilizada para enviar mensagens',
'The post variables other than the ones containing the message and the phone number': 'As variáveis post diferentes das que contém a mensagem e o número de telefone',
'The serial port at which the modem is connected - /dev/ttyUSB0, etc on linux and com1, com2, etc on Windows': 'A porta serial no qual o modem está conectado-/dev/ttyUSB0, etc. No linux e com1, com2, etc. No Windows',
'The server did not receive a timely response from another server that it was accessing to fill the request by the browser.': 'O servidor não receber uma resposta oportuna de outro servidor que ele estava acessando para preencher o pedido pelo navegador.',
'The server received an incorrect response from another server that it was accessing to fill the request by the browser.': 'O servidor recebeu uma resposta incorreta a partir de outro servidor que ele estava acessando para preencher o pedido pelo navegador.',
'The site where this position is based.': 'O local onde esta posição se baseia.',
'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.': 'O pessoal responsável pelas Instalações podem fazer pedidos de assistência. Compromissos podem ser feitas em relação a esses pedidos no entanto os pedidos permanecem abertas até o SOLICITANTE confirma que o pedido foi concluído.',
'The subject event no longer poses a threat or concern and any follow on action is described in <instruction>': 'O acontecimento já não representa uma ameaça ou preocupação e a ação a ser tomada é descrita em<instruction>',
'The time at which the Event started.': 'O momento em que o evento começou.',
'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 title of the WMS Browser panel in the Tools panel.': 'O título do painel do navegador WMS em ferramentas.',
'The token associated with this application on': 'O token associado a este aplicativo em',
'The unique identifier which identifies this instance to other instances.': 'O indentificador único diferencia esta instância de outras.',
'The way in which an item is normally distributed': 'O modo em que um item é normalmente distribuído',
'The weight in kg.': 'O peso em quilogramas.',
'Theme': 'Tema',
'Theme Details': 'Detalhes do Tema',
'Theme added': 'Tema incluído',
'Theme deleted': 'Tema excluído',
'Theme updated': 'Tema atualizado',
'Themes': 'Temas',
'There are errors': 'Há erros',
'There are insufficient items in the Inventory to send this shipment': 'não há itens suficientes no armazém para o envio desse carregamento',
'There are multiple records at this location': 'Há vários registros neste local',
'There are not sufficient items in the Inventory to send this shipment': 'não há itens suficientes no inventário para enviar esse carregamento',
'There is no address for this person yet. Add new address.': 'Não há endereço para esta pessoa ainda. Adicionar novo endereço.',
'There was a problem, sorry, please try again later.': 'There was a problem, sorry, please try again later.',
'These are settings for Inbound Mail.': 'Estas são as configurações para Correio de entrada.',
'These are the Incident Categories visible to normal End-Users': 'Estes são as Categorias de incidentes visíveis para usuários finais normais.',
'These need to be added in Decimal Degrees.': 'estas precisam ser incluídas em graus decimais.',
'They': 'Eles',
'This appears to be a duplicate of': 'Isto parece ser duplicado de',
'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': 'Este arquivo já existe como no servidor',
'This is appropriate if this level is under construction. To prevent accidental modification after this level is complete, this can be set to False.': 'Isso é apropriado se esse nível estiver em construção. Para evitar modificação acidental após esse nível estar concluído, pode ser configurado como False.',
'This is the way to transfer data between machines as it maintains referential integrity.': 'Este é o caminho para a transferência de dados entre máquinas que mantém a integridade referencial.',
'This is the way to transfer data between machines as it maintains referential integrity...duplicate data should be removed manually 1st!': 'Este é o caminho para a transferência de dados entre máquinas que mantém a integridade referencial...duplicado dados devem ser removidos manualmente 1ᵉʳ!',
'This level is not open for editing.': 'Este nível não é aberto para edição.',
'This might be due to a temporary overloading or maintenance of the server.': 'Isso pode ser devido a uma sobrecarga temporária ou manutenção do servidor.',
'This module allows Inventory Items to be Requested & Shipped between the Inventories of Facilities.': 'Este módulo permite que itens de inventário sejam Solicitados & Enviados entre os Inventários das instalações.',
'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.': 'Este módulo permite que você planeje cenários para os Exercícios & Eventos. Você pode alocar apropriado recursos (humanos, Ativos e Recursos) para que estes possam ser mobilizados facilmente.',
'This page shows you logs of past syncs. Click on the link below to go to this page.': 'Esta página mostra as logs das sincronizações passadas. Clique no link abaixo para ir para essa página.',
'This screen allows you to upload a collection of photos to the server.': 'Esta tela permite que você faça upload de um conjunto de fotografias para o servidor.',
'This setting can only be controlled by the Administrator.': 'Esta definicão só pode ser controlado pelo administrador.',
'This shipment has already been received.': 'Este carregamento já foi recebido.',
'This shipment has already been sent.': 'Este carregamento já foi enviado.',
'This shipment has not been received - it has NOT been canceled because can still be edited.': 'Este carregamento não foi recebido-ele não foi cancelado porque ainda pode ser editado.',
'This shipment has not been sent - it has NOT been canceled because can still be edited.': 'Este carregamento não foi enviado- ele não foi cancelado porque ainda pode ser editado.',
'This shipment will be confirmed as received.': 'Este carregamento será confirmado como recebido.',
'This value adds a small mount of distance outside the points. Without this, the outermost points would be on the bounding box, and might not be visible.': 'Esse valor inclui um pequeno valor de distância fora dos pontos. Sem isto, os pontos mais afastados estariam na caixa delimitadora, e podem não estar visíveis.',
'This value gives a minimum width and height in degrees for the region shown. Without this, a map showing a single point would not show any extent around that point. After the map is displayed, it can be zoomed as desired.': 'Este valor fornece uma largura e altura minimas em graus para a região mostrada. Sem isto, um mapa que mostre um ponto único não mostraria nenhuma extensão ao redor desse ponto. Depois que o mapa for exibido, pode ser ampliado, conforme desejado.',
'Thunderstorm': 'Trovoada',
'Thursday': 'Quinta-feira',
'Ticket': 'Bilhete',
'Ticket Details': 'Detalhes do bilhete',
'Ticket ID': 'ID do Bilhete',
'Ticket added': 'Bilhete incluído',
'Ticket deleted': 'Bilhete removido',
'Ticket updated': 'Bilhete atualizado',
'Ticketing Module': 'Módulo de bilhetes',
'Tickets': 'Bilhetes',
'Tiled': 'Tiled',
'Tilt-up concrete': 'Inclinar concreto',
'Timber frame': 'Quadro de madeira',
'Timeline': 'Prazo',
'Timeline Report': 'Relatório de períodos de tempo',
'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': 'título',
'Title to show for the Web Map Service panel in the Tools panel.': 'Título para mostrar o painel de serviço de Mapa da Web no painel de Ferramentas.',
'To': 'para',
'To Location': 'Localidade de destino',
'To Person': 'Para Pessoa',
'To begin the sync process, click the button on the right =>': 'Para iniciar o processo de Sincronização, clique no botão à direita.',
'To begin the sync process, click the button on the right => ': 'To begin the sync process, click the button on the right => ',
'To begin the sync process, click this button =>': 'Para iniciar o processo de Sincronização, clique neste botão.',
'To begin the sync process, click this button => ': 'To begin the sync process, click this button => ',
'To create a personal map configuration, click': 'Para criar uma configuração do mapa pessoal, clique',
'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': 'Para editar OpenStreetMap, você precisa editar as configurações do OpenStreetMap em models/000_config.py',
'To search by job title, enter any portion of the title. You may use % as wildcard.': 'Para pesquisar por título, digite qualquer parte do título. Pode utilizar o % como um substituto para qualquer caracter.',
"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.": "Para pesquisar por nome, digite qualquer do primeiro, meio ou últimos nomes, separados por espaços. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todas as pessoas.",
"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.": "Para procurar um corpo, digite o número da ID do corpo. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todos os organismos.",
"To search for a hospital, enter any of the names or IDs of the hospital, or the organization name or acronym, separated by spaces. You may use % as wildcard. Press 'Search' without input to list all hospitals.": "Para procurar um hospital, digite qualquer um dos nomes ou IDs do hospital, ou o nome da organização ou Acrônimo, separados por espaços. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todos os hospitais.",
"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.": "Para procurar um hospital, digite qualquer um dos nomes ou IDs do hospital, separados por espaços. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todos os hospitais.",
"To search for a location, enter the name. You may use % as wildcard. Press 'Search' without input to list all locations.": "Para procurar um local, digite o nome. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todos os locais.",
"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.": "Para procurar por uma pessoa, digite qualquer do primeiro, meio ou últimos nomes e/ou um número de ID de uma pessoa, separados por espaços. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todas as pessoas.",
"To search for a person, 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.": "Para procurar por uma pessoa, digite ou o primeiro nome, ou o nome do meio ou sobrenome, separados por espaços. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todas as pessoas.",
"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.": "Para procurar por uma avaliação, digite qualquer parte o número da permissão da avaliação. Pode utilizar o % como um substituto para qualquer caracter. PRESSIONE ' Search' sem entrada para listar todas as avaliações.",
'To variable': 'Para variável',
'Tools': 'ferramentas',
'Tornado': 'tornado',
'Total': 'Total',
'Total # of Target Beneficiaries': 'Nº Total de Beneficiários De Destino',
'Total # of households of site visited': 'Nº Total de famílias de site Visitado',
'Total Beds': 'Total de Camas',
'Total Beneficiaries': 'Total de Beneficiários',
'Total Cost per Megabyte': 'Custo Total por Megabyte',
'Total Cost per Minute': 'Custo Total por Minuto',
'Total Monthly': 'Total Mensal',
'Total Monthly Cost': 'Custo Total mensal',
'Total Monthly Cost:': 'Custo Total mensal:',
'Total Monthly Cost: ': 'Total Monthly Cost: ',
'Total One-time Costs': 'Total Um tempo de Custos',
'Total Persons': 'Totalizar Pessoas',
'Total Recurring Costs': 'Totalizar Custos Recorrentes',
'Total Unit Cost': 'Total do custo unitário',
'Total Unit Cost:': 'Custo Unitário Total:',
'Total Unit Cost: ': 'Total Unit Cost: ',
'Total Units': 'Total de unidades',
'Total gross floor area (square meters)': 'Total de área bruta (metros quadrados)',
'Total number of beds in this hospital. Automatically updated from daily reports.': 'Número Total de leitos neste hospital. Atualizado automaticamente a partir de relatórios diários.',
'Total number of houses in the area': 'Número Total de casas na área',
'Total number of schools in affected area': 'Número Total de escolas em área afetada',
'Total population of site visited': 'Totalizar População do site Visitado',
'Totals for Budget:': 'Total para Orçamento',
'Totals for Bundle:': 'Total do Pacote',
'Totals for Kit:': 'Totais para Kit',
'Tourist Group': 'Grupo turístico',
'Town': 'Urbano',
'Traces internally displaced people (IDPs) and their needs': 'Rastreia pessoas deslocadas internamente (PDI) e suas necessidades',
'Tracing': 'Rastreio',
'Track': 'Rastrear',
'Track Details': 'Detalhes do restraio',
'Track deleted': 'Rastreio excluído',
'Track updated': 'Rastreamento atualizado',
'Track uploaded': 'Rastreamento enviado',
'Track with this Person?': 'RASTREAR com esta pessoa?',
'Tracking of Patients': 'Tracking of Patients',
'Tracking of Projects, Activities and Tasks': 'Rastreamento de projetos, atividades e tarefas',
'Tracking of basic information on the location, facilities and size of the Shelters': 'Rastreamento de informações básicas sobre a localização, instalações e tamanho dos abrigos',
'Tracks': 'Tracks',
'Tracks the location, distibution, capacity and breakdown of victims in Shelters': 'Rastreia o local, distribuição, capacidade e discriminação da vítima em Abrigos',
'Traffic Report': 'Relatório de tráfego',
'Training': 'Treinamento',
'Training Course Catalog': 'Catálogo de cursos de treinamento',
'Training Details': 'Detalhes do treinamento',
'Training added': 'Treinamento incluído',
'Training deleted': 'Treinamento excluído',
'Training updated': 'Treinamento atualizado',
'Trainings': 'Treinamentos',
'Transit': 'Trânsito',
'Transit Status': 'Status do Transito',
'Transition Effect': 'Efeito de Transição',
'Transparent?': 'TRANSPARENTE?',
'Transportation assistance, Rank': 'Assistência de transporte, Classificação',
'Trauma Center': 'Centro de traumas',
'Travel Cost': 'Custo da Viagem',
'Tropical Storm': 'Tempestade Tropical',
'Tropo': 'substiuir, mudar',
'Tropo Messaging Token': 'Sinal de Mensagem Tropo',
'Tropo Settings': 'Configurações esteja doido parceiro',
'Tropo Voice Token': 'Sinal de Voz Tropo',
'Tropo settings updated': 'Configurações Tropo Atualizadas',
'Truck': 'Caminhão',
'Try checking the URL for errors, maybe it was mistyped.': 'Tente verificar se existem erros na URL, talvez tenha sido um erro de digitação',
'Try hitting refresh/reload button or trying the URL from the address bar again.': 'Tente apertar o botão atualizar/recarregar ou tente a URL a partir da barra de endereços novamente',
'Try refreshing the page or hitting the back button on your browser.': 'Tente atualizar a página ou apertar o botão voltar em seu navegador.',
'Tsunami': 'Tsunami',
'Tuesday': 'Terça-feira',
'Twitter': 'Twitter',
'Twitter ID or #hashtag': 'ID Twitter ou #hashtag',
'Twitter Settings': 'Configurações do Twitter',
'Type': 'type',
'Type of Construction': 'Tipo de Construção',
'Type of water source before the disaster': 'Tipo de fonte de água antes do desastre',
"Type the first few characters of one of the Person's names.": 'Digite os primeiros caracteres de um dos nomes da pessoa.',
'UID': 'uid',
'UN': 'ONU',
'URL': 'Localizador-Padrão de Recursos',
'UTC Offset': 'UTC Offset',
'Un-Repairable': 'ONU-Reparáveis',
'Unable to parse CSV file!': 'Não é possível analisar Arquivo CSV!',
'Understaffed': 'Pessoal',
'Unidentified': 'Não identificado',
'Unit Cost': 'Custo por unidade',
'Unit added': 'Unidade incluída',
'Unit deleted': 'Unidade Excluída',
'Unit of Measure': 'Unidade de medida',
'Unit updated': 'Unidade Atualizados',
'Units': 'Unidades',
'Unknown': 'unknown',
'Unknown Peer': 'Peer desconhecido',
'Unknown type of facility': 'Tipo desconhecido de instalação',
'Unreinforced masonry': 'Alvenaria obras',
'Unresolved Conflicts': 'Conflitos não resolvidos',
'Unsafe': 'Inseguro',
'Unselect to disable the modem': 'Desmarcar para desativar o 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': 'não enviado',
'Unsupported data format!': 'Formato de dados não Suportado!',
'Unsupported method!': 'Método não Suportado!',
'Update': 'atualização',
'Update Activity Report': 'Atualizar Relatório de atividade',
'Update Cholera Treatment Capability Information': 'Atualizar informações de capacidade de tratamento de Cólera',
'Update Request': 'Atualizar Pedido',
'Update Service Profile': 'Atualizar Perfil de Serviço',
'Update Status': 'Status da Atualização',
'Update Task Status': 'Atualizar Status da Tarefa',
'Update Unit': 'Atualizar Unidade',
'Update if Master': 'Atualizar se for o principal',
'Update if Newer': 'Atualizar se Mais Recente',
'Update your current ordered list': 'ATUALIZE a seu atual lista ordenada',
'Updated By': 'Atualizado por',
'Upload Comma Separated Value File': 'Upload Comma Separated Value File',
'Upload Format': 'Upload Format',
'Upload OCR Form': 'Upload OCR Form',
'Upload Photos': 'Fazer Upload de Fotos',
'Upload Spreadsheet': 'Fazer atualizacao de Planilha',
'Upload Track': 'Pista de carregamento',
'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 Spreadsheet': 'Fazer Upload de uma planilha',
'Upload an image file (bmp, gif, jpeg or png), max. 300x300 pixels!': 'Fazer Upload de um arquivo de imagem (bmp, gif, jpeg ou png), máx. 300x300 pixels!',
'Upload an image file here.': 'Fazer atualizacao de um arquivo de imagem aqui.',
"Upload an image file here. If you don't upload an image file, then you must specify its location in the URL field.": 'Fazer atualizacao de um arquivo de imagem aqui. Se voce não fizer o upload de um arquivo de imagem, então voce deverá especificar sua localização no campo URL',
'Upload an image, such as a photo': 'Fazer Upload de uma imagem, como uma foto',
'Uploaded': 'Uploaded',
'Urban Fire': 'Incêndio urbano',
'Urban area': 'Zona Urbana',
'Urdu': 'Urdu',
'Urgent': 'Urgente',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Utilize (...)&(...) para e, (...)|(...) ou para, e ~(...) para não para construir consultas mais complexas.',
'Use Geocoder for address lookups?': 'Utiliza Geocodificador para consultas de endereços?',
'Use default': 'usar o padrão',
'Use these links to download data that is currently in the database.': 'Use estes links para fazer o download de dados actualmente na base de dados.',
'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': 'Utilizado pela Receita Federal & Avaliar',
'Used in onHover Tooltip & Cluster Popups to differentiate between types.': 'Utilizado em onHover De Dicas & Cluster Popups para diferenciar entre tipos.',
'Used to build onHover Tooltip & 1st field also used in Cluster Popups to differentiate between records.': 'Utilizado para construir onHover Dicas & primeiro campo também utilizado no Popups Cluster para diferenciar entre os registros.',
'Used to check that latitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Usado para verificar latitude de locais inseridos é razoável. Pode ser utilizado para filtrar listas de recursos que possuem locais.',
'Used to check that longitude of entered locations is reasonable. May be used to filter lists of resources that have locations.': 'Usado para verificar que longitude de locais inserido é razoável. Pode ser utilizado para filtrar listas de recursos que possuem locais.',
'Used to import data from spreadsheets into the database': 'Para importar dados utilizada a partir de planilhas no banco de dados',
'Used within Inventory Management, Request Management and Asset Management': 'Utilizado no gerenciamento de inventário, gerenciamento de Pedido e gerenciamento de ativos',
'User': 'usuário',
'User Account has been Disabled': 'Conta de Usuário foi Desativado',
'User Details': 'Detalhes do Usuário',
'User ID': 'User ID',
'User Management': 'gerenciamento do usuário',
'User Profile': 'Perfil do Utilizador',
'User Requests': 'Pedidos do Utilizador',
'User Updated': 'Utilizador actualizado',
'User added': 'Usuário Incluído',
'User already has this role': 'Usuário já tem essa função',
'User deleted': 'Usuário Excluído',
'User updated': 'Utilizador actualizado',
'Username': 'userName',
'Users': 'usuários',
'Users removed': 'Utilizadores removidos',
'Uses the REST Query Format defined in': 'Utiliza o formato de consulta REST definido em',
'Ushahidi': 'Ushahidi',
'Utilities': 'Serviços Públicos',
'Utility, telecommunication, other non-transport infrastructure': 'Serviços Públicos, telecomunicações, outra infra-estrutura não-transporte',
'Vacancies': 'Vagas',
'Value': 'value',
'Various Reporting functionalities': 'Diversas funcionalidades de relatório',
'Vehicle': 'veículo',
'Vehicle Crime': 'Roubo/Furto de veículo',
'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': 'Tipos de veículo',
'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': 'Status de verificação',
'Verified?': 'Verificado?',
'Verify password': 'Verificar senha',
'Version': 'Version',
'Very Good': 'Muito bom',
'Very High': 'muito alto',
'View Alerts received using either Email or SMS': 'Visualizar alertas utilizando quer o correio electrónico quer SMS.',
'View All': 'Visualizar todos',
'View All Tickets': 'View All Tickets',
'View Error Tickets': 'Ver bilhetes de erro',
'View Fullscreen Map': 'Visualização Inteira Mapa',
'View Image': 'Visualizar imagem',
'View Items': 'Ver itens',
'View On Map': 'Visualizar no mapa',
'View Outbox': 'Visualização Outbox',
'View Picture': 'Visualização de imagem',
'View Results of completed and/or partially completed assessments': 'View Results of completed and/or partially completed assessments',
'View Settings': 'Ver Configurações',
'View Tickets': 'Visualizar Bilhetes',
'View and/or update their details': 'Visualizar e/ou actualizar os seus detalhes',
'View or update the status of a hospital.': 'VISUALIZAR ou atualizar o status de um hospital.',
'View pending requests and pledge support.': 'Visualizar pedidos pendentes e suporte promessa.',
'View the hospitals on a map.': 'Visualizar os hospitais em um mapa.',
'View/Edit the Database directly': 'Visualizar/Editar o banco de dados diretamente',
"View/Edit the Database directly (caution: doesn't respect the framework rules!)": 'Visualizar/Alterar a base de dados directamente ( cuidado : não cumpre com as regras da infraestrutura ! ) ).',
'Village': 'Vila',
'Village Leader': 'Líder da Aldeia',
'Visible?': 'Visível?',
'Visual Recognition': 'Reconhecimento visual',
'Volcanic Ash Cloud': 'Nuvem de cinzas vulcânicas',
'Volcanic Event': 'Evento vulcânico',
'Volume (m3)': 'Volume (m3)',
'Volunteer Availability': 'Disponibilidade de Voluntário',
'Volunteer Details': 'Detalhes do voluntário',
'Volunteer Information': 'Voluntário Informações',
'Volunteer Management': 'Gestão de voluntário',
'Volunteer Project': 'Projeto voluntário',
'Volunteer Record': 'Voluntário Registro',
'Volunteer Request': 'Pedido voluntário',
'Volunteer added': 'Voluntário incluído',
'Volunteer availability added': 'Disponibilidade de voluntário incluída',
'Volunteer availability deleted': 'Disponibilidade de voluntário excluída',
'Volunteer availability updated': 'Disponibilidade de voluntário atualizada',
'Volunteer deleted': 'Voluntário excluído',
'Volunteer details updated': 'Atualização dos detalhes de voluntários',
'Volunteer updated': 'Voluntário atualizado',
'Volunteers': 'Voluntários',
'Volunteers List': 'Voluntários Lista',
'Volunteers were notified!': 'Voluntários foram notificados!',
'Vote': 'voto',
'Votes': 'votos',
'WASH': 'LAVAR',
'WMS Browser Name': 'WMS Nome do Navegador',
'WMS Browser URL': 'WMS Navegador URL',
'Walking Only': 'Apenas andando',
'Wall or other structural damage': 'Parede ou outros danos estruturais',
'Warehouse': 'Depósito',
'Warehouse Details': 'Detalhes do Armazém',
'Warehouse added': 'Warehouse incluído',
'Warehouse deleted': 'Deposito apagado',
'Warehouse updated': 'Warehouse ATUALIZADO',
'Warehouses': 'Armazéns',
'WatSan': 'WatSan',
'Water Sanitation Hygiene': 'Saneamento de água',
'Water collection': 'Coleta de água',
'Water gallon': 'Galão de água',
'Water storage containers in households': 'Recipientes de armazenamento de água nos domicílios',
'Water supply': 'Abastecimento de água',
'Waterspout': 'Waterspout',
'We have tried': 'We have tried',
'Web API settings updated': 'Web API settings updated',
'Web Map Service Browser Name': 'Nome do mapa da Web navegador de serviços',
'Web Map Service Browser URL': 'Web Mapa Do navegador de Serviços URL',
'Website': 'WebSite',
'Wednesday': 'Wednesday',
'Weight': 'peso',
'Weight (kg)': 'peso (kg)',
'Welcome to the Sahana Portal at': 'Bem-vindo ao Portal Sahana em',
'Well-Known Text': 'Texto bem conhecido',
'What order to be contacted in.': 'What order to be contacted in.',
'Wheat': 'Trigo',
'When a map is displayed that focuses on a collection of points, the map is zoomed to show just the region bounding the points.': 'Quando o mapa é que exibido incide sobre um conjunto de pontos, o mapa é aproximado para mostrar apenas a região delimitadora dos pontos.',
'When reports were entered': 'Quando os relatórios foram Digitados',
"When syncing data with others, conflicts happen in cases when two (or more) parties want to sync information which both of them have modified, i.e. conflicting information. Sync module tries to resolve such conflicts automatically but in some cases it can't. In those cases, it is up to you to resolve those conflicts manually, click on the link on the right to go to this page.": 'Quando Sincronizando dados com outros, os conflitos acontecem em casos onde dois (ou mais) grupos desejam sincronizar informações que os dois tenham modificado, ou seja, informações conflitantes. Módulo de sincronização tenta resolver esses conflitos automaticamente mas em alguns casos isso não consegue. Nesses casos, cabe a si resolver esses conflitos manualmente, clique no link à direita para ir para esta página.',
'Whiskers': 'Bigodes',
'Who is doing what and where': 'Quem está a fazer o quê e onde',
'Who usually collects water for the family?': 'Quem habitualmente colecta água para a família ?',
'Width': 'width',
'Width (m)': 'Largura (m)',
'Wild Fire': 'Fogo Selvagem',
'Wind Chill': 'Vento Frio',
'Window frame': 'Esquadria de janela',
'Winter Storm': 'Tempestade de inverno',
'Women of Child Bearing Age': 'Mulheres da criança Tendo Idade',
'Women participating in coping activities': 'Mulheres que participam em lidar atividades',
'Women who are Pregnant or in Labour': 'Mulheres que esto grávidas ou no trabalho',
'Womens Focus Groups': 'Mulheres de Grupos Foco',
'Wooden plank': 'Tábua de madeira',
'Wooden poles': 'Postes de madeira',
'Working hours end': 'Horas de trabalho final',
'Working hours start': 'Horas de trabalho iniciar',
'Working or other to provide money/food': 'Trabalhando para outros para prover dinheiro / alimentos',
'X-Ray': 'Raio-X',
'XMPP': 'XMPP',
'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': 'Ano de construção',
'Year of Manufacture': 'Ano de fabricação',
'Yellow': 'amarelo',
'Yes': 'YES',
'You are a recovery team?': 'Você é uma equipe de recuperação?',
'You are attempting to delete your own account - are you sure you want to proceed?': 'Você está tentando excluir sua própria conta-Tem certeza de que deseja continuar?',
'You are currently reported missing!': 'Você está atualmente desaparecido!',
'You can change the configuration of synchronization module in the Settings section. This configuration includes your UUID (unique identification number), sync schedules, beacon service and so on. Click the following link to go to the Sync Settings page.': 'Você pode alterar a configuração do Módulo de Sincronização na seção configurações. Essa configuração inclui o seu UUID (número de identificação exclusivo), Planejamentos de Sincronização, serviço Farol e assim por diante. Clique no link a seguir para ir para a página Configurações de Sincronização.',
'You can click on the map below to select the Lat/Lon fields': 'Você pode clicar no mapa abaixo para selecionar os campos Lat/Lon',
'You can select the Draw tool': 'Pode selecionar a ferramenta Desenho',
'You can set the modem settings for SMS here.': 'Pode definir a configuração do modem SMS aqui.',
'You can use the Conversion Tool to convert from either GPS coordinates or Degrees/Minutes/Seconds.': 'Você pode utilizar a ferramenta de conversão para converter coordenadas de GPS ou graus/minutos/segundos.',
'You do no have permission to cancel this received shipment.': 'Você não tem permissão para cancelar o recebimento deste carregamento.',
'You do no have permission to cancel this sent shipment.': 'Você não tem permissão para cancelar o envio desse carregamento.',
'You do no have permission to make this commitment.': 'Você não tem permissão de fazer este compromisso.',
'You do no have permission to receive this shipment.': 'Você não tem permissão para receber este carregamento.',
'You do no have permission to send this shipment.': 'Você não tem permissão para enviar este carregamento.',
'You do not have permission for any facility to make a commitment.': 'Você não tem permissão em qualquer instalação para estabelecer um compromisso.',
'You do not have permission for any facility to make a request.': 'Você não tem permissão em qualquer instalação para fazer um pedido.',
'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.': 'Você não tem permissão em qualquer site para incluir um item de inventário.',
'You do not have permission for any site to make a commitment.': 'Você não tem permissão em qualquer site para assumir um compromisso.',
'You do not have permission for any site to make a request.': 'Você não tem permissão em qualquer site para fazer um pedido.',
'You do not have permission for any site to perform this action.': 'Você não tem permissão em qualquer site para executar esta ação.',
'You do not have permission for any site to receive a shipment.': 'Você não tem permissão para qualquer site para receber um carregamento.',
'You do not have permission for any site to send a shipment.': 'Você não tem permissão em qualquer site para enviar um carregamento.',
'You do not have permission to cancel this received shipment.': 'Você não tem permissão para cancelar este carregamento recebido.',
'You do not have permission to cancel this sent shipment.': 'Você não tem permissão para cancelar essa remessa enviada.',
'You do not have permission to make this commitment.': 'Você não tem permissão para assumir este compromisso.',
'You do not have permission to receive this shipment.': 'Você não tem permissão para receber esta remessa.',
'You do not have permission to send a shipment from this site.': 'Você não tem permissão para enviar um carregamento a partir deste site.',
'You do not have permission to send this shipment.': 'Você não tem permissão para enviar este carregamento.',
'You have a personal map configuration. To change your personal configuration, click': 'Você tem uma configuração de mapa pessoal. Para alterar a sua configuração pessoal, clique',
'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?': 'Descobriu um cadáver ?',
"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": 'Não fez quaisquer cálculos.',
'You must be logged in to register volunteers.': 'Você deve estar com login efetuado para registrar voluntários.',
'You must be logged in to report persons missing or found.': 'Você deve estar registrado para informar pessoas desaparecidas ou localizadas.',
'You must provide a series id to proceed.': 'Você deve fornecer um número de série para continuar.',
'You should edit Twitter settings in models/000_config.py': 'Você deve editar as definições do Twitter em modelos/000_config.py',
'Your current ordered list of solution items is shown below. You can change it by voting again.': 'Seu lista de itens de solução pedidos aparece abaixo. Você pode alterá-lo ao votar novamente.',
'Your post was added successfully.': 'O post foi incluído com êxito.',
'Your system has been assigned a unique identification (UUID), which other computers around you can use to identify you. To view your UUID, you may go to Synchronization -> Sync Settings. You can also see other settings on that page.': 'Uma identificação exclusiva (UUID) foi designada para o seu sistema e poderá ser usada por outros computadores ao seu redor para identificá-lo. Para visualizar o seu UUID, você pode ir para Sincronização -> configurações Sync. Você também pode ver outras configurações nesta página.',
'ZIP Code': 'ZIP Code',
'Zero Hour': 'Hora Zero',
'Zinc roof': 'Telhado de Zinco',
'Zoom': 'Zoom',
'Zoom Levels': 'Níveis de Zoom',
'active': 'ativo',
'added': 'incluído',
'all records': 'todos os registros',
'allows a budget to be developed based on staff & equipment costs, including any admin overheads.': 'Permite que um orçamento seja desenvolvido com base em despesas com o pessoal e equipamento, incluindo quaisquer despesas gerais administrativas.',
'allows for creation and management of assessments.': 'allows for creation and management of assessments.',
'allows for creation and management of surveys to assess the damage following a natural disaster.': 'permite a criação e gerenciamento de pesquisas para avaliar os danos após um desastre natural.',
'an individual/team to do in 1-2 days': 'Uma pessoa/Equipe para fazer em 1 Dias-2',
'assigned': 'designado',
'average': 'Na média',
'black': 'Preto',
'blond': 'Loiro',
'blue': 'azul',
'brown': 'Marrom',
'business_damaged': 'business_damaged',
'by': 'por',
'c/o Name': 'c/o Nome',
'can be used to extract data from spreadsheets and put them into database tables.': 'Pode ser utilizado para extrair dados de planilhas e colocá-los em tabelas de dados.',
'cancelled': 'CANCELADO',
'caucasoid': 'Caucasoid',
'check all': 'Verificar Tudo',
'click for more details': 'Clique para mais detalhes',
'click here': 'click here',
'completed': 'Concluído',
'confirmed': 'Confirmado',
'consider': 'considerar',
"couldn't be parsed so NetworkLinks not followed.": 'Não pôde ser analisado então o NetworkLinks não seguiu.',
'curly': 'Encaracolado',
'currently registered': 'Atualmente registrados',
'daily': 'Diariamente',
'dark': 'Escuro',
'data uploaded': 'dados carregados',
'database': 'DATABASE',
'database %s select': '% de dados s SELECIONE',
'db': 'dB',
'deceased': 'Falecido',
'delete all checked': 'excluir todos marcados',
'deleted': 'excluídos',
'design': 'projecto',
'diseased': 'Doentes',
'displaced': 'Deslocadas',
'divorced': 'Divorciado',
'done!': 'Pronto!',
'duplicate': 'duplicar',
'edit': 'Editar',
'eg. gas, electricity, water': 'Exemplo: Gás, eletricidade, água',
'embedded': 'integrado',
'enclosed area': 'Área anexada',
'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': 'Exportar como arquivo cvs.',
'fat': 'Gordura',
'feedback': 'Retorno',
'female': 'Sexo Feminino',
'flush latrine with septic tank': 'esvaziar latrina com tanque séptico',
'food_sources': 'fuentes de alimento',
'forehead': 'testa',
'form data': 'form data',
'found': 'Localizado',
'from Twitter': 'do Twitter',
'getting': 'getting',
'green': 'verde',
'grey': 'cinza',
'here': 'aqui',
'high': 'Alta',
'hourly': 'Por hora',
'households': 'Membros da família',
'identified': 'identificado',
'ignore': 'Ignore',
'in Deg Min Sec format': 'GRAUS Celsius no formato Mín. Segundo',
'in GPS format': 'GPS no formato',
'in Inv.': 'in Inv.',
'inactive': 'inativo',
"includes a GroundOverlay or ScreenOverlay which aren't supported in OpenLayers yet, so it may not work properly.": 'Inclui um GroundOverlay ou ScreenOverlay que não são ainda suportados em OpenLayuers, portanto poderá não funcionar na totalidade.',
'injured': 'Feridos',
'insert new': 'inserir novo',
'insert new %s': 'inserir novo %s',
'invalid': 'inválido',
'invalid request': 'PEDIDO INVÁLIDO',
'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.': 'É um repositório central de informações em tempo real onde vítimas de desastres e seus familiares, especialmente casos isolados, refugiados e pessoas deslocadas podem ser abrigados. Informações como nome, idade, Contate o número de Bilhete de Identidade número, localização Deslocadas, e outros detalhes são capturados. Detalhes de impressão Imagem e Dedo de as pessoas possam ser transferidos por upload para o sistema. As pessoas podem também ser capturados pelo grupo por eficiência e conveniência.',
'is envisioned to be composed of several sub-modules that work together to provide complex functionality for the management of relief and project items by an organization. This includes an intake system, a warehouse management system, commodity tracking, supply chain management, fleet management, procurement, financial tracking and other asset and resource management capabilities': 'tem como visão ser composto de vários sub-módulos que interagem juntos a fim de fornecer funcionalidade complexa para o gerenciamento de itens de ajuda e projeto de uma organização. Isso inclui um sistema de admissão, um sistema de gestão de depósitos, rastreamento de mercadorias, gestão da cadeia de fornecimentos, de gestão da frota, aquisições, recursos de rastreamento financeiro de ativos e outros e gerenciamento de recursos',
'keeps track of all incoming tickets allowing them to be categorised & routed to the appropriate place for actioning.': 'Mantém controle de todos os bilhetes de entrada permitindo que sejam classificados & direcionados ao local apropriado para atuação.',
'latrines': 'privadas',
'leave empty to detach account': 'deixar em branco para desconectar a conta',
'legend URL': 'Legenda URL',
'light': 'luz',
'login': 'login',
'long': 'Longo',
'long>12cm': 'comprimento>12cm',
'low': 'baixo',
'male': 'masculino',
'manual': 'Manual',
'married': 'casado',
'medium': 'médio.',
'medium<12cm': 'médio<12cm',
'meters': 'metros',
'missing': 'ausente',
'module allows the site administrator to configure various options.': 'Módulo permite que o administrador do site configure várias opções.',
'module helps monitoring the status of hospitals.': 'Módulo ajuda monitorando o status de hospitais.',
'module provides a mechanism to collaboratively provide an overview of the developing disaster, using online mapping (GIS).': 'Módulo fornece um mecanismo para colaboração fornecem uma visão geral do desastre de desenvolvimento, utilização de mapeamento online (SIG).',
'mongoloid': 'Mongolóide',
'more': 'Mais',
'n/a': 'n/d',
'negroid': 'Negróide',
'never': 'Nunca',
'new': 'Novo(a)',
'new record inserted': 'Novo registro inserido',
'next 100 rows': 'próximas 100 linhas',
'no': 'no',
'none': 'nenhum',
'normal': 'normal',
'not accessible - no cached version available!': 'Não acessível-nenhuma versão em cache disponível!',
'not accessible - using cached version from': 'Não acessível-Utilizando versão em Cache',
'not specified': 'não especificado',
'num Zoom Levels': 'Num níveis de Zoom',
'obsolete': 'Obsoleto',
'on': 'Ligar',
'once': 'uma vez',
'open defecation': 'Abrir evacuação',
'optional': 'Optional',
'or import from csv file': 'ou importar a partir do arquivo csv',
'other': 'outros',
'over one hour': 'Mais de uma hora',
'people': 'pessoas',
'piece': 'parte',
'pit': 'cova',
'pit latrine': 'cova de latrina',
'postponed': 'Adiado',
'preliminary template or draft, not actionable in its current form': 'Modelo ou rascunho preliminar, não acionável em sua forma atual',
'previous 100 rows': '100 linhas anteriores',
'record does not exist': 'Registro não existe',
'record id': 'ID do Registro',
'red': 'vermelho',
'reported': 'relatado',
'reports successfully imported.': 'relatórios importados com êxito.',
'representation of the Polygon/Line.': 'Representação do polígono /Linha.',
'retired': 'Aposentado',
'retry': 'retry',
'river': 'Rio',
'see comment': 'Veja o comentário',
'selected': 'Selecionado',
'separated': 'Separado',
'separated from family': 'Separados da família',
'shaved': 'raspado',
'short': 'pequeno',
'short<6cm': 'pequeno<6cm',
'sides': 'lados',
'sign-up now': 'Inscreva-se agora',
'single': 'único',
'slim': 'estreito',
'specify': 'Especifique.',
'staff': 'equipe',
'staff members': 'Membros da equipe',
'state': 'Estado',
'state location': 'Localização do Estado',
'straight': 'reto',
'suffered financial losses': 'Sofreram perdas financeiras',
'table': 'table',
'tall': 'Altura',
'this': 'isto',
'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': 'Para acessar o sistema',
'to download a OCR Form.': 'to download a OCR Form.',
'to reset your password': 'Para Reconfigurar sua senha',
'to verify your email': 'Para verificar seu e-mail',
'tonsure': 'tonsura',
'total': 'Total',
'tweepy module not available within the running Python - this needs installing for non-Tropo Twitter support!': 'Módulo tweepy não disponível com a execução Python-isto necessita da instalação para suporte a tropo Twitter!',
'unable to parse csv file': 'Não é possível analisar arquivo csv',
'uncheck all': 'Desmarcar Tudo',
'unidentified': 'IDENTIFICADO',
'unknown': 'unknown',
'unspecified': 'UNSPECIFIED',
'unverified': 'Não Verificado',
'updated': 'Atualizado',
'updates only': 'Apenas atualizações',
'verified': 'Verificado',
'volunteer': 'voluntário',
'volunteers': 'Voluntários',
'wavy': 'Serpentina',
'weekly': 'Semanalmente',
'white': 'branco',
'wider area, longer term, usually contain multiple Activities': 'maior área, maior prazo, contém usualmente múltiplas actividades',
'widowed': 'Viúvo',
'window': 'janela',
'within human habitat': 'Dentro do habitat humano',
'xlwt module not available within the running Python - this needs installing for XLS output!': 'Módulo Xlwt não disponível no módulo Python sendo executado - isto necessita ser instalado para saída XLS!',
'yes': 'YES',
}
|
# BS mark.1-55
# /* coding: utf-8 */
# BlackSmith plugin
# everywhere_plugin.py
# Coded by: WitcherGeralt (WitcherGeralt@jabber.ru)
# http://witcher-team.ucoz.ru/
def handler_everywhere(type, source, body):
if body:
args = body.split()
if len(args) >= 2:
mtype = args[0].strip().lower()
if mtype == u'чат':
msgtype = 'public'
elif mtype == u'приват':
msgtype = 'private'
else:
msgtype = False
if msgtype:
command = args[1].strip().lower()
if len(args) >= 3:
Parameters = body[((body.lower()).find(command) + (len(command) + 1)):].strip()
else:
Parameters = ''
if len(Parameters) <= 96:
if COMMANDS.has_key(command):
for conf in GROUPCHATS.keys():
call_command_handlers(command, msgtype, [source[0], conf, source[2]], Parameters, command)
else:
reply(type, source, u'Нет такой команды.')
else:
reply(type, source, u'Слишком длинные параметры.')
else:
reply(type, source, u'Тип указан некорректно.')
else:
reply(type, source, u'инвалид синтакс')
else:
reply(type, source, u'я не умею читать мысли')
command_handler(handler_everywhere, 100, "everywhere")
|
n = int(input())
conf_set = []
for _ in range(n):
conf_set.append(tuple(map(int, input().split())))
conf_set.sort(key=lambda x : (x[1], x[0]))
# 끝나는 시간을 기준으로 정렬
# 시작과 종료가 같은 경우를 포함하기 위해선, 시작 시간도 오름차순으로 정렬해 줘야 한다
solution_list = [conf_set[0]]
# Greedy Algorithm
for conf in conf_set[1:]:
last_conf = solution_list[-1]
_, last_end_time = last_conf
new_start_time, _ = conf
# 정렬된 회의의 list의 마지막 값의 시작 시간과, 정답 list 마지막의 종료 시간을 비교한다
if new_start_time >= last_end_time:
solution_list.append(conf)
print(len(solution_list)) |
# 143. 重排链表
# 给定一个单链表 L:L0→L1→…→Ln-1→Ln ,
# 将其重新排列后变为: L0→Ln→L1→Ln-1→L2→Ln-2→…
# 你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
# 示例 1:
# 给定链表 1->2->3->4, 重新排列为 1->4->2->3.
# 示例 2:
# 给定链表 1->2->3->4->5, 重新排列为 1->5->2->4->3.
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
## 整体上是交换,使用递归,先找到最后节点
## 1 -》 2 -》 3 -》 4 -》 5
## | |
## temp = 1.next == 2
## 1.next = 4.next == 5
## 4.next = None
## 1.next.next == 5.next = 2
## now = 2
## last = 3.next
class Solution:
def reorderList(self, head: ListNode) -> None:
"""
Do not return anything, modify head in-place instead.
"""
if not head:
return
self.pre = head
self.flag = True
def test(node):
if not node.next: # 如果 node.next 是 None,就不需要交换了
return
test(node.next)
if not self.flag:
return
if not self.pre.next:
self.flag = False
return
if self.pre == node:
self.flag = False
return
temp = self.pre.next
self.pre.next = node.next
self.pre.next.next = temp
self.pre = temp
node.next = None
test(self.pre) |
# Copyright 2019 The TensorFlow Probability Authors.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# ============================================================================
"""Build defs for TF/NumPy/JAX-variadic libraries & tests."""
# [internal] load python3.bzl
NO_REWRITE_NEEDED = [
"internal:all_util",
"internal:docstring_util",
"internal:reparameterization",
"layers",
"platform_google",
]
REWRITER_TARGET = "//tensorflow_probability/substrates/meta:rewrite"
RUNFILES_ROOT = "tensorflow_probability/"
def _substrate_src(src, substrate):
"""Rewrite a single src filename for the given substrate."""
return "_{}/_generated_{}".format(substrate, src)
def _substrate_srcs(srcs, substrate):
"""Rewrite src filenames for the given substrate."""
return [_substrate_src(src, substrate) for src in srcs]
def _substrate_dep(dep, substrate):
"""Convert a single dep to one appropriate for the given substrate."""
dep_to_check = dep
if dep.startswith(":"):
dep_to_check = "{}{}".format(native.package_name(), dep)
for no_rewrite in NO_REWRITE_NEEDED:
if no_rewrite in dep_to_check:
return dep
if "tensorflow_probability/" in dep or dep.startswith(":"):
if "internal/backend" in dep:
return dep
if ":" in dep:
return "{}.{}".format(dep, substrate)
return "{}:{}.{}".format(dep, dep.split("/")[-1], substrate)
return dep
def _substrate_deps(deps, substrate):
"""Convert deps to those appropriate for the given substrate."""
new_deps = [_substrate_dep(dep, substrate) for dep in deps]
backend_dep = "//tensorflow_probability/python/internal/backend/{}".format(substrate)
if backend_dep not in new_deps:
new_deps.append(backend_dep)
return new_deps
# This is needed for the transitional period during which we have the internal
# py2and3_test and py_test comingling in BUILD files. Otherwise the OSS export
# rewrite process becomes irreversible.
def py3_test(*args, **kwargs):
"""Internal/external reversibility, denotes py3-only vs py2+3 tests.
Args:
*args: Passed to underlying py_test.
**kwargs: Passed to underlying py_test. srcs_version and python_version
are added (with value `"PY3"`) if not specified.
"""
kwargs = dict(kwargs)
if "srcs_version" not in kwargs:
kwargs["srcs_version"] = "PY3"
if "python_version" not in kwargs:
kwargs["python_version"] = "PY3"
native.py_test(*args, **kwargs)
def _resolve_omit_dep(dep):
"""Resolves a `substrates_omit_deps` item to full target."""
if ":" not in dep:
dep = "{}:{}".format(dep, dep.split("/")[-1])
if dep.startswith(":"):
dep = "{}{}".format(native.package_name(), dep)
return dep
def _substrate_runfiles_symlinks_impl(ctx):
"""A custom BUILD rule to generate python runfiles symlinks.
A custom build rule which adds runfiles symlinks for files matching a
substrate genrule file pattern, i.e. `'_jax/_generated_normal.py'`.
This rule will aggregate and pass along deps while adding the given
symlinks to the runfiles structure.
Build rule attributes:
- substrate: One of 'jax' or 'numpy'; which substrate this applies to.
- deps: A list of py_library labels. These are passed along.
Args:
ctx: Rule analysis context.
Returns:
Info objects to propagate deps and add runfiles symlinks.
"""
# Aggregate the depset inputs to resolve transitive dependencies.
transitive_sources = []
uses_shared_libraries = []
imports = []
has_py2_only_sources = []
has_py3_only_sources = []
cc_infos = []
for dep in ctx.attr.deps:
if PyInfo in dep:
transitive_sources.append(dep[PyInfo].transitive_sources)
uses_shared_libraries.append(dep[PyInfo].uses_shared_libraries)
imports.append(dep[PyInfo].imports)
has_py2_only_sources.append(dep[PyInfo].has_py2_only_sources)
has_py3_only_sources.append(dep[PyInfo].has_py3_only_sources)
# if PyCcLinkParamsProvider in dep: # DisableOnExport
# cc_infos.append(dep[PyCcLinkParamsProvider].cc_info) # DisableOnExport
if CcInfo in dep:
cc_infos.append(dep[CcInfo])
# Determine the set of symlinks to generate.
transitive_sources = depset(transitive = transitive_sources)
runfiles_dict = {}
substrate = ctx.attr.substrate
file_substr = "_{}/_generated_".format(substrate)
for f in transitive_sources.to_list():
if "tensorflow_probability" in f.dirname and file_substr in f.short_path:
pre, post = f.short_path.split("/python/")
out_path = "{}/substrates/{}/{}".format(
pre,
substrate,
post.replace(file_substr, ""),
)
runfiles_dict[RUNFILES_ROOT + out_path] = f
# Construct the output structures to pass along Python srcs/deps/etc.
py_info = PyInfo(
transitive_sources = transitive_sources,
uses_shared_libraries = any(uses_shared_libraries),
imports = depset(transitive = imports),
has_py2_only_sources = any(has_py2_only_sources),
has_py3_only_sources = any(has_py3_only_sources),
)
py_cc_link_info = cc_common.merge_cc_infos(cc_infos = cc_infos)
py_runfiles = depset(
transitive = [depset(transitive = [
dep[DefaultInfo].data_runfiles.files,
dep[DefaultInfo].default_runfiles.files,
]) for dep in ctx.attr.deps],
)
runfiles = DefaultInfo(runfiles = ctx.runfiles(
transitive_files = py_runfiles,
root_symlinks = runfiles_dict,
))
return py_info, py_cc_link_info, runfiles
# See documentation at:
# https://docs.bazel.build/versions/3.4.0/skylark/rules.html
substrate_runfiles_symlinks = rule(
implementation = _substrate_runfiles_symlinks_impl,
attrs = {
"substrate": attr.string(),
"deps": attr.label_list(),
},
)
def multi_substrate_py_library(
name,
srcs = [],
deps = [],
substrates_omit_deps = [],
jax_omit_deps = [],
numpy_omit_deps = [],
testonly = 0,
srcs_version = "PY2AND3"):
"""A TFP `py_library` for each of TF, NumPy, and JAX.
Args:
name: The TF `py_library` name. NumPy and JAX libraries have '.numpy' and
'.jax' appended.
srcs: As with `py_library`. A `genrule` is used to rewrite srcs for NumPy
and JAX substrates.
deps: As with `py_library`. The list is rewritten to depend on
substrate-specific libraries for substrate variants.
substrates_omit_deps: List of deps to omit if those libraries are not
rewritten for the substrates.
jax_omit_deps: List of deps to omit for the JAX substrate.
numpy_omit_deps: List of deps to omit for the NumPy substrate.
testonly: As with `py_library`.
srcs_version: As with `py_library`.
"""
native.py_library(
name = name,
srcs = srcs,
deps = deps,
srcs_version = srcs_version,
testonly = testonly,
)
remove_deps = [
"//third_party/py/tensorflow",
"//third_party/py/tensorflow:tensorflow",
]
trimmed_deps = [dep for dep in deps if (dep not in substrates_omit_deps and
dep not in remove_deps)]
resolved_omit_deps_numpy = [
_resolve_omit_dep(dep)
for dep in substrates_omit_deps + numpy_omit_deps
]
for src in srcs:
native.genrule(
name = "rewrite_{}_numpy".format(src.replace(".", "_")),
srcs = [src],
outs = [_substrate_src(src, "numpy")],
cmd = "$(location {}) $(SRCS) --omit_deps={} > $@".format(
REWRITER_TARGET,
",".join(resolved_omit_deps_numpy),
),
tools = [REWRITER_TARGET],
)
native.py_library(
name = "{}.numpy.raw".format(name),
srcs = _substrate_srcs(srcs, "numpy"),
deps = _substrate_deps(trimmed_deps, "numpy"),
srcs_version = srcs_version,
testonly = testonly,
)
# Add symlinks under tfp/substrates/numpy.
substrate_runfiles_symlinks(
name = "{}.numpy".format(name),
substrate = "numpy",
deps = [":{}.numpy.raw".format(name)],
testonly = testonly,
)
resolved_omit_deps_jax = [
_resolve_omit_dep(dep)
for dep in substrates_omit_deps + jax_omit_deps
]
jax_srcs = _substrate_srcs(srcs, "jax")
for src in srcs:
native.genrule(
name = "rewrite_{}_jax".format(src.replace(".", "_")),
srcs = [src],
outs = [_substrate_src(src, "jax")],
cmd = "$(location {}) $(SRCS) --omit_deps={} --numpy_to_jax > $@".format(
REWRITER_TARGET,
",".join(resolved_omit_deps_jax),
),
tools = [REWRITER_TARGET],
)
native.py_library(
name = "{}.jax.raw".format(name),
srcs = jax_srcs,
deps = _substrate_deps(trimmed_deps, "jax"),
srcs_version = srcs_version,
testonly = testonly,
)
# Add symlinks under tfp/substrates/jax.
substrate_runfiles_symlinks(
name = "{}.jax".format(name),
substrate = "jax",
deps = [":{}.jax.raw".format(name)],
testonly = testonly,
)
def multi_substrate_py_test(
name,
size = "small",
jax_size = None,
numpy_size = None,
srcs = [],
deps = [],
tags = [],
numpy_tags = [],
jax_tags = [],
disabled_substrates = [],
srcs_version = "PY2AND3",
timeout = None,
shard_count = None):
"""A TFP `py2and3_test` for each of TF, NumPy, and JAX.
Args:
name: Name of the `test_suite` which covers TF, NumPy and JAX variants
of the test. Each substrate will have a dedicated `py2and3_test`
suffixed with '.tf', '.numpy', or '.jax' as appropriate.
size: As with `py_test`.
jax_size: A size override for the JAX target.
numpy_size: A size override for the numpy target.
srcs: As with `py_test`. These will have a `genrule` emitted to rewrite
NumPy and JAX variants, writing the test file into a subdirectory.
deps: As with `py_test`. The list is rewritten to depend on
substrate-specific libraries for substrate variants.
tags: Tags global to this test target. NumPy also gets a `'tfp_numpy'`
tag, and JAX gets a `'tfp_jax'` tag. A `f'_{name}'` tag is used
to produce the `test_suite`.
numpy_tags: Tags specific to the NumPy test. (e.g. `"notap"`).
jax_tags: Tags specific to the JAX test. (e.g. `"notap"`).
disabled_substrates: Iterable of substrates to disable, items from
["numpy", "jax"].
srcs_version: As with `py_test`.
timeout: As with `py_test`.
shard_count: As with `py_test`.
"""
name_tag = "_{}".format(name)
tags = [t for t in tags]
tags.append(name_tag)
tags.append("multi_substrate")
native.py_test(
name = "{}.tf".format(name),
size = size,
srcs = srcs,
main = "{}.py".format(name),
deps = deps,
tags = tags,
srcs_version = srcs_version,
timeout = timeout,
shard_count = shard_count,
)
if "numpy" not in disabled_substrates:
numpy_srcs = _substrate_srcs(srcs, "numpy")
native.genrule(
name = "rewrite_{}_numpy".format(name),
srcs = srcs,
outs = numpy_srcs,
cmd = "$(location {}) $(SRCS) > $@".format(REWRITER_TARGET),
tools = [REWRITER_TARGET],
)
py3_test(
name = "{}.numpy".format(name),
size = numpy_size or size,
srcs = numpy_srcs,
main = _substrate_src("{}.py".format(name), "numpy"),
deps = _substrate_deps(deps, "numpy"),
tags = tags + ["tfp_numpy"] + numpy_tags,
srcs_version = srcs_version,
python_version = "PY3",
timeout = timeout,
shard_count = shard_count,
)
if "jax" not in disabled_substrates:
jax_srcs = _substrate_srcs(srcs, "jax")
native.genrule(
name = "rewrite_{}_jax".format(name),
srcs = srcs,
outs = jax_srcs,
cmd = "$(location {}) $(SRCS) --numpy_to_jax > $@".format(REWRITER_TARGET),
tools = [REWRITER_TARGET],
)
jax_deps = _substrate_deps(deps, "jax")
# [internal] Add JAX build dep
py3_test(
name = "{}.jax".format(name),
size = jax_size or size,
srcs = jax_srcs,
main = _substrate_src("{}.py".format(name), "jax"),
deps = jax_deps,
tags = tags + ["tfp_jax"] + jax_tags,
srcs_version = srcs_version,
python_version = "PY3",
timeout = timeout,
shard_count = shard_count,
)
native.test_suite(
name = name,
tags = [name_tag],
)
|
class Solution:
# @return a string
def convertToTitle(self, n: int) -> str:
capitals = [chr(x) for x in range(ord('A'), ord('Z')+1)]
result = []
while n > 0:
result.insert(0, capitals[(n-1)%len(capitals)])
n = (n-1) % len(capitals)
# result.reverse()
return ''.join(result) |
# Copyright (c) 2012 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
{
'targets': [
# Intermediate target grouping the android tools needed to run native
# unittests and instrumentation test apks.
{
'target_name': 'android_tools',
'type': 'none',
'dependencies': [
'adb_reboot/adb_reboot.gyp:adb_reboot',
'forwarder2/forwarder.gyp:forwarder2',
'md5sum/md5sum.gyp:md5sum',
'purge_ashmem/purge_ashmem.gyp:purge_ashmem',
],
},
{
'target_name': 'memdump',
'type': 'none',
'dependencies': [
'memdump/memdump.gyp:memdump',
],
},
{
'target_name': 'memconsumer',
'type': 'none',
'dependencies': [
'memconsumer/memconsumer.gyp:memconsumer',
],
},
],
}
|
# Factory-like class for mortgage options
class MortgageOptions:
def __init__(self,kind,**inputOptions):
self.set_default_options()
self.set_kind_options(kind = kind)
self.set_input_options(**inputOptions)
def set_default_options(self):
self.optionList = dict()
self.optionList['commonDefaults'] = dict(
name = None ,
label = None ,
color = [0,0,0],
houseCost = '100%', # how much you are paying for the house
mortgageRate = '0.0%', # Mortgage annual interest rate
mortgageLength = '30Y' , # Mortgage length (in years)
downPayment = '0%' , # Percentage of house cost paid upfront
startingCash = '100%', # Amount of money you have before purchase
tvmRate = '7.0%', # Annual rate of return of savings
inflationRate = '1.8%', # Annual rate of inflation - NOT IMPLEMENTED
appreciationRate = '5.0%', # Annual rate of increase in value of house
houseValue = '100%', # how much the house is worth when you bought it
originationFees = '0.0%', # Mortgage fees as a percentage of the loan
otherMortgageFees = '0.0%', # Other fees as a percentage of the loan
otherPurchaseFees = '0.0%', # Other fees as a percentage of home value
paymentsPerYear = '12' , # Number of mortgage payments per year
taxRate = '0.0%', # Annual taxes as percentage of home value
insuranceRate = '0.0%', # Annual insurance as percentage of home value
listingFee = '0.0%', # Cost of selling the house
capitalGainsTax = '0.0%', # Paid if selling house within two years
capitalGainsPeriod = '0' , # Years after which cap gains tax is not applied
rentalIncome = '0.0%', # Monthly rental price as percentage of home value
rentalPayment = '0.0%', # Monthly rental price as percentage of home value
)
self.optionList['mortgageDefaults'] = dict(
name = 'mortgage',
label = 'Mortgage',
mortgageRate = '4.5%', # Mortgage annual interest rate
mortgageLength = '30Y' , # Mortgage length (in years)
downPayment = '20%' , # Percentage of house cost paid upfront
startingCash = '100%', # Amount of money you have before purchase
originationFees = '0.5%', # Mortgage fees as a percentage of the loan
otherMortgageFees = '0.5%', # Other fees as a percentage of the loan
otherPurchaseFees = '0.5%', # Other fees as a percentage of home value
paymentsPerYear = '12' , # Number of mortgage payments per year
taxRate = '0.6%', # Annual taxes as percentage of home value
insuranceRate = '0.4%', # Annual insurance as percentage of home value
listingFee = '6.0%', # Cost of selling the house
capitalGainsTax = '15%' , # Paid if selling house within two years
capitalGainsPeriod = '2' , # Years after which cap gains tax is not applied
)
self.optionList['rentalDefaults'] = dict(
rentalPayment = '0.6%', # Monthly rental price as percentage of home value
)
self.optionList['investmentPropertyDefaults'] = dict(
mortgageRate = '4.5%', # Mortgage annual interest rate
mortgageLength = '30Y' , # Mortgage length (in years)
downPayment = '20%' , # Percentage of house cost paid upfront
startingCash = '100%', # Amount of money you have before purchase
tvmRate = '7.0%', # Annual rate of return of savings
inflationRate = '1.8%', # Annual rate of inflation - NOT IMPLEMENTED
appreciationRate = '5.0%', # Annual rate of increase in value of house
houseValue = '100%', # how much the house is worth when you bought it
originationFees = '0.5%', # Mortgage fees as a percentage of the loan
otherMortgageFees = '0.5%', # Other fees as a percentage of the loan
otherPurchaseFees = '0.5%', # Other fees as a percentage of home value
paymentsPerYear = '12' , # Number of mortgage payments per year
taxRate = '0.6%', # Annual taxes as percentage of home value
insuranceRate = '0.4%', # Annual insurance as percentage of home value
listingFee = '6.0%', # Cost of selling the house
capitalGainsTax = '15%' , # Paid if selling house within two years
capitalGainsPeriod = '2' , # Years after which cap gains tax is not applied
rentalIncome = '0.6%', # Monthly rental price as percentage of home value
)
def set_kind_options(self,kind,**inputOptions):
self.options = self.optionList['commonDefaults']
if kind == None:
pass
elif kind == 'mortgage':
for key,val in self.optionList['mortgageDefaults'].items():
self.options[key] = val
elif kind == 'rental':
for key,val in self.optionList['rentalDefaults'].items():
self.options[key] = val
elif kind == 'investmentProperty':
for key,val in self.optionList['investmentPropertyDefaults'].items():
self.options[key] = val
def set_input_options(self,**inputOptions):
for key,val in inputOptions.items():
self.options[key] = val
|
# Copyright 2016 Google Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Defines external repositories needed by rules_webtesting."""
load("//web/internal:platform_http_file.bzl", "platform_http_file")
load("@bazel_gazelle//:deps.bzl", "go_repository")
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
load("@bazel_tools//tools/build_defs/repo:java.bzl", "java_import_external")
# NOTE: URLs are mirrored by an asynchronous review process. They must
# be greppable for that to happen. It's OK to submit broken mirror
# URLs, so long as they're correctly formatted. Bazel's downloader
# has fast failover.
def web_test_repositories(**kwargs):
"""Defines external repositories required by Webtesting Rules.
This function exists for other Bazel projects to call from their WORKSPACE
file when depending on rules_webtesting using http_archive. This function
makes it easy to import these transitive dependencies into the parent
workspace. This will check to see if a repository has been previously defined
before defining a new repository.
Alternatively, individual dependencies may be excluded with an
"omit_" + name parameter. This is useful for users who want to be rigorous
about declaring their own direct dependencies, or when another Bazel project
is depended upon (e.g. rules_closure) that defines the same dependencies as
this one (e.g. com_google_guava.) Alternatively, a whitelist model may be
used by calling the individual functions this method references.
Please note that while these dependencies are defined, they are not actually
downloaded, unless a target is built that depends on them.
Args:
**kwargs: omit_... parameters used to prevent importing specific
dependencies.
"""
if should_create_repository("bazel_skylib", kwargs):
bazel_skylib()
if should_create_repository("com_github_blang_semver", kwargs):
com_github_blang_semver()
if should_create_repository("com_github_gorilla_context", kwargs):
com_github_gorilla_context()
if should_create_repository("com_github_gorilla_mux", kwargs):
com_github_gorilla_mux()
if should_create_repository("com_github_tebeka_selenium", kwargs):
com_github_tebeka_selenium()
if should_create_repository("com_github_urllib3", kwargs):
com_github_urllib3()
if should_create_repository("com_google_code_findbugs_jsr305", kwargs):
com_google_code_findbugs_jsr305()
if should_create_repository("com_google_code_gson", kwargs):
com_google_code_gson()
if should_create_repository(
"com_google_errorprone_error_prone_annotations",
kwargs,
):
com_google_errorprone_error_prone_annotations()
if should_create_repository("com_google_guava", kwargs):
com_google_guava()
if should_create_repository("com_squareup_okhttp3_okhttp", kwargs):
com_squareup_okhttp3_okhttp()
if should_create_repository("com_squareup_okio", kwargs):
com_squareup_okio()
if should_create_repository("commons_codec", kwargs):
commons_codec()
if should_create_repository("commons_logging", kwargs):
commons_logging()
if should_create_repository("junit", kwargs):
junit()
if should_create_repository("net_bytebuddy", kwargs):
net_bytebuddy()
if should_create_repository("org_apache_commons_exec", kwargs):
org_apache_commons_exec()
if should_create_repository("org_apache_httpcomponents_httpclient", kwargs):
org_apache_httpcomponents_httpclient()
if should_create_repository("org_apache_httpcomponents_httpcore", kwargs):
org_apache_httpcomponents_httpcore()
if should_create_repository("org_hamcrest_core", kwargs):
org_hamcrest_core()
if should_create_repository("org_jetbrains_kotlin_stdlib", kwargs):
org_jetbrains_kotlin_stdlib()
if should_create_repository("org_json", kwargs):
org_json()
if should_create_repository("org_seleniumhq_py", kwargs):
org_seleniumhq_py()
if should_create_repository("org_seleniumhq_selenium_api", kwargs):
org_seleniumhq_selenium_api()
if should_create_repository("org_seleniumhq_selenium_remote_driver", kwargs):
org_seleniumhq_selenium_remote_driver()
if kwargs.keys():
print("The following parameters are unknown: " + str(kwargs.keys()))
def should_create_repository(name, args):
"""Returns whether the name repository should be created.
This allows creation of a repository to be disabled by either an
"omit_" _+ name parameter or by previously defining a rule for the repository.
The args dict will be mutated to remove "omit_" + name.
Args:
name: The name of the repository that should be checked.
args: A dictionary that contains "omit_...": bool pairs.
Returns:
boolean indicating whether the repository should be created.
"""
key = "omit_" + name
if key in args:
val = args.pop(key)
if val:
return False
if native.existing_rule(name):
return False
return True
def browser_repositories(firefox = False, chromium = False, sauce = False):
"""Sets up repositories for browsers defined in //browsers/....
This should only be used on an experimental basis; projects should define
their own browsers.
Args:
firefox: Configure repositories for //browsers:firefox-native.
chromium: Configure repositories for //browsers:chromium-native.
sauce: Configure repositories for //browser/sauce:chrome-win10.
"""
if chromium:
org_chromium_chromedriver()
org_chromium_chromium()
if firefox:
org_mozilla_firefox()
org_mozilla_geckodriver()
if sauce:
com_saucelabs_sauce_connect()
def bazel_skylib():
http_archive(
name = "bazel_skylib",
sha256 = "",
strip_prefix = "bazel-skylib-e9fc4750d427196754bebb0e2e1e38d68893490a",
urls = [
"https://mirror.bazel.build/github.com/bazelbuild/bazel-skylib/archive/e9fc4750d427196754bebb0e2e1e38d68893490a.tar.gz",
"https://github.com/bazelbuild/bazel-skylib/archive/e9fc4750d427196754bebb0e2e1e38d68893490a.tar.gz",
],
)
def com_github_blang_semver():
go_repository(
name = "com_github_blang_semver",
importpath = "github.com/blang/semver",
sha256 = "3d9da53f4c2d3169bfa9b25f2f36f301a37556a47259c870881524c643c69c57",
strip_prefix = "semver-3.5.1",
urls = [
"https://mirror.bazel.build/github.com/blang/semver/archive/v3.5.1.tar.gz",
"https://github.com/blang/semver/archive/v3.5.1.tar.gz",
],
)
def com_github_gorilla_context():
go_repository(
name = "com_github_gorilla_context",
importpath = "github.com/gorilla/context",
sha256 = "2dfdd051c238695bf9ebfed0bf6a8c533507ac0893bce23be5930e973736bb03",
strip_prefix = "context-1.1.1",
urls = [
"https://mirror.bazel.build/github.com/gorilla/context/archive/v1.1.1.tar.gz",
"https://github.com/gorilla/context/archive/v1.1.1.tar.gz",
],
)
def com_github_gorilla_mux():
go_repository(
name = "com_github_gorilla_mux",
importpath = "github.com/gorilla/mux",
sha256 = "0dc18fb09413efea7393e9c2bd8b5b442ce08e729058f5f7e328d912c6c3d3e3",
strip_prefix = "mux-1.6.2",
urls = [
"https://mirror.bazel.build/github.com/gorilla/mux/archive/v1.6.2.tar.gz",
"https://github.com/gorilla/mux/archive/v1.6.2.tar.gz",
],
)
def com_github_tebeka_selenium():
go_repository(
name = "com_github_tebeka_selenium",
importpath = "github.com/tebeka/selenium",
sha256 = "c506637fd690f4125136233a3ea405908b8255e2d7aa2aa9d3b746d96df50dcd",
strip_prefix = "selenium-a49cf4b98a36c2b21b1ccb012852bd142d5fc04a",
urls = [
"https://mirror.bazel.build/github.com/tebeka/selenium/archive/a49cf4b98a36c2b21b1ccb012852bd142d5fc04a.tar.gz",
"https://github.com/tebeka/selenium/archive/a49cf4b98a36c2b21b1ccb012852bd142d5fc04a.tar.gz",
],
)
def com_github_urllib3():
http_archive(
name = "com_github_urllib3",
build_file = str(Label("//build_files:com_github_urllib3.BUILD")),
sha256 = "a68ac5e15e76e7e5dd2b8f94007233e01effe3e50e8daddf69acfd81cb686baf",
strip_prefix = "urllib3-1.23",
urls = [
"https://files.pythonhosted.org/packages/3c/d2/dc5471622bd200db1cd9319e02e71bc655e9ea27b8e0ce65fc69de0dac15/urllib3-1.23.tar.gz",
],
)
def com_google_code_findbugs_jsr305():
java_import_external(
name = "com_google_code_findbugs_jsr305",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/google/code/findbugs/jsr305/3.0.2/jsr305-3.0.2.jar",
"https://repo1.maven.org/maven2/com/google/code/findbugs/jsr305/3.0.2/jsr305-3.0.2.jar",
],
jar_sha256 =
"766ad2a0783f2687962c8ad74ceecc38a28b9f72a2d085ee438b7813e928d0c7",
licenses = ["notice"], # BSD 3-clause
)
def com_google_code_gson():
java_import_external(
name = "com_google_code_gson",
jar_sha256 =
"233a0149fc365c9f6edbd683cfe266b19bdc773be98eabdaf6b3c924b48e7d81",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/google/code/gson/gson/2.8.5/gson-2.8.5.jar",
"https://repo1.maven.org/maven2/com/google/code/gson/gson/2.8.5/gson-2.8.5.jar",
],
licenses = ["notice"], # The Apache Software License, Version 2.0
)
def com_google_errorprone_error_prone_annotations():
java_import_external(
name = "com_google_errorprone_error_prone_annotations",
jar_sha256 =
"10a5949aa0f95c8de4fd47edfe20534d2acefd8c224f8afea1f607e112816120",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/google/errorprone/error_prone_annotations/2.3.1/error_prone_annotations-2.3.1.jar",
"https://repo1.maven.org/maven2/com/google/errorprone/error_prone_annotations/2.3.1/error_prone_annotations-2.3.1.jar",
],
licenses = ["notice"], # Apache 2.0
)
def com_google_guava():
java_import_external(
name = "com_google_guava",
jar_sha256 = "a0e9cabad665bc20bcd2b01f108e5fc03f756e13aea80abaadb9f407033bea2c",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/google/guava/guava/26.0-jre/guava-26.9-jre.jar",
"https://repo1.maven.org/maven2/com/google/guava/guava/26.0-jre/guava-26.0-jre.jar",
],
licenses = ["notice"], # Apache 2.0
exports = [
"@com_google_code_findbugs_jsr305",
"@com_google_errorprone_error_prone_annotations",
],
)
def com_saucelabs_sauce_connect():
platform_http_file(
name = "com_saucelabs_sauce_connect",
licenses = ["by_exception_only"], # SauceLabs EULA
amd64_sha256 = "dd53f2cdcec489fbc2443942b853b51bf44af39f230600573119cdd315ddee52",
amd64_urls = [
"https://saucelabs.com/downloads/sc-4.5.1-linux.tar.gz",
],
macos_sha256 = "920ae7bd5657bccdcd27bb596593588654a2820486043e9a12c9062700697e66",
macos_urls = [
"https://saucelabs.com/downloads/sc-4.5.1-osx.zip",
],
windows_sha256 =
"ec11b4ee029c9f0cba316820995df6ab5a4f394053102e1871b9f9589d0a9eb5",
windows_urls = [
"https://saucelabs.com/downloads/sc-4.4.12-win32.zip",
],
)
def com_squareup_okhttp3_okhttp():
java_import_external(
name = "com_squareup_okhttp3_okhttp",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/squareup/okhttp3/okhttp/3.9.1/okhttp-3.9.1.jar",
"https://repo1.maven.org/maven2/com/squareup/okhttp3/okhttp/3.9.1/okhttp-3.9.1.jar",
],
jar_sha256 =
"a0d01017a42bba26e507fc6d448bb36e536f4b6e612f7c42de30bbdac2b7785e",
licenses = ["notice"], # Apache 2.0
deps = [
"@com_squareup_okio",
"@com_google_code_findbugs_jsr305",
],
)
def com_squareup_okio():
java_import_external(
name = "com_squareup_okio",
jar_sha256 = "79b948cf77504750fdf7aeaf362b5060415136ab6635e5113bd22925e0e9e737",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/com/squareup/okio/okio/2.0.0/okio-2.0.0.jar",
"https://repo1.maven.org/maven2/com/squareup/okio/okio/2.0.0/okio-2.0.0.jar",
],
licenses = ["notice"], # Apache 2.0
deps = [
"@com_google_code_findbugs_jsr305",
"@org_jetbrains_kotlin_stdlib",
],
)
def commons_codec():
java_import_external(
name = "commons_codec",
jar_sha256 =
"e599d5318e97aa48f42136a2927e6dfa4e8881dff0e6c8e3109ddbbff51d7b7d",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/commons-codec/commons-codec/1.11/commons-codec-1.11.jar",
"https://repo1.maven.org/maven2/commons-codec/commons-codec/1.11/commons-codec-1.11.jar",
],
licenses = ["notice"], # Apache License, Version 2.0
)
def commons_logging():
java_import_external(
name = "commons_logging",
jar_sha256 =
"daddea1ea0be0f56978ab3006b8ac92834afeefbd9b7e4e6316fca57df0fa636",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/commons-logging/commons-logging/1.2/commons-logging-1.2.jar",
"https://repo1.maven.org/maven2/commons-logging/commons-logging/1.2/commons-logging-1.2.jar",
],
licenses = ["notice"], # The Apache Software License, Version 2.0
)
def junit():
java_import_external(
name = "junit",
jar_sha256 =
"59721f0805e223d84b90677887d9ff567dc534d7c502ca903c0c2b17f05c116a",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/junit/junit/4.12/junit-4.12.jar",
"https://repo1.maven.org/maven2/junit/junit/4.12/junit-4.12.jar",
],
licenses = ["reciprocal"], # Eclipse Public License 1.0
testonly_ = 1,
deps = ["@org_hamcrest_core"],
)
def net_bytebuddy():
java_import_external(
name = "net_bytebuddy",
jar_sha256 = "4b87ad52a8f64a1197508e176e84076584160e3d65229ff757efee870cd4a8e2",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/net/bytebuddy/byte-buddy/1.8.19/byte-buddy-1.8.19.jar",
"https://repo1.maven.org/maven2/net/bytebuddy/byte-buddy/1.8.19/byte-buddy-1.8.19.jar",
],
licenses = ["notice"], # Apache 2.0
deps = ["@com_google_code_findbugs_jsr305"],
)
def org_apache_commons_exec():
java_import_external(
name = "org_apache_commons_exec",
jar_sha256 =
"cb49812dc1bfb0ea4f20f398bcae1a88c6406e213e67f7524fb10d4f8ad9347b",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/apache/commons/commons-exec/1.3/commons-exec-1.3.jar",
"https://repo1.maven.org/maven2/org/apache/commons/commons-exec/1.3/commons-exec-1.3.jar",
],
licenses = ["notice"], # Apache License, Version 2.0
)
def org_apache_httpcomponents_httpclient():
java_import_external(
name = "org_apache_httpcomponents_httpclient",
jar_sha256 =
"c03f813195e7a80e3608d0ddd8da80b21696a4c92a6a2298865bf149071551c7",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/apache/httpcomponents/httpclient/4.5.6/httpclient-4.5.6.jar",
"https://repo1.maven.org/maven2/org/apache/httpcomponents/httpclient/4.5.6/httpclient-4.5.6.jar",
],
licenses = ["notice"], # Apache License, Version 2.0
deps = [
"@org_apache_httpcomponents_httpcore",
"@commons_logging",
"@commons_codec",
],
)
def org_apache_httpcomponents_httpcore():
java_import_external(
name = "org_apache_httpcomponents_httpcore",
jar_sha256 =
"1b4a1c0b9b4222eda70108d3c6e2befd4a6be3d9f78ff53dd7a94966fdf51fc5",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/apache/httpcomponents/httpcore/4.4.9/httpcore-4.4.9.jar",
"https://repo1.maven.org/maven2/org/apache/httpcomponents/httpcore/4.4.9/httpcore-4.4.9.jar",
],
licenses = ["notice"], # Apache License, Version 2.0
)
def org_chromium_chromedriver():
platform_http_file(
name = "org_chromium_chromedriver",
licenses = ["reciprocal"], # BSD 3-clause, ICU, MPL 1.1, libpng (BSD/MIT-like), Academic Free License v. 2.0, BSD 2-clause, MIT
amd64_sha256 =
"71eafe087900dbca4bc0b354a1d172df48b31a4a502e21f7c7b156d7e76c95c7",
amd64_urls = [
"https://chromedriver.storage.googleapis.com/2.41/chromedriver_linux64.zip",
],
macos_sha256 =
"fd32a27148f44796a55f5ce3397015c89ebd9f600d9dda2bcaca54575e2497ae",
macos_urls = [
"https://chromedriver.storage.googleapis.com/2.41/chromedriver_mac64.zip",
],
windows_sha256 =
"a8fa028acebef7b931ef9cb093f02865f9f7495e49351f556e919f7be77f072e",
windows_urls = [
"https://chromedriver.storage.googleapis.com/2.38/chromedriver_win32.zip",
],
)
def org_chromium_chromium():
platform_http_file(
name = "org_chromium_chromium",
licenses = ["notice"], # BSD 3-clause (maybe more?)
amd64_sha256 =
"6933d0afce6e17304b62029fbbd246cbe9e130eb0d90d7682d3765d3dbc8e1c8",
amd64_urls = [
"https://commondatastorage.googleapis.com/chromium-browser-snapshots/Linux_x64/561732/chrome-linux.zip",
],
macos_sha256 =
"084884e91841a923d7b6e81101f0105bbc3b0026f9f6f7a3477f5b313ee89e32",
macos_urls = [
"https://commondatastorage.googleapis.com/chromium-browser-snapshots/Mac/561733/chrome-mac.zip",
],
windows_sha256 =
"d1bb728118c12ea436d8ea07dba980789e7d860aa664dd1fad78bc20e8d9391c",
windows_urls = [
"https://commondatastorage.googleapis.com/chromium-browser-snapshots/Win_x64/540270/chrome-win32.zip",
],
)
def org_hamcrest_core():
java_import_external(
name = "org_hamcrest_core",
jar_sha256 =
"66fdef91e9739348df7a096aa384a5685f4e875584cce89386a7a47251c4d8e9",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/hamcrest/hamcrest-core/1.3/hamcrest-core-1.3.jar",
"https://repo1.maven.org/maven2/org/hamcrest/hamcrest-core/1.3/hamcrest-core-1.3.jar",
],
licenses = ["notice"], # New BSD License
testonly_ = 1,
)
def org_jetbrains_kotlin_stdlib():
java_import_external(
name = "org_jetbrains_kotlin_stdlib",
jar_sha256 = "62eaf9cc6e746cef4593abe7cdb4dd48694ef5f817c852e0d9fbbd11fcfc564e",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/jetbrains/kotlin/kotlin-stdlib/1.2.61/kotlin-stdlib-1.2.61.jar",
"https://repo1.maven.org/maven2/org/jetbrains/kotlin/kotlin-stdlib/1.2.61/kotlin-stdlib-1.2.61.jar",
],
licenses = ["notice"], # The Apache Software License, Version 2.0
)
def org_json():
java_import_external(
name = "org_json",
jar_sha256 = "518080049ba83181914419d11a25d9bc9833a2d729b6a6e7469fa52851356da8",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/json/json/20180813/json-20180813.jar",
"https://repo1.maven.org/maven2/org/json/json/20180813/json-20180813.jar",
],
licenses = ["notice"], # MIT-style license
)
def org_mozilla_firefox():
platform_http_file(
name = "org_mozilla_firefox",
licenses = ["reciprocal"], # MPL 2.0
amd64_sha256 =
"3a729ddcb1e0f5d63933177a35177ac6172f12edbf9fbbbf45305f49333608de",
amd64_urls = [
"https://mirror.bazel.build/ftp.mozilla.org/pub/firefox/releases/61.0.2/linux-x86_64/en-US/firefox-61.0.2.tar.bz2",
"https://ftp.mozilla.org/pub/firefox/releases/61.0.2/linux-x86_64/en-US/firefox-61.0.2.tar.bz2",
],
macos_sha256 =
"bf23f659ae34832605dd0576affcca060d1077b7bf7395bc9874f62b84936dc5",
macos_urls = [
"https://mirror.bazel.build/ftp.mozilla.org/pub/firefox/releases/61.0.2/mac/en-US/Firefox%2061.0.2.dmg",
"https://ftp.mozilla.org/pub/firefox/releases/61.0.2/mac/en-US/Firefox%2061.0.2.dmg",
],
)
def org_mozilla_geckodriver():
platform_http_file(
name = "org_mozilla_geckodriver",
licenses = ["reciprocal"], # MPL 2.0
amd64_sha256 =
"c9ae92348cf00aa719be6337a608fae8304691a95668e8e338d92623ba9e0ec6",
amd64_urls = [
"https://mirror.bazel.build/github.com/mozilla/geckodriver/releases/download/v0.21.0/geckodriver-v0.21.0-linux64.tar.gz",
"https://github.com/mozilla/geckodriver/releases/download/v0.21.0/geckodriver-v0.21.0-linux64.tar.gz",
],
macos_sha256 =
"ce4a3e9d706db94e8760988de1ad562630412fa8cf898819572522be584f01ce",
macos_urls = [
"https://mirror.bazel.build/github.com/mozilla/geckodriver/releases/download/v0.21.0/geckodriver-v0.21.0-macos.tar.gz",
"https://github.com/mozilla/geckodriver/releases/download/v0.21.0/geckodriver-v0.21.0-macos.tar.gz",
],
)
def org_seleniumhq_py():
http_archive(
name = "org_seleniumhq_py",
build_file = str(Label("//build_files:org_seleniumhq_py.BUILD")),
sha256 = "f9ca21919b564a0a86012cd2177923e3a7f37c4a574207086e710192452a7c40",
strip_prefix = "selenium-3.14.0",
urls = [
"https://files.pythonhosted.org/packages/af/7c/3f76140976b1c8f8a6b437ccd1f04efaed37bdc2600530e76ba981c677b9/selenium-3.14.0.tar.gz",
],
)
def org_seleniumhq_selenium_api():
java_import_external(
name = "org_seleniumhq_selenium_api",
jar_sha256 = "1fc941f86ba4fefeae9a705c1468e65beeaeb63688e19ad3fcbda74cc883ee5b",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/seleniumhq/selenium/selenium-api/3.14.0/selenium-api-3.14.0.jar",
"https://repo1.maven.org/maven2/org/seleniumhq/selenium/selenium-api/3.14.0/selenium-api-3.14.0.jar",
],
licenses = ["notice"], # The Apache Software License, Version 2.0
testonly_ = 1,
)
def org_seleniumhq_selenium_remote_driver():
java_import_external(
name = "org_seleniumhq_selenium_remote_driver",
jar_sha256 =
"284cb4ea043539353bd5ecd774cbd726b705d423ea4569376c863d0b66e5eaf2",
jar_urls = [
"https://mirror.bazel.build/repo1.maven.org/maven2/org/seleniumhq/selenium/selenium-remote-driver/3.14.0/selenium-remote-driver-3.14.0.jar",
"https://repo1.maven.org/maven2/org/seleniumhq/selenium/selenium-remote-driver/3.14.0/selenium-remote-driver-3.14.0.jar",
],
licenses = ["notice"], # The Apache Software License, Version 2.0
testonly_ = 1,
deps = [
"@com_google_code_gson",
"@com_google_guava",
"@net_bytebuddy",
"@com_squareup_okhttp3_okhttp",
"@com_squareup_okio",
"@commons_codec",
"@commons_logging",
"@org_apache_commons_exec",
"@org_apache_httpcomponents_httpclient",
"@org_apache_httpcomponents_httpcore",
"@org_seleniumhq_selenium_api",
],
)
|
# Copyright 2018 Google LLC
# Copyright 2018-present Open Networking Foundation
# SPDX-License-Identifier: Apache-2.0
"""A portable build system for Stratum P4 switch stack.
To use this, load() this file in a BUILD file, specifying the symbols needed.
The public symbols are the macros:
decorate(path)
sc_cc_lib Declare a portable Library.
sc_proto_lib Declare a portable .proto Library.
sc_cc_bin Declare a portable Binary.
sc_package Declare a portable tarball package.
and the variables/lists:
ALL_ARCHES All known arches.
EMBEDDED_ARCHES All embedded arches.
EMBEDDED_PPC Name of PowerPC arch - "ppc".
EMBEDDED_X86 Name of "x86" arch.
HOST_ARCH Name of default "host" arch.
HOST_ARCHES All host arches.
STRATUM_INTERNAL For declaring Stratum internal visibility.
The macros are like cc_library(), proto_library(), and cc_binary(), but with
different options and some restrictions. The key difference: you can
supply lists of architectures for which they should be compiled - defaults
to all if left unstated. Internally, libraries and binaries are generated
for every listed architecture. The names are decorated to keep them different
and allow all to be generated and addressed independently.
This aspect of the system is suboptimal - something along the lines of
augmenting context with a user defined configuration fragment would be a
much cleaner solution.
Currently supported architectures:
ppc
x86
"""
load("//tools/build_defs/label:def.bzl", "parse_label")
load(
"//devtools/build_cleaner/skylark:build_defs.bzl",
"register_extension_info",
)
load("@rules_proto//proto:defs.bzl", "proto_library")
load("@rules_cc//cc:defs.bzl", "cc_binary", "cc_library", "cc_test")
# Generic path & label helpers. ============================================
def _normpath(path):
"""Normalize a path.
Normalizes a path by removing unnecessary path-up segments and its
corresponding directories. Providing own implementation because import os
is not allowed in build defs.
For example
../../dir/to/deeply/nested/path/../../../other/path
will become
../../dir/to/other/path
Args:
path: A valid absolute or relative path to normalize.
Returns:
A path equivalent to the input path with minimal use of path-up segments.
Invalid input paths will stay invalid.
"""
sep = "/"
level = 0
result = []
for d in path.split(sep):
if d in ("", "."):
if result:
continue
elif d == "..":
if level > 0:
result.pop()
level += -1
continue
else:
level += 1
result.append(d)
return sep.join(result)
# Adds a suffix to a label, expanding implicit targets if needed.
def decorate(label, suffix):
if label.endswith(":"): # .../bar: -> .../bar
label = label[:-1]
if ":" in label: # .../bar:bat -> .../bar:bat_suffix
return "%s_%s" % (label, suffix)
elif label.startswith("//"): # //foo/bar -> //foo/bar:bar_suffix
return "%s:%s_%s" % (label, label.split("/")[-1], suffix)
else: # bar -> bar_suffix
return "%s_%s" % (label, suffix)
# Creates a relative filename from a label, replacing "//" and ":".
def _make_filename(label):
if label.startswith("//"): # //foo/bar:bat/baz -> google3_foo/bar/bat/baz
return label.replace("//", "google3/").replace(":", "/")
elif label.startswith(":"): # :bat/baz -> bat/baz
return label[1:]
else: # bat/baz -> bat/baz
return label
# Adds dquotes around a string.
def dquote(s):
return '"' + s + '"'
# Adds squotes around a string.
def squote(s):
return "'" + s + "'"
# Emulate Python 2.5+ str(startswith([prefix ...])
def starts_with(s, prefix_list):
for prefix in prefix_list:
if s.startswith(prefix):
return prefix
return None
def sc_platform_select(host = None, ppc = None, x86 = None, default = None):
"""Public macro to alter blaze rules based on the platform architecture.
Generates a blaze select(...) statement that can be used in most contexts to
alter a blaze rule based on the target platform architecture. If no selection
is provided for a given platform, {default} is used instead. A specific value
or default must be provided for every target platform.
Args:
host: The value to use for host builds.
ppc: The value to use for ppc builds.
x86: The value to use for x86 builds.
default: The value to use for any of {host,ppc,x86} that isn't specified.
Returns:
The requested selector.
"""
if default == None and (host == None or ppc == None or x86 == None):
fail("Missing a select value for at least one platform in " +
"sc_platform_select. Please add.")
config_label_prefix = "//stratum:stratum_"
return select({
"//conditions:default": (host or default),
config_label_prefix + "ppc": (ppc or default),
config_label_prefix + "x86": (x86 or default),
})
# Generates an sc_platform_select based on a textual list of arches.
def sc_platform_filter(value, default, arches):
return sc_platform_select(
host = value if "host" in arches else default,
ppc = value if "ppc" in arches else default,
x86 = value if "x86" in arches else default,
)
def sc_platform_alias(
name,
host = None,
ppc = None,
x86 = None,
default = None,
visibility = None):
"""Public macro to create an alias that changes based on target arch.
Generates a blaze alias that will select the appropriate target. If no
selection is provided for a given platform and no default is set, a
dummy default target is used instead.
Args:
name: The name of the alias target.
host: The result of the alias for host builds.
ppc: The result of the alias for ppc builds.
x86: The result of the alias for x86 builds.
default: The result of the alias for any of {host,ppc,x86} that isn't
specified.
visibility: The visibility of the alias target.
"""
native.alias(
name = name,
actual = sc_platform_select(
default = default or "//stratum/portage:dummy",
host = host,
ppc = ppc,
x86 = x86,
),
visibility = visibility,
)
# Embedded build definitions. ==============================================
EMBEDDED_PPC = "ppc"
EMBEDDED_X86 = "x86"
EMBEDDED_ARCHES = [
EMBEDDED_PPC,
EMBEDDED_X86,
]
HOST_ARCH = "host"
HOST_ARCHES = [HOST_ARCH]
ALL_ARCHES = EMBEDDED_ARCHES + HOST_ARCHES
# Identify Stratum platform arch for .pb.h shims and other portability hacks.
_ARCH_DEFINES = sc_platform_select(
default = ["STRATUM_ARCH_HOST"],
ppc = ["STRATUM_ARCH_PPC"],
x86 = ["STRATUM_ARCH_X86"],
)
STRATUM_INTERNAL = [
"//stratum:__subpackages__",
]
#
# Build options for all embedded architectures
#
# Set _TRACE_SRCS to show sources in embedded sc_cc_lib compile steps.
# This is more general than it may seem: genrule doesn't have hdrs or deps
# attributes, so all embedded dependencies appear as a `src'.
# TODO(unknown): if useful again then inject from cmdline else kill feature.
_TRACE_SRCS = False
# Used for all gcc invocations.
_EMBEDDED_FLAGS = [
"-O0", # Don't use this for program-sizing build
#-- "-Os", # Use this for program-sizing build
"-g", # Don't use this for program-sizing build
"-Wall",
"-Werror", # Warn lots, and force fixing warnings.
"-no-canonical-prefixes", # Don't mangle paths and confuse blaze.
"-fno-builtin-malloc", # We'll use tcmalloc
"-fno-builtin-calloc",
"-fno-builtin-realloc",
"-fno-builtin-free",
"-D__STDC_FORMAT_MACROS=1",
# TODO(unknown): Figure out how we can use $(CC_FLAGS) instead of this.
"-D__GOOGLE_STL_LEGACY_COMPATIBILITY",
]
# Used for C and C++ compiler invocations.
_EMBEDDED_CFLAGS = [
"-I$(GENDIR)",
]
# Used for C++ compiler invocations.
_EMBEDDED_CXXFLAGS = [
"-std=gnu++11", # Allow C++11 features _and_ GNU extensions.
]
# Used for linking binaries.
_EMBEDDED_LDFLAGS = [
# "-static", # Use this for program-sizing build
# "-Wl,--gc-sections,--no-wchar-size-warning", # Use this for program-sizing build
]
# PPC ======================================================================
_PPC_GRTE = "//unsupported_toolchains/crosstoolng_powerpc32_8540/sysroot"
# X86 ======================================================================
_X86_GRTE = "//grte/v4_x86/release/usr/grte/v4"
# Portability definitions ===================================================
def sc_cc_test(
name,
size = None,
srcs = None,
deps = None,
data = None,
defines = None,
copts = None,
linkopts = None,
visibility = None):
"""Creates a cc_test rule that interacts safely with Stratum builds.
Generates a cc_test rule that doesn't break the build when an embedded arch
is selected. During embedded builds this target will generate a dummy binary
and will not attempt to build any dependencies.
Args:
name: Analogous to cc_test name argument.
size: Analogous to cc_test size argument.
srcs: Analogous to cc_test srcs argument.
deps: Analogous to cc_test deps argument.
data: Analogous to cc_test data argument.
defines: Analogous to cc_test defines argument.
copts: Analogous to cc_test copts argument.
linkopts: Analogous to cc_test linkopts argument.
visibility: Analogous to cc_test visibility argument.
"""
cc_test(
name = name,
size = size or "small",
srcs = sc_platform_select(host = srcs or [], default = []),
deps = sc_platform_select(
host = deps or [],
default = ["//stratum/portage:dummy_with_main"],
),
data = data or [],
defines = defines,
copts = copts,
linkopts = linkopts,
visibility = visibility,
)
register_extension_info(
extension_name = "sc_cc_test",
label_regex_for_dep = "{extension_name}",
)
def sc_cc_lib(
name,
deps = None,
srcs = None,
hdrs = None,
arches = None,
copts = None,
defines = None,
includes = None,
include_prefix = None,
strip_include_prefix = None,
data = None,
testonly = None,
textual_hdrs = None,
visibility = None,
xdeps = None):
"""Creates rules for the given portable library and arches.
Args:
name: Analogous to cc_library name argument.
deps: Analogous to cc_library deps argument.
srcs: Analogous to cc_library srcs argument.
hdrs: Analogous to cc_library hdrs argument.
arches: List of architectures to generate this way.
copts: Analogous to cc_library copts argument.
defines: Symbols added as "-D" compilation options.
includes: Paths to add as "-I" compilation options.
include_prefix: Analogous to cc_library include_prefix argument.
strip_include_prefix: Analogous to cc_library strip_include_prefix argument.
data: Files to provide as data at runtime (host builds only).
testonly: Standard blaze testonly parameter.
textual_hdrs: Analogous to cc_library.
visibility: Standard blaze visibility parameter.
xdeps: External (file) dependencies of this library - no decorations
assumed, used and exported as header, not for flags, libs, etc.
"""
alwayslink = 0
deps = depset(deps or [])
srcs = depset(srcs or [])
hdrs = depset(hdrs or [])
xdeps = depset(xdeps or [])
copts = depset(copts or [])
includes = depset(includes or [])
data = depset(data or [])
textual_hdrs = depset(textual_hdrs or [])
if srcs:
if [s for s in srcs.to_list() if not s.endswith(".h")]:
alwayslink = 1
if not arches:
arches = ALL_ARCHES
defs_plus = (defines or []) + _ARCH_DEFINES
textual_plus = textual_hdrs | depset(deps.to_list())
cc_library(
name = name,
deps = sc_platform_filter(deps, [], arches),
srcs = sc_platform_filter(srcs, [], arches),
hdrs = sc_platform_filter(hdrs, [], arches),
alwayslink = alwayslink,
copts = sc_platform_filter(copts, [], arches),
defines = defs_plus,
includes = sc_platform_filter(includes, [], arches),
include_prefix = include_prefix,
strip_include_prefix = strip_include_prefix,
testonly = testonly,
textual_hdrs = sc_platform_filter(
textual_plus | xdeps,
[],
arches,
),
data = sc_platform_filter(data, [], arches),
visibility = visibility,
)
register_extension_info(
extension_name = "sc_cc_lib",
label_regex_for_dep = "{extension_name}",
)
def sc_cc_bin(
name,
deps = None,
srcs = None,
arches = None,
copts = None,
defines = None,
includes = None,
testonly = None,
visibility = None):
"""Creates rules for the given portable binary and arches.
Args:
name: Analogous to cc_binary name argument.
deps: Analogous to cc_binary deps argument.
srcs: Analogous to cc_binary srcs argument.
arches: List of architectures to generate this way.
copts: Analogous to cc_binary copts argument.
defines: Symbols added as "-D" compilation options.
includes: Paths to add as "-I" compilation options.
testonly: Standard blaze testonly parameter.
visibility: Standard blaze visibility parameter.
"""
deps = depset(deps or [])
srcs = depset(srcs or [])
if not arches:
arches = ALL_ARCHES
defs_plus = (defines or []) + _ARCH_DEFINES
cc_binary(
name = name,
deps = sc_platform_filter(
deps,
["//stratum/portage:dummy_with_main"],
arches,
),
srcs = sc_platform_filter(srcs, [], arches),
copts = copts,
defines = defs_plus,
includes = includes,
linkopts = ["-ldl", "-lutil"],
testonly = testonly,
visibility = visibility,
)
register_extension_info(
extension_name = "sc_cc_bin",
label_regex_for_dep = "{extension_name}",
)
# Protobuf =================================================================
_SC_GRPC_DEPS = [
"//sandblaze/prebuilt/grpc",
"//sandblaze/prebuilt/grpc:grpc++_codegen_base",
"//sandblaze/prebuilt/grpc:grpc++_codegen_proto_lib",
]
_PROTOC = "@com_google_protobuf//:protobuf:protoc"
_PROTOBUF = "@com_google_protobuf//:protobuf"
_SC_GRPC_PLUGIN = "//sandblaze/prebuilt/protobuf:grpc_cpp_plugin"
_GRPC_PLUGIN = "//grpc:grpc_cpp_plugin"
def _loc(target):
"""Return target location for constructing commands.
Args:
target: Blaze target name available to this build.
Returns:
$(location target)
"""
return "$(location %s)" % target
def _gen_proto_lib(
name,
srcs,
hdrs,
deps,
arch,
visibility,
testonly,
proto_include,
grpc_shim_rule):
"""Creates rules and filegroups for embedded protobuf library.
For every given ${src}.proto, generate:
:${src}_${arch}.pb rule to run protoc
${src}.proto => ${src}.${arch}.pb.{h,cc}
:${src}_${arch}.grpc.pb rule to run protoc w/ erpc plugin:
${src}.proto => ${src}.${arch}.grpc.pb.{h,cc}
:${src}_${arch}_proto_rollup collects include options for protoc:
${src}_${arch}_proto_rollup.flags
Feed each set into sc_cc_lib to wrap them them up into a usable library;
note that ${src}_${arch}_erpc_proto depends on ${src}_${arch}_proto.
Args:
name: Base name for this library.
srcs: List of proto files
hdrs: More files to build into this library, but also exported for
dependent rules to utilize.
deps: List of deps for this library
arch: Which architecture to build this library for.
visibility: Standard blaze visibility parameter, passed through to
subsequent rules.
testonly: Standard blaze testonly parameter.
proto_include: Include path for generated sc_cc_libs.
grpc_shim_rule: If needed, the name of the grpc shim for this proto lib.
"""
bash_vars = ["g3=$${PWD}"]
# TODO(unknown): Switch protobuf to using the proto_include mechanism
protoc_label = _PROTOC
protobuf_label = _PROTOBUF
protobuf_hdrs = "%s:well_known_types_srcs" % protobuf_label
protobuf_srcs = [protobuf_hdrs]
protobuf_include = "$${g3}/protobuf/src"
if arch in EMBEDDED_ARCHES:
grpc_plugin = _SC_GRPC_PLUGIN
else:
grpc_plugin = _GRPC_PLUGIN
protoc_deps = []
for dep in deps:
if dep.endswith("_proto"):
protoc_deps.append("%s_%s_headers" % (dep, arch))
name_arch = decorate(name, arch)
# We use this filegroup to accumulate the set of .proto files needed to
# compile this proto.
native.filegroup(
name = decorate(name_arch, "headers"),
srcs = hdrs + protoc_deps,
visibility = visibility,
)
my_proto_rollup = decorate(name_arch, "proto_rollup.flags")
protoc_srcs_set = (srcs + hdrs + protoc_deps +
protobuf_srcs + [my_proto_rollup])
gen_srcs = []
gen_hdrs = []
grpc_gen_hdrs = []
grpc_gen_srcs = []
tools = [protoc_label]
grpc_tools = [protoc_label, grpc_plugin]
protoc = "$${g3}/%s" % _loc(protoc_label)
grpc_plugin = "$${g3}/%s" % _loc(grpc_plugin)
cpp_out = "$${g3}/$(GENDIR)/%s/%s" % (native.package_name(), arch)
accum_flags = []
full_proto_include = None
if proto_include == ".":
full_proto_include = native.package_name()
elif proto_include:
full_proto_include = "%s/%s" % (native.package_name(), proto_include)
if full_proto_include:
temp_prefix = "%s/%s" % (cpp_out, native.package_name()[len(full_proto_include):])
# We do a bit of extra work with these include flags to avoid generating
# warnings.
accum_flags.append(
"$$(if [[ -e $(GENDIR)/%s ]]; then echo -IG3LOC/$(GENDIR)/%s; fi)" %
(full_proto_include, full_proto_include),
)
accum_flags.append(
"$$(if [[ -e %s ]]; then echo -IG3LOC/%s; fi)" %
(full_proto_include, full_proto_include),
)
else:
temp_prefix = "%s/%s" % (cpp_out, native.package_name())
proto_rollups = [
decorate(decorate(dep, arch), "proto_rollup.flags")
for dep in deps
if dep.endswith("_proto")
]
proto_rollup_cmds = ["printf '%%s\n' %s" % flag for flag in accum_flags]
proto_rollup_cmds.append("cat $(SRCS)")
proto_rollup_cmd = "{ %s; } | sort -u -o $(@)" % "; ".join(proto_rollup_cmds)
native.genrule(
name = decorate(name_arch, "proto_rollup"),
srcs = proto_rollups,
outs = [my_proto_rollup],
cmd = proto_rollup_cmd,
visibility = visibility,
testonly = testonly,
)
for src in srcs + hdrs:
if src.endswith(".proto"):
src_stem = src[0:-6]
src_arch = "%s_%s" % (src_stem, arch)
temp_stem = "%s/%s" % (temp_prefix, src_stem)
gen_stem = "%s.%s" % (src_stem, arch)
# We can't use $${PWD} until this step, because our rollup command
# might be generated on another forge server.
proto_path_cmds = ["rollup=$$(sed \"s,G3LOC,$${PWD},g\" %s)" %
_loc(my_proto_rollup)]
proto_rollup_flags = ["$${rollup}"]
if proto_include:
# We'll be cd-ing to another directory before protoc, so
# adjust our .proto path accordingly.
proto_src_loc = "%s/%s" % (native.package_name(), src)
if proto_src_loc.startswith(full_proto_include + "/"):
proto_src_loc = proto_src_loc[len(full_proto_include) + 1:]
else:
print("Invalid proto include '%s' doesn't match src %s" %
(full_proto_include, proto_src_loc))
# By cd-ing to another directory, we force protoc to produce
# different symbols. Careful, our proto might be in GENDIR!
proto_path_cmds.append("; ".join([
"if [[ -e %s ]]" % ("%s/%s" % (full_proto_include, proto_src_loc)),
"then cd %s" % full_proto_include,
"else cd $(GENDIR)/%s" % full_proto_include,
"fi",
]))
gendir_include = ["-I$${g3}/$(GENDIR)", "-I$${g3}", "-I."]
else:
proto_src_loc = "%s/%s" % (native.package_name(), src)
proto_path_cmds.append("[[ -e %s ]] || cd $(GENDIR)" % proto_src_loc)
gendir_include = ["-I$(GENDIR)", "-I."]
# Generate messages
gen_pb_h = gen_stem + ".pb.h"
gen_pb_cc = gen_stem + ".pb.cc"
gen_hdrs.append(gen_pb_h)
gen_srcs.append(gen_pb_cc)
cmds = bash_vars + [
"mkdir -p %s" % temp_prefix,
] + proto_path_cmds + [
" ".join([protoc] +
gendir_include +
proto_rollup_flags +
[
"-I%s" % protobuf_include,
"--cpp_out=%s" % cpp_out,
proto_src_loc,
]),
"cd $${g3}",
"cp %s.pb.h %s" % (temp_stem, _loc(gen_pb_h)),
"cp %s.pb.cc %s" % (temp_stem, _loc(gen_pb_cc)),
]
pb_outs = [gen_pb_h, gen_pb_cc]
native.genrule(
name = src_arch + ".pb",
srcs = protoc_srcs_set,
outs = pb_outs,
tools = tools,
cmd = " && ".join(cmds),
heuristic_label_expansion = 0,
visibility = visibility,
)
# Generate GRPC
if grpc_shim_rule:
gen_grpc_pb_h = gen_stem + ".grpc.pb.h"
gen_grpc_pb_cc = gen_stem + ".grpc.pb.cc"
grpc_gen_hdrs.append(gen_grpc_pb_h)
grpc_gen_srcs.append(gen_grpc_pb_cc)
cmds = bash_vars + [
"mkdir -p %s" % temp_prefix,
] + proto_path_cmds + [
" ".join([
protoc,
"--plugin=protoc-gen-grpc-cpp=%s" % grpc_plugin,
] +
gendir_include +
proto_rollup_flags +
[
"-I%s" % protobuf_include,
"--grpc-cpp_out=%s" % cpp_out,
proto_src_loc,
]),
"cd $${g3}",
"cp %s.grpc.pb.h %s" % (temp_stem, _loc(gen_grpc_pb_h)),
"cp %s.grpc.pb.cc %s" % (temp_stem, _loc(gen_grpc_pb_cc)),
]
grpc_pb_outs = [gen_grpc_pb_h, gen_grpc_pb_cc]
native.genrule(
name = src_arch + ".grpc.pb",
srcs = protoc_srcs_set,
outs = grpc_pb_outs,
tools = grpc_tools,
cmd = " && ".join(cmds),
heuristic_label_expansion = 0,
visibility = visibility,
)
dep_set = depset(deps) | [protobuf_label]
includes = []
if proto_include:
includes = [proto_include]
# Note: Public sc_proto_lib invokes this once per (listed) arch;
# which then calls sc_cc_lib with same name for each arch;
# multiple such calls are OK as long as the arches are disjoint.
sc_cc_lib(
name = decorate(name, arch),
deps = dep_set,
srcs = gen_srcs,
hdrs = hdrs + gen_hdrs,
arches = [arch],
copts = [],
includes = includes,
testonly = testonly,
textual_hdrs = gen_hdrs,
visibility = visibility,
)
if grpc_shim_rule:
grpc_name = name[:-6] + "_grpc_proto"
grpc_dep_set = dep_set | [name] | _SC_GRPC_DEPS
grpc_gen_hdrs_plus = grpc_gen_hdrs + gen_hdrs
sc_cc_lib(
name = decorate(grpc_name, arch),
deps = grpc_dep_set,
srcs = grpc_gen_srcs,
hdrs = hdrs + grpc_gen_hdrs_plus + [grpc_shim_rule],
arches = [arch],
copts = [],
includes = includes,
testonly = testonly,
textual_hdrs = grpc_gen_hdrs_plus,
visibility = visibility,
)
def _gen_proto_shims(name, pb_modifier, srcs, arches, visibility):
"""Macro to build .pb.h multi-arch master switch for sc_proto_lib.
For each src path.proto, generates path.pb.h consisting of:
#ifdef logic to select path.${arch}.pb.h
Also generates an alias that will select the appropriate proto target
based on the currently selected platform architecture.
Args:
name: Base name for this library.
pb_modifier: protoc plugin-dependent file extension (e.g.: .pb)
srcs: List of proto files.
arches: List of arches this shim should support.
visibility: The blaze visibility of the generated alias.
Returns:
Name of shim rule for use in follow-on hdrs and/or src lists.
"""
outs = []
cmds = []
hdr_ext = pb_modifier + ".h"
for src in srcs:
pkg, filename = parse_label(src)
if not filename.endswith(".proto"):
continue
hdr_stem = filename[0:-6]
new_hdr_name = hdr_stem + hdr_ext
outs.append(new_hdr_name)
# Generate lines for shim switch file.
# Lines expand inside squotes, so quote accordingly.
include_fmt = "#include " + dquote(pkg + "/" + hdr_stem + ".%s" + hdr_ext)
lines = [
"#if defined(STRATUM_ARCH_%s)" % "PPC",
include_fmt % "ppc",
"#elif defined(STRATUM_ARCH_%s)" % "X86",
include_fmt % "x86",
"#elif defined(STRATUM_ARCH_%s)" % "HOST",
include_fmt % "host",
"#else",
"#error Unknown STRATUM_ARCH",
"#endif",
]
gen_cmds = [("printf '%%s\\n' '%s'" % line) for line in lines]
new_hdr_loc = "$(location %s)" % new_hdr_name
cmds.append("{ %s; } > %s" % (" && ".join(gen_cmds), new_hdr_loc))
shim_rule = decorate(name, "shims")
native.genrule(
name = shim_rule,
srcs = srcs,
outs = outs,
cmd = " && ".join(cmds) or "true",
)
sc_platform_alias(
name = name,
host = decorate(name, "host") if "host" in arches else None,
ppc = decorate(name, "ppc") if "ppc" in arches else None,
x86 = decorate(name, "x86") if "x86" in arches else None,
visibility = visibility,
)
return shim_rule
def _gen_py_proto_lib(name, srcs, deps, visibility, testonly):
"""Creates a py_proto_library from the given srcs.
There's no clean way to make python protos work with sc_proto_lib's
proto_include field, so we keep this simple.
For library "name", generates:
* ${name}_default_pb, a regular proto library.
* ${name}_py, a py_proto_library based on ${name}_default_pb.
Args:
name: Standard blaze name argument.
srcs: Standard blaze srcs argument.
deps: Standard blaze deps argument.
visibility: Standard blaze visibility argument.
testonly: Standard blaze testonly argument.
"""
regular_proto_name = decorate(name, "default_pb")
py_name = decorate(name, "py")
proto_library(
name = regular_proto_name,
srcs = srcs,
deps = [decorate(dep, "default_pb") for dep in deps],
visibility = visibility,
testonly = testonly,
)
native.py_proto_library(
name = py_name,
api_version = 2,
deps = [regular_proto_name],
visibility = visibility,
testonly = testonly,
)
# TODO(unknown): Add support for depending on normal proto_library rules.
def sc_proto_lib(
name = None,
srcs = [],
hdrs = [],
deps = [],
arches = [],
visibility = None,
testonly = None,
proto_include = None,
python_support = False,
services = []):
"""Public macro to build multi-arch library from Message protobuf(s).
For library "name", generates:
* ${name}_shim aka .pb.h master switch - see _gen_proto_shims, above.
* ${name}_${arch}_pb protobuf compile rules - one for each arch.
* sc_cc_lib(name) with those as input.
* ${name}_py a py_proto_library version of this library. Only generated
if python_support == True.
Args:
name: Base name for this library.
srcs: List of .proto files - private to this library.
hdrs: As above, but also exported for dependent rules to utilize.
deps: List of deps for this library
arches: Which architectures to build this library for, None => ALL.
visibility: Standard blaze visibility parameter, passed through to
subsequent rules.
testonly: Standard blaze testonly parameter.
proto_include: Path to add to include path. This will affect the
symbols generated by protoc, as well as the include
paths used for both sc_cc_lib and sc_proto_lib rules
that depend on this rule. Typically "."
python_support: Defaults to False. If True, generate a python proto library
from this rule. Any sc_proto_lib with python support may
only depend on sc_proto_libs that also have python support,
and may not use the proto_include field in this rule.
services: List of services to enable {"grpc", "rpc"};
Only "grpc" is supported. So "rpc" and "grpc" are equivalent.
"""
if not arches:
if testonly:
arches = HOST_ARCHES
else:
arches = ALL_ARCHES
service_enable = {
"grpc": 0,
}
for service in services or []:
if service == "grpc":
service_enable["grpc"] = 1
elif service == "rpc":
service_enable["grpc"] = 1
else:
fail("service='%s' not in (grpc, rpc)" % service)
deps = depset(deps or [])
shim_rule = _gen_proto_shims(
name = name,
pb_modifier = ".pb",
srcs = srcs + hdrs,
arches = arches,
visibility = visibility,
)
grpc_shim_rule = None
if (service_enable["grpc"]):
grpc_shim_rule = _gen_proto_shims(
name = decorate(name[:-6], "grpc_proto"),
pb_modifier = ".grpc.pb",
srcs = srcs + hdrs,
arches = arches,
visibility = visibility,
)
for arch in arches:
_gen_proto_lib(
name = name,
srcs = srcs,
hdrs = [shim_rule] + hdrs,
deps = deps,
arch = arch,
visibility = visibility,
testonly = testonly,
proto_include = proto_include,
grpc_shim_rule = grpc_shim_rule,
)
if python_support:
if proto_include:
fail("Cannot use proto_include on an sc_proto_lib with python support.")
_gen_py_proto_lib(
name = name,
srcs = depset(srcs + hdrs),
deps = deps,
visibility = visibility,
testonly = testonly,
)
register_extension_info(
extension_name = "sc_proto_lib",
label_regex_for_dep = "{extension_name}",
)
def sc_package(
name = None,
bins = None,
data = None,
deps = None,
arches = None,
visibility = None):
"""Public macro to package binaries and data for deployment.
For package "name", generates:
* ${name}_${arch}_bin and ${name}_${arch}_data filesets containing
respectively all of the binaries and all of the data needed for this
package and all dependency packages.
* ${name}_${arch} fileset containing the corresponding bin and data
filesets, mapped to bin/ and share/ respectively.
* ${name}_${arch}_tarball rule builds that .tar.gz package.
Args:
name: Base name for this package.
bins: List of sc_cc_bin rules to be packaged.
data: List of files (and file producing rules) to be packaged.
deps: List of other sc_packages to add to this package.
arches: Which architectures to build this library for,
None => EMBEDDED_ARCHES (HOST_ARCHES not generally supported).
visibility: Standard blaze visibility parameter, passed through to
all filesets.
"""
bins = depset(bins or [])
data = depset(data or [])
deps = depset(deps or [])
if not arches:
arches = EMBEDDED_ARCHES
fileset_name = decorate(name, "fs")
for extension, inputs in [
("bin", ["%s.stripped" % b for b in bins.to_list()]),
("data", data),
]:
native.Fileset(
name = decorate(fileset_name, extension),
out = decorate(name, extension),
entries = [
native.FilesetEntry(
files = inputs,
),
] + [
native.FilesetEntry(srcdir = decorate(dep, extension))
for dep in deps.to_list()
],
visibility = visibility,
)
# Add any platform specific files to the final tarball.
platform_entries = sc_platform_select(
# We use a different ppc toolchain for Stratum.
# This means that we must provide portable shared libs for our ppc
# executables.
ppc = [native.FilesetEntry(
srcdir = "%s:BUILD" % _PPC_GRTE,
files = [":libs"],
destdir = "lib/stratum",
symlinks = "dereference",
)],
default = [],
)
native.Fileset(
name = fileset_name,
out = name,
entries = [
native.FilesetEntry(
srcdir = decorate(name, "bin"),
destdir = "bin",
),
native.FilesetEntry(
srcdir = decorate(name, "data"),
destdir = "share",
),
] + platform_entries,
visibility = visibility,
)
outs = ["%s.tar.gz" % name]
# Copy our files into a temporary directory and make any necessary changes
# before tarballing.
cmds = [
"TEMP_DIR=$(@D)/stratum_packaging_temp",
"mkdir $${TEMP_DIR}",
"cp -r %s $${TEMP_DIR}/tarball" % _loc(fileset_name),
"if [[ -e $${TEMP_DIR}/tarball/bin ]]",
"then for f in $${TEMP_DIR}/tarball/bin/*.stripped",
" do mv $${f} $${f%.stripped}", # rename not available.
"done",
"fi",
"tar czf %s -h -C $${TEMP_DIR}/tarball ." % _loc(name + ".tar.gz"),
"rm -rf $${TEMP_DIR}",
]
native.genrule(
name = decorate(name, "tarball"),
srcs = [":%s" % fileset_name],
outs = outs,
cmd = "; ".join(cmds),
visibility = visibility,
)
|
__all__ = (
"Role",
)
class Role:
def __init__(self, data):
self.data = data
self._update(data)
def _get_json(self):
return self.data
def __repr__(self):
return (
f"<Role id={self.id} name={self.name}>"
)
def __str__(self):
return (
f"{self.name}"
)
def _update(self, data):
self._id = data["id"]
self._color = data["color"]
self._managed = data["managed"]
self._name = data["name"]
self._guild_id = data["guild_id"]
self._mentionable = data["mentionable"]
self._position = data["potition"]
self._hoisted = data["hoisted"]
@property
def id(self):
return self._id
@property
def color(self):
return self._color
@property
def managed(self):
return self._managed
@property
def name(self):
return self._name
@property
def guild_id(self):
return self._guild_id
@property
def mentionable(self):
return self._mentionable
@property
def position(self):
return self._position
@property
def hoisted(self):
return self._hoisted
|
_Msun_kpc3_to_GeV_cm3_factor = 0.3/8.0e6
def Msun_kpc3_to_GeV_cm3(value):
return value*_Msun_kpc3_to_GeV_cm3_factor
|
class Solution(object):
def nextPermutation(self, nums):
"""
:type nums: List[int]
:rtype: void Do not return anything, modify nums in-place instead.
"""
if not nums: return
n = len(nums)-1
while n > 0 and nums[n-1] >= nums[n]:
n -= 1
t = n
if t == 0:
nums[:] = nums[::-1]
return
x = nums[n-1]
while t < len(nums) and x < nums[t]:
t += 1
temp = nums[t-1]
nums[t-1] = nums[n-1]
nums[n-1] = temp
nums[n:] = nums[n:][::-1]
return |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""recumpiler
Recompile text to be semi-readable memey garbage.
"""
__version__ = (0, 0, 0)
|
# Copyright 2013 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
{
'variables': {
'chromium_code': 1,
'linux_link_kerberos%': 0,
'conditions': [
['chromeos==1 or OS=="android" or OS=="ios"', {
# Disable Kerberos on ChromeOS, Android and iOS, at least for now.
# It needs configuration (krb5.conf and so on).
'use_kerberos%': 0,
}, { # chromeos == 0
'use_kerberos%': 1,
}],
['OS=="android" and target_arch != "ia32"', {
# The way the cache uses mmap() is inefficient on some Android devices.
# If this flag is set, we hackily avoid using mmap() in the disk cache.
# We are pretty confident that mmap-ing the index would not hurt any
# existing x86 android devices, but we cannot be so sure about the
# variety of ARM devices. So enable it for x86 only for now.
'posix_avoid_mmap%': 1,
}, {
'posix_avoid_mmap%': 0,
}],
['OS=="ios"', {
# Websockets and socket stream are not used on iOS.
'enable_websockets%': 0,
# iOS does not use V8.
'use_v8_in_net%': 0,
'enable_built_in_dns%': 0,
}, {
'enable_websockets%': 1,
'use_v8_in_net%': 1,
'enable_built_in_dns%': 1,
}],
],
},
'includes': [
'../build/win_precompile.gypi',
],
'targets': [
{
'target_name': 'net',
'type': '<(component)',
'variables': { 'enable_wexit_time_destructors': 1, },
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_i18n',
'../base/third_party/dynamic_annotations/dynamic_annotations.gyp:dynamic_annotations',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../crypto/crypto.gyp:crypto',
'../sdch/sdch.gyp:sdch',
'../third_party/icu/icu.gyp:icui18n',
'../third_party/icu/icu.gyp:icuuc',
'../third_party/zlib/zlib.gyp:zlib',
'net_resources',
],
'sources': [
'android/cert_verify_result_android.h',
'android/cert_verify_result_android_list.h',
'android/gurl_utils.cc',
'android/gurl_utils.h',
'android/keystore.cc',
'android/keystore.h',
'android/keystore_openssl.cc',
'android/keystore_openssl.h',
'android/net_jni_registrar.cc',
'android/net_jni_registrar.h',
'android/network_change_notifier_android.cc',
'android/network_change_notifier_android.h',
'android/network_change_notifier_delegate_android.cc',
'android/network_change_notifier_delegate_android.h',
'android/network_change_notifier_factory_android.cc',
'android/network_change_notifier_factory_android.h',
'android/network_library.cc',
'android/network_library.h',
'base/address_family.h',
'base/address_list.cc',
'base/address_list.h',
'base/address_tracker_linux.cc',
'base/address_tracker_linux.h',
'base/auth.cc',
'base/auth.h',
'base/backoff_entry.cc',
'base/backoff_entry.h',
'base/bandwidth_metrics.cc',
'base/bandwidth_metrics.h',
'base/big_endian.cc',
'base/big_endian.h',
'base/cache_type.h',
'base/completion_callback.h',
'base/connection_type_histograms.cc',
'base/connection_type_histograms.h',
'base/crypto_module.h',
'base/crypto_module_nss.cc',
'base/crypto_module_openssl.cc',
'base/data_url.cc',
'base/data_url.h',
'base/directory_lister.cc',
'base/directory_lister.h',
'base/dns_reloader.cc',
'base/dns_reloader.h',
'base/dns_util.cc',
'base/dns_util.h',
'base/escape.cc',
'base/escape.h',
'base/expiring_cache.h',
'base/file_stream.cc',
'base/file_stream.h',
'base/file_stream_context.cc',
'base/file_stream_context.h',
'base/file_stream_context_posix.cc',
'base/file_stream_context_win.cc',
'base/file_stream_metrics.cc',
'base/file_stream_metrics.h',
'base/file_stream_metrics_posix.cc',
'base/file_stream_metrics_win.cc',
'base/file_stream_net_log_parameters.cc',
'base/file_stream_net_log_parameters.h',
'base/file_stream_whence.h',
'base/filter.cc',
'base/filter.h',
'base/int128.cc',
'base/int128.h',
'base/gzip_filter.cc',
'base/gzip_filter.h',
'base/gzip_header.cc',
'base/gzip_header.h',
'base/hash_value.cc',
'base/hash_value.h',
'base/host_mapping_rules.cc',
'base/host_mapping_rules.h',
'base/host_port_pair.cc',
'base/host_port_pair.h',
'base/io_buffer.cc',
'base/io_buffer.h',
'base/ip_endpoint.cc',
'base/ip_endpoint.h',
'base/keygen_handler.cc',
'base/keygen_handler.h',
'base/keygen_handler_mac.cc',
'base/keygen_handler_nss.cc',
'base/keygen_handler_openssl.cc',
'base/keygen_handler_win.cc',
'base/linked_hash_map.h',
'base/load_flags.h',
'base/load_flags_list.h',
'base/load_states.h',
'base/load_states_list.h',
'base/load_timing_info.cc',
'base/load_timing_info.h',
'base/mime_sniffer.cc',
'base/mime_sniffer.h',
'base/mime_util.cc',
'base/mime_util.h',
'base/net_error_list.h',
'base/net_errors.cc',
'base/net_errors.h',
'base/net_errors_posix.cc',
'base/net_errors_win.cc',
'base/net_export.h',
'base/net_log.cc',
'base/net_log.h',
'base/net_log_event_type_list.h',
'base/net_log_source_type_list.h',
'base/net_module.cc',
'base/net_module.h',
'base/net_util.cc',
'base/net_util.h',
'base/net_util_posix.cc',
'base/net_util_win.cc',
'base/network_change_notifier.cc',
'base/network_change_notifier.h',
'base/network_change_notifier_factory.h',
'base/network_change_notifier_linux.cc',
'base/network_change_notifier_linux.h',
'base/network_change_notifier_mac.cc',
'base/network_change_notifier_mac.h',
'base/network_change_notifier_win.cc',
'base/network_change_notifier_win.h',
'base/network_config_watcher_mac.cc',
'base/network_config_watcher_mac.h',
'base/network_delegate.cc',
'base/network_delegate.h',
'base/nss_memio.c',
'base/nss_memio.h',
'base/openssl_private_key_store.h',
'base/openssl_private_key_store_android.cc',
'base/openssl_private_key_store_memory.cc',
'base/platform_mime_util.h',
# TODO(tc): gnome-vfs? xdgmime? /etc/mime.types?
'base/platform_mime_util_linux.cc',
'base/platform_mime_util_mac.mm',
'base/platform_mime_util_win.cc',
'base/prioritized_dispatcher.cc',
'base/prioritized_dispatcher.h',
'base/priority_queue.h',
'base/rand_callback.h',
'base/registry_controlled_domains/registry_controlled_domain.cc',
'base/registry_controlled_domains/registry_controlled_domain.h',
'base/request_priority.h',
'base/sdch_filter.cc',
'base/sdch_filter.h',
'base/sdch_manager.cc',
'base/sdch_manager.h',
'base/static_cookie_policy.cc',
'base/static_cookie_policy.h',
'base/sys_addrinfo.h',
'base/test_data_stream.cc',
'base/test_data_stream.h',
'base/upload_bytes_element_reader.cc',
'base/upload_bytes_element_reader.h',
'base/upload_data.cc',
'base/upload_data.h',
'base/upload_data_stream.cc',
'base/upload_data_stream.h',
'base/upload_element.cc',
'base/upload_element.h',
'base/upload_element_reader.cc',
'base/upload_element_reader.h',
'base/upload_file_element_reader.cc',
'base/upload_file_element_reader.h',
'base/upload_progress.h',
'base/url_util.cc',
'base/url_util.h',
'base/winsock_init.cc',
'base/winsock_init.h',
'base/winsock_util.cc',
'base/winsock_util.h',
'base/zap.cc',
'base/zap.h',
'cert/asn1_util.cc',
'cert/asn1_util.h',
'cert/cert_database.cc',
'cert/cert_database.h',
'cert/cert_database_android.cc',
'cert/cert_database_ios.cc',
'cert/cert_database_mac.cc',
'cert/cert_database_nss.cc',
'cert/cert_database_openssl.cc',
'cert/cert_database_win.cc',
'cert/cert_status_flags.cc',
'cert/cert_status_flags.h',
'cert/cert_trust_anchor_provider.h',
'cert/cert_verifier.cc',
'cert/cert_verifier.h',
'cert/cert_verify_proc.cc',
'cert/cert_verify_proc.h',
'cert/cert_verify_proc_android.cc',
'cert/cert_verify_proc_android.h',
'cert/cert_verify_proc_mac.cc',
'cert/cert_verify_proc_mac.h',
'cert/cert_verify_proc_nss.cc',
'cert/cert_verify_proc_nss.h',
'cert/cert_verify_proc_openssl.cc',
'cert/cert_verify_proc_openssl.h',
'cert/cert_verify_proc_win.cc',
'cert/cert_verify_proc_win.h',
'cert/cert_verify_result.cc',
'cert/cert_verify_result.h',
'cert/crl_set.cc',
'cert/crl_set.h',
'cert/ev_root_ca_metadata.cc',
'cert/ev_root_ca_metadata.h',
'cert/multi_threaded_cert_verifier.cc',
'cert/multi_threaded_cert_verifier.h',
'cert/nss_cert_database.cc',
'cert/nss_cert_database.h',
'cert/pem_tokenizer.cc',
'cert/pem_tokenizer.h',
'cert/single_request_cert_verifier.cc',
'cert/single_request_cert_verifier.h',
'cert/test_root_certs.cc',
'cert/test_root_certs.h',
'cert/test_root_certs_mac.cc',
'cert/test_root_certs_nss.cc',
'cert/test_root_certs_openssl.cc',
'cert/test_root_certs_android.cc',
'cert/test_root_certs_win.cc',
'cert/x509_cert_types.cc',
'cert/x509_cert_types.h',
'cert/x509_cert_types_mac.cc',
'cert/x509_cert_types_win.cc',
'cert/x509_certificate.cc',
'cert/x509_certificate.h',
'cert/x509_certificate_ios.cc',
'cert/x509_certificate_mac.cc',
'cert/x509_certificate_net_log_param.cc',
'cert/x509_certificate_net_log_param.h',
'cert/x509_certificate_nss.cc',
'cert/x509_certificate_openssl.cc',
'cert/x509_certificate_win.cc',
'cert/x509_util.h',
'cert/x509_util.cc',
'cert/x509_util_ios.cc',
'cert/x509_util_ios.h',
'cert/x509_util_mac.cc',
'cert/x509_util_mac.h',
'cert/x509_util_nss.cc',
'cert/x509_util_nss.h',
'cert/x509_util_openssl.cc',
'cert/x509_util_openssl.h',
'cookies/canonical_cookie.cc',
'cookies/canonical_cookie.h',
'cookies/cookie_monster.cc',
'cookies/cookie_monster.h',
'cookies/cookie_options.h',
'cookies/cookie_store.cc',
'cookies/cookie_store.h',
'cookies/cookie_util.cc',
'cookies/cookie_util.h',
'cookies/parsed_cookie.cc',
'cookies/parsed_cookie.h',
'disk_cache/addr.cc',
'disk_cache/addr.h',
'disk_cache/backend_impl.cc',
'disk_cache/backend_impl.h',
'disk_cache/bitmap.cc',
'disk_cache/bitmap.h',
'disk_cache/block_files.cc',
'disk_cache/block_files.h',
'disk_cache/cache_creator.cc',
'disk_cache/cache_util.h',
'disk_cache/cache_util.cc',
'disk_cache/cache_util_posix.cc',
'disk_cache/cache_util_win.cc',
'disk_cache/disk_cache.h',
'disk_cache/disk_format.cc',
'disk_cache/disk_format.h',
'disk_cache/entry_impl.cc',
'disk_cache/entry_impl.h',
'disk_cache/errors.h',
'disk_cache/eviction.cc',
'disk_cache/eviction.h',
'disk_cache/experiments.h',
'disk_cache/file.cc',
'disk_cache/file.h',
'disk_cache/file_block.h',
'disk_cache/file_lock.cc',
'disk_cache/file_lock.h',
'disk_cache/file_posix.cc',
'disk_cache/file_win.cc',
'disk_cache/histogram_macros.h',
'disk_cache/in_flight_backend_io.cc',
'disk_cache/in_flight_backend_io.h',
'disk_cache/in_flight_io.cc',
'disk_cache/in_flight_io.h',
'disk_cache/mapped_file.h',
'disk_cache/mapped_file_posix.cc',
'disk_cache/mapped_file_avoid_mmap_posix.cc',
'disk_cache/mapped_file_win.cc',
'disk_cache/mem_backend_impl.cc',
'disk_cache/mem_backend_impl.h',
'disk_cache/mem_entry_impl.cc',
'disk_cache/mem_entry_impl.h',
'disk_cache/mem_rankings.cc',
'disk_cache/mem_rankings.h',
'disk_cache/net_log_parameters.cc',
'disk_cache/net_log_parameters.h',
'disk_cache/rankings.cc',
'disk_cache/rankings.h',
'disk_cache/sparse_control.cc',
'disk_cache/sparse_control.h',
'disk_cache/stats.cc',
'disk_cache/stats.h',
'disk_cache/stats_histogram.cc',
'disk_cache/stats_histogram.h',
'disk_cache/storage_block-inl.h',
'disk_cache/storage_block.h',
'disk_cache/stress_support.h',
'disk_cache/trace.cc',
'disk_cache/trace.h',
'disk_cache/simple/simple_backend_impl.cc',
'disk_cache/simple/simple_backend_impl.h',
'disk_cache/simple/simple_disk_format.cc',
'disk_cache/simple/simple_disk_format.h',
'disk_cache/simple/simple_entry_impl.cc',
'disk_cache/simple/simple_entry_impl.h',
'disk_cache/simple/simple_index.cc',
'disk_cache/simple/simple_index.h',
'disk_cache/simple/simple_synchronous_entry.cc',
'disk_cache/simple/simple_synchronous_entry.h',
'disk_cache/flash/flash_entry_impl.cc',
'disk_cache/flash/flash_entry_impl.h',
'disk_cache/flash/format.h',
'disk_cache/flash/internal_entry.cc',
'disk_cache/flash/internal_entry.h',
'disk_cache/flash/log_store.cc',
'disk_cache/flash/log_store.h',
'disk_cache/flash/log_store_entry.cc',
'disk_cache/flash/log_store_entry.h',
'disk_cache/flash/segment.cc',
'disk_cache/flash/segment.h',
'disk_cache/flash/storage.cc',
'disk_cache/flash/storage.h',
'dns/address_sorter.h',
'dns/address_sorter_posix.cc',
'dns/address_sorter_posix.h',
'dns/address_sorter_win.cc',
'dns/dns_client.cc',
'dns/dns_client.h',
'dns/dns_config_service.cc',
'dns/dns_config_service.h',
'dns/dns_config_service_posix.cc',
'dns/dns_config_service_posix.h',
'dns/dns_config_service_win.cc',
'dns/dns_config_service_win.h',
'dns/dns_hosts.cc',
'dns/dns_hosts.h',
'dns/dns_protocol.h',
'dns/dns_query.cc',
'dns/dns_query.h',
'dns/dns_response.cc',
'dns/dns_response.h',
'dns/dns_session.cc',
'dns/dns_session.h',
'dns/dns_socket_pool.cc',
'dns/dns_socket_pool.h',
'dns/dns_transaction.cc',
'dns/dns_transaction.h',
'dns/host_cache.cc',
'dns/host_cache.h',
'dns/host_resolver.cc',
'dns/host_resolver.h',
'dns/host_resolver_impl.cc',
'dns/host_resolver_impl.h',
'dns/host_resolver_proc.cc',
'dns/host_resolver_proc.h',
'dns/mapped_host_resolver.cc',
'dns/mapped_host_resolver.h',
'dns/notify_watcher_mac.cc',
'dns/notify_watcher_mac.h',
'dns/serial_worker.cc',
'dns/serial_worker.h',
'dns/single_request_host_resolver.cc',
'dns/single_request_host_resolver.h',
'ftp/ftp_auth_cache.cc',
'ftp/ftp_auth_cache.h',
'ftp/ftp_ctrl_response_buffer.cc',
'ftp/ftp_ctrl_response_buffer.h',
'ftp/ftp_directory_listing_parser.cc',
'ftp/ftp_directory_listing_parser.h',
'ftp/ftp_directory_listing_parser_ls.cc',
'ftp/ftp_directory_listing_parser_ls.h',
'ftp/ftp_directory_listing_parser_netware.cc',
'ftp/ftp_directory_listing_parser_netware.h',
'ftp/ftp_directory_listing_parser_os2.cc',
'ftp/ftp_directory_listing_parser_os2.h',
'ftp/ftp_directory_listing_parser_vms.cc',
'ftp/ftp_directory_listing_parser_vms.h',
'ftp/ftp_directory_listing_parser_windows.cc',
'ftp/ftp_directory_listing_parser_windows.h',
'ftp/ftp_network_layer.cc',
'ftp/ftp_network_layer.h',
'ftp/ftp_network_session.cc',
'ftp/ftp_network_session.h',
'ftp/ftp_network_transaction.cc',
'ftp/ftp_network_transaction.h',
'ftp/ftp_request_info.h',
'ftp/ftp_response_info.cc',
'ftp/ftp_response_info.h',
'ftp/ftp_server_type_histograms.cc',
'ftp/ftp_server_type_histograms.h',
'ftp/ftp_transaction.h',
'ftp/ftp_transaction_factory.h',
'ftp/ftp_util.cc',
'ftp/ftp_util.h',
'http/des.cc',
'http/des.h',
'http/http_atom_list.h',
'http/http_auth.cc',
'http/http_auth.h',
'http/http_auth_cache.cc',
'http/http_auth_cache.h',
'http/http_auth_controller.cc',
'http/http_auth_controller.h',
'http/http_auth_filter.cc',
'http/http_auth_filter.h',
'http/http_auth_filter_win.h',
'http/http_auth_gssapi_posix.cc',
'http/http_auth_gssapi_posix.h',
'http/http_auth_handler.cc',
'http/http_auth_handler.h',
'http/http_auth_handler_basic.cc',
'http/http_auth_handler_basic.h',
'http/http_auth_handler_digest.cc',
'http/http_auth_handler_digest.h',
'http/http_auth_handler_factory.cc',
'http/http_auth_handler_factory.h',
'http/http_auth_handler_negotiate.cc',
'http/http_auth_handler_negotiate.h',
'http/http_auth_handler_ntlm.cc',
'http/http_auth_handler_ntlm.h',
'http/http_auth_handler_ntlm_portable.cc',
'http/http_auth_handler_ntlm_win.cc',
'http/http_auth_sspi_win.cc',
'http/http_auth_sspi_win.h',
'http/http_basic_stream.cc',
'http/http_basic_stream.h',
'http/http_byte_range.cc',
'http/http_byte_range.h',
'http/http_cache.cc',
'http/http_cache.h',
'http/http_cache_transaction.cc',
'http/http_cache_transaction.h',
'http/http_content_disposition.cc',
'http/http_content_disposition.h',
'http/http_chunked_decoder.cc',
'http/http_chunked_decoder.h',
'http/http_network_layer.cc',
'http/http_network_layer.h',
'http/http_network_session.cc',
'http/http_network_session.h',
'http/http_network_session_peer.cc',
'http/http_network_session_peer.h',
'http/http_network_transaction.cc',
'http/http_network_transaction.h',
'http/http_pipelined_connection.h',
'http/http_pipelined_connection_impl.cc',
'http/http_pipelined_connection_impl.h',
'http/http_pipelined_host.cc',
'http/http_pipelined_host.h',
'http/http_pipelined_host_capability.h',
'http/http_pipelined_host_forced.cc',
'http/http_pipelined_host_forced.h',
'http/http_pipelined_host_impl.cc',
'http/http_pipelined_host_impl.h',
'http/http_pipelined_host_pool.cc',
'http/http_pipelined_host_pool.h',
'http/http_pipelined_stream.cc',
'http/http_pipelined_stream.h',
'http/http_proxy_client_socket.cc',
'http/http_proxy_client_socket.h',
'http/http_proxy_client_socket_pool.cc',
'http/http_proxy_client_socket_pool.h',
'http/http_request_headers.cc',
'http/http_request_headers.h',
'http/http_request_info.cc',
'http/http_request_info.h',
'http/http_response_body_drainer.cc',
'http/http_response_body_drainer.h',
'http/http_response_headers.cc',
'http/http_response_headers.h',
'http/http_response_info.cc',
'http/http_response_info.h',
'http/http_security_headers.cc',
'http/http_security_headers.h',
'http/http_server_properties.cc',
'http/http_server_properties.h',
'http/http_server_properties_impl.cc',
'http/http_server_properties_impl.h',
'http/http_status_code.h',
'http/http_stream.h',
'http/http_stream_base.h',
'http/http_stream_factory.cc',
'http/http_stream_factory.h',
'http/http_stream_factory_impl.cc',
'http/http_stream_factory_impl.h',
'http/http_stream_factory_impl_job.cc',
'http/http_stream_factory_impl_job.h',
'http/http_stream_factory_impl_request.cc',
'http/http_stream_factory_impl_request.h',
'http/http_stream_parser.cc',
'http/http_stream_parser.h',
'http/http_transaction.h',
'http/http_transaction_delegate.h',
'http/http_transaction_factory.h',
'http/http_util.cc',
'http/http_util.h',
'http/http_util_icu.cc',
'http/http_vary_data.cc',
'http/http_vary_data.h',
'http/http_version.h',
'http/md4.cc',
'http/md4.h',
'http/partial_data.cc',
'http/partial_data.h',
'http/proxy_client_socket.h',
'http/proxy_client_socket.cc',
'http/transport_security_state.cc',
'http/transport_security_state.h',
'http/transport_security_state_static.h',
'http/url_security_manager.cc',
'http/url_security_manager.h',
'http/url_security_manager_posix.cc',
'http/url_security_manager_win.cc',
'ocsp/nss_ocsp.cc',
'ocsp/nss_ocsp.h',
'proxy/dhcp_proxy_script_adapter_fetcher_win.cc',
'proxy/dhcp_proxy_script_adapter_fetcher_win.h',
'proxy/dhcp_proxy_script_fetcher.cc',
'proxy/dhcp_proxy_script_fetcher.h',
'proxy/dhcp_proxy_script_fetcher_factory.cc',
'proxy/dhcp_proxy_script_fetcher_factory.h',
'proxy/dhcp_proxy_script_fetcher_win.cc',
'proxy/dhcp_proxy_script_fetcher_win.h',
'proxy/dhcpcsvc_init_win.cc',
'proxy/dhcpcsvc_init_win.h',
'proxy/multi_threaded_proxy_resolver.cc',
'proxy/multi_threaded_proxy_resolver.h',
'proxy/network_delegate_error_observer.cc',
'proxy/network_delegate_error_observer.h',
'proxy/polling_proxy_config_service.cc',
'proxy/polling_proxy_config_service.h',
'proxy/proxy_bypass_rules.cc',
'proxy/proxy_bypass_rules.h',
'proxy/proxy_config.cc',
'proxy/proxy_config.h',
'proxy/proxy_config_service.h',
'proxy/proxy_config_service_android.cc',
'proxy/proxy_config_service_android.h',
'proxy/proxy_config_service_fixed.cc',
'proxy/proxy_config_service_fixed.h',
'proxy/proxy_config_service_ios.cc',
'proxy/proxy_config_service_ios.h',
'proxy/proxy_config_service_linux.cc',
'proxy/proxy_config_service_linux.h',
'proxy/proxy_config_service_mac.cc',
'proxy/proxy_config_service_mac.h',
'proxy/proxy_config_service_win.cc',
'proxy/proxy_config_service_win.h',
'proxy/proxy_config_source.cc',
'proxy/proxy_config_source.h',
'proxy/proxy_info.cc',
'proxy/proxy_info.h',
'proxy/proxy_list.cc',
'proxy/proxy_list.h',
'proxy/proxy_resolver.h',
'proxy/proxy_resolver_error_observer.h',
'proxy/proxy_resolver_mac.cc',
'proxy/proxy_resolver_mac.h',
'proxy/proxy_resolver_script.h',
'proxy/proxy_resolver_script_data.cc',
'proxy/proxy_resolver_script_data.h',
'proxy/proxy_resolver_winhttp.cc',
'proxy/proxy_resolver_winhttp.h',
'proxy/proxy_retry_info.h',
'proxy/proxy_script_decider.cc',
'proxy/proxy_script_decider.h',
'proxy/proxy_script_fetcher.h',
'proxy/proxy_script_fetcher_impl.cc',
'proxy/proxy_script_fetcher_impl.h',
'proxy/proxy_server.cc',
'proxy/proxy_server.h',
'proxy/proxy_server_mac.cc',
'proxy/proxy_service.cc',
'proxy/proxy_service.h',
'quic/blocked_list.h',
'quic/congestion_control/available_channel_estimator.cc',
'quic/congestion_control/available_channel_estimator.h',
'quic/congestion_control/channel_estimator.cc',
'quic/congestion_control/channel_estimator.h',
'quic/congestion_control/cube_root.cc',
'quic/congestion_control/cube_root.h',
'quic/congestion_control/cubic.cc',
'quic/congestion_control/cubic.h',
'quic/congestion_control/fix_rate_receiver.cc',
'quic/congestion_control/fix_rate_receiver.h',
'quic/congestion_control/fix_rate_sender.cc',
'quic/congestion_control/fix_rate_sender.h',
'quic/congestion_control/hybrid_slow_start.cc',
'quic/congestion_control/hybrid_slow_start.h',
'quic/congestion_control/inter_arrival_bitrate_ramp_up.cc',
'quic/congestion_control/inter_arrival_bitrate_ramp_up.h',
'quic/congestion_control/inter_arrival_overuse_detector.cc',
'quic/congestion_control/inter_arrival_overuse_detector.h',
'quic/congestion_control/inter_arrival_probe.cc',
'quic/congestion_control/inter_arrival_probe.h',
'quic/congestion_control/inter_arrival_receiver.cc',
'quic/congestion_control/inter_arrival_receiver.h',
'quic/congestion_control/inter_arrival_sender.cc',
'quic/congestion_control/inter_arrival_sender.h',
'quic/congestion_control/inter_arrival_state_machine.cc',
'quic/congestion_control/inter_arrival_state_machine.h',
'quic/congestion_control/leaky_bucket.cc',
'quic/congestion_control/leaky_bucket.h',
'quic/congestion_control/paced_sender.cc',
'quic/congestion_control/paced_sender.h',
'quic/congestion_control/quic_congestion_manager.cc',
'quic/congestion_control/quic_congestion_manager.h',
'quic/congestion_control/quic_max_sized_map.h',
'quic/congestion_control/receive_algorithm_interface.cc',
'quic/congestion_control/receive_algorithm_interface.h',
'quic/congestion_control/send_algorithm_interface.cc',
'quic/congestion_control/send_algorithm_interface.h',
'quic/congestion_control/tcp_cubic_sender.cc',
'quic/congestion_control/tcp_cubic_sender.h',
'quic/congestion_control/tcp_receiver.cc',
'quic/congestion_control/tcp_receiver.h',
'quic/crypto/aes_128_gcm_decrypter.h',
'quic/crypto/aes_128_gcm_decrypter_nss.cc',
'quic/crypto/aes_128_gcm_decrypter_openssl.cc',
'quic/crypto/aes_128_gcm_encrypter.h',
'quic/crypto/aes_128_gcm_encrypter_nss.cc',
'quic/crypto/aes_128_gcm_encrypter_openssl.cc',
'quic/crypto/crypto_framer.cc',
'quic/crypto/crypto_framer.h',
'quic/crypto/crypto_handshake.cc',
'quic/crypto/crypto_handshake.h',
'quic/crypto/crypto_protocol.h',
'quic/crypto/crypto_utils.cc',
'quic/crypto/crypto_utils.h',
'quic/crypto/curve25519_key_exchange.cc',
'quic/crypto/curve25519_key_exchange.h',
'quic/crypto/key_exchange.h',
'quic/crypto/null_decrypter.cc',
'quic/crypto/null_decrypter.h',
'quic/crypto/null_encrypter.cc',
'quic/crypto/null_encrypter.h',
'quic/crypto/p256_key_exchange.h',
'quic/crypto/p256_key_exchange_nss.cc',
'quic/crypto/p256_key_exchange_openssl.cc',
'quic/crypto/quic_decrypter.cc',
'quic/crypto/quic_decrypter.h',
'quic/crypto/quic_encrypter.cc',
'quic/crypto/quic_encrypter.h',
'quic/crypto/quic_random.cc',
'quic/crypto/quic_random.h',
'quic/crypto/scoped_evp_cipher_ctx.h',
'quic/crypto/strike_register.cc',
'quic/crypto/strike_register.h',
'quic/quic_bandwidth.cc',
'quic/quic_bandwidth.h',
'quic/quic_blocked_writer_interface.h',
'quic/quic_client_session.cc',
'quic/quic_client_session.h',
'quic/quic_crypto_client_stream.cc',
'quic/quic_crypto_client_stream.h',
'quic/quic_crypto_client_stream_factory.h',
'quic/quic_crypto_server_stream.cc',
'quic/quic_crypto_server_stream.h',
'quic/quic_crypto_stream.cc',
'quic/quic_crypto_stream.h',
'quic/quic_clock.cc',
'quic/quic_clock.h',
'quic/quic_connection.cc',
'quic/quic_connection.h',
'quic/quic_connection_helper.cc',
'quic/quic_connection_helper.h',
'quic/quic_connection_logger.cc',
'quic/quic_connection_logger.h',
'quic/quic_data_reader.cc',
'quic/quic_data_reader.h',
'quic/quic_data_writer.cc',
'quic/quic_data_writer.h',
'quic/quic_fec_group.cc',
'quic/quic_fec_group.h',
'quic/quic_framer.cc',
'quic/quic_framer.h',
'quic/quic_http_stream.cc',
'quic/quic_http_stream.h',
'quic/quic_packet_creator.cc',
'quic/quic_packet_creator.h',
'quic/quic_packet_entropy_manager.cc',
'quic/quic_packet_entropy_manager.h',
'quic/quic_packet_generator.cc',
'quic/quic_packet_generator.h',
'quic/quic_protocol.cc',
'quic/quic_protocol.h',
'quic/quic_reliable_client_stream.cc',
'quic/quic_reliable_client_stream.h',
'quic/quic_session.cc',
'quic/quic_session.h',
'quic/quic_stats.cc',
'quic/quic_stats.h',
'quic/quic_stream_factory.cc',
'quic/quic_stream_factory.h',
'quic/quic_stream_sequencer.cc',
'quic/quic_stream_sequencer.h',
'quic/quic_time.cc',
'quic/quic_time.h',
'quic/quic_utils.cc',
'quic/quic_utils.h',
'quic/reliable_quic_stream.cc',
'quic/reliable_quic_stream.h',
'socket/buffered_write_stream_socket.cc',
'socket/buffered_write_stream_socket.h',
'socket/client_socket_factory.cc',
'socket/client_socket_factory.h',
'socket/client_socket_handle.cc',
'socket/client_socket_handle.h',
'socket/client_socket_pool.cc',
'socket/client_socket_pool.h',
'socket/client_socket_pool_base.cc',
'socket/client_socket_pool_base.h',
'socket/client_socket_pool_histograms.cc',
'socket/client_socket_pool_histograms.h',
'socket/client_socket_pool_manager.cc',
'socket/client_socket_pool_manager.h',
'socket/client_socket_pool_manager_impl.cc',
'socket/client_socket_pool_manager_impl.h',
'socket/next_proto.h',
'socket/nss_ssl_util.cc',
'socket/nss_ssl_util.h',
'socket/server_socket.h',
'socket/socket_net_log_params.cc',
'socket/socket_net_log_params.h',
'socket/socket.h',
'socket/socks5_client_socket.cc',
'socket/socks5_client_socket.h',
'socket/socks_client_socket.cc',
'socket/socks_client_socket.h',
'socket/socks_client_socket_pool.cc',
'socket/socks_client_socket_pool.h',
'socket/ssl_client_socket.cc',
'socket/ssl_client_socket.h',
'socket/ssl_client_socket_nss.cc',
'socket/ssl_client_socket_nss.h',
'socket/ssl_client_socket_openssl.cc',
'socket/ssl_client_socket_openssl.h',
'socket/ssl_client_socket_pool.cc',
'socket/ssl_client_socket_pool.h',
'socket/ssl_error_params.cc',
'socket/ssl_error_params.h',
'socket/ssl_server_socket.h',
'socket/ssl_server_socket_nss.cc',
'socket/ssl_server_socket_nss.h',
'socket/ssl_server_socket_openssl.cc',
'socket/ssl_socket.h',
'socket/stream_listen_socket.cc',
'socket/stream_listen_socket.h',
'socket/stream_socket.cc',
'socket/stream_socket.h',
'socket/tcp_client_socket.cc',
'socket/tcp_client_socket.h',
'socket/tcp_client_socket_libevent.cc',
'socket/tcp_client_socket_libevent.h',
'socket/tcp_client_socket_win.cc',
'socket/tcp_client_socket_win.h',
'socket/tcp_listen_socket.cc',
'socket/tcp_listen_socket.h',
'socket/tcp_server_socket.h',
'socket/tcp_server_socket_libevent.cc',
'socket/tcp_server_socket_libevent.h',
'socket/tcp_server_socket_win.cc',
'socket/tcp_server_socket_win.h',
'socket/transport_client_socket_pool.cc',
'socket/transport_client_socket_pool.h',
'socket/unix_domain_socket_posix.cc',
'socket/unix_domain_socket_posix.h',
'socket_stream/socket_stream.cc',
'socket_stream/socket_stream.h',
'socket_stream/socket_stream_job.cc',
'socket_stream/socket_stream_job.h',
'socket_stream/socket_stream_job_manager.cc',
'socket_stream/socket_stream_job_manager.h',
'socket_stream/socket_stream_metrics.cc',
'socket_stream/socket_stream_metrics.h',
'spdy/buffered_spdy_framer.cc',
'spdy/buffered_spdy_framer.h',
'spdy/spdy_bitmasks.h',
'spdy/spdy_credential_builder.cc',
'spdy/spdy_credential_builder.h',
'spdy/spdy_credential_state.cc',
'spdy/spdy_credential_state.h',
'spdy/spdy_frame_builder.cc',
'spdy/spdy_frame_builder.h',
'spdy/spdy_frame_reader.cc',
'spdy/spdy_frame_reader.h',
'spdy/spdy_framer.cc',
'spdy/spdy_framer.h',
'spdy/spdy_header_block.cc',
'spdy/spdy_header_block.h',
'spdy/spdy_http_stream.cc',
'spdy/spdy_http_stream.h',
'spdy/spdy_http_utils.cc',
'spdy/spdy_http_utils.h',
'spdy/spdy_io_buffer.cc',
'spdy/spdy_io_buffer.h',
'spdy/spdy_priority_forest.h',
'spdy/spdy_protocol.cc',
'spdy/spdy_protocol.h',
'spdy/spdy_proxy_client_socket.cc',
'spdy/spdy_proxy_client_socket.h',
'spdy/spdy_session.cc',
'spdy/spdy_session.h',
'spdy/spdy_session_pool.cc',
'spdy/spdy_session_pool.h',
'spdy/spdy_stream.cc',
'spdy/spdy_stream.h',
'spdy/spdy_websocket_stream.cc',
'spdy/spdy_websocket_stream.h',
'ssl/client_cert_store.h',
'ssl/client_cert_store_impl.h',
'ssl/client_cert_store_impl_mac.cc',
'ssl/client_cert_store_impl_nss.cc',
'ssl/client_cert_store_impl_win.cc',
'ssl/default_server_bound_cert_store.cc',
'ssl/default_server_bound_cert_store.h',
'ssl/openssl_client_key_store.cc',
'ssl/openssl_client_key_store.h',
'ssl/server_bound_cert_service.cc',
'ssl/server_bound_cert_service.h',
'ssl/server_bound_cert_store.cc',
'ssl/server_bound_cert_store.h',
'ssl/ssl_cert_request_info.cc',
'ssl/ssl_cert_request_info.h',
'ssl/ssl_cipher_suite_names.cc',
'ssl/ssl_cipher_suite_names.h',
'ssl/ssl_client_auth_cache.cc',
'ssl/ssl_client_auth_cache.h',
'ssl/ssl_client_cert_type.h',
'ssl/ssl_config_service.cc',
'ssl/ssl_config_service.h',
'ssl/ssl_config_service_defaults.cc',
'ssl/ssl_config_service_defaults.h',
'ssl/ssl_info.cc',
'ssl/ssl_info.h',
'third_party/mozilla_security_manager/nsKeygenHandler.cpp',
'third_party/mozilla_security_manager/nsKeygenHandler.h',
'third_party/mozilla_security_manager/nsNSSCertificateDB.cpp',
'third_party/mozilla_security_manager/nsNSSCertificateDB.h',
'third_party/mozilla_security_manager/nsPKCS12Blob.cpp',
'third_party/mozilla_security_manager/nsPKCS12Blob.h',
'udp/datagram_client_socket.h',
'udp/datagram_server_socket.h',
'udp/datagram_socket.h',
'udp/udp_client_socket.cc',
'udp/udp_client_socket.h',
'udp/udp_net_log_parameters.cc',
'udp/udp_net_log_parameters.h',
'udp/udp_server_socket.cc',
'udp/udp_server_socket.h',
'udp/udp_socket.h',
'udp/udp_socket_libevent.cc',
'udp/udp_socket_libevent.h',
'udp/udp_socket_win.cc',
'udp/udp_socket_win.h',
'url_request/data_protocol_handler.cc',
'url_request/data_protocol_handler.h',
'url_request/file_protocol_handler.cc',
'url_request/file_protocol_handler.h',
'url_request/fraudulent_certificate_reporter.h',
'url_request/ftp_protocol_handler.cc',
'url_request/ftp_protocol_handler.h',
'url_request/http_user_agent_settings.h',
'url_request/protocol_intercept_job_factory.cc',
'url_request/protocol_intercept_job_factory.h',
'url_request/static_http_user_agent_settings.cc',
'url_request/static_http_user_agent_settings.h',
'url_request/url_fetcher.cc',
'url_request/url_fetcher.h',
'url_request/url_fetcher_core.cc',
'url_request/url_fetcher_core.h',
'url_request/url_fetcher_delegate.cc',
'url_request/url_fetcher_delegate.h',
'url_request/url_fetcher_factory.h',
'url_request/url_fetcher_impl.cc',
'url_request/url_fetcher_impl.h',
'url_request/url_fetcher_response_writer.cc',
'url_request/url_fetcher_response_writer.h',
'url_request/url_request.cc',
'url_request/url_request.h',
'url_request/url_request_about_job.cc',
'url_request/url_request_about_job.h',
'url_request/url_request_context.cc',
'url_request/url_request_context.h',
'url_request/url_request_context_builder.cc',
'url_request/url_request_context_builder.h',
'url_request/url_request_context_getter.cc',
'url_request/url_request_context_getter.h',
'url_request/url_request_context_storage.cc',
'url_request/url_request_context_storage.h',
'url_request/url_request_data_job.cc',
'url_request/url_request_data_job.h',
'url_request/url_request_error_job.cc',
'url_request/url_request_error_job.h',
'url_request/url_request_file_dir_job.cc',
'url_request/url_request_file_dir_job.h',
'url_request/url_request_file_job.cc',
'url_request/url_request_file_job.h',
'url_request/url_request_filter.cc',
'url_request/url_request_filter.h',
'url_request/url_request_ftp_job.cc',
'url_request/url_request_ftp_job.h',
'url_request/url_request_http_job.cc',
'url_request/url_request_http_job.h',
'url_request/url_request_job.cc',
'url_request/url_request_job.h',
'url_request/url_request_job_factory.cc',
'url_request/url_request_job_factory.h',
'url_request/url_request_job_factory_impl.cc',
'url_request/url_request_job_factory_impl.h',
'url_request/url_request_job_manager.cc',
'url_request/url_request_job_manager.h',
'url_request/url_request_netlog_params.cc',
'url_request/url_request_netlog_params.h',
'url_request/url_request_redirect_job.cc',
'url_request/url_request_redirect_job.h',
'url_request/url_request_simple_job.cc',
'url_request/url_request_simple_job.h',
'url_request/url_request_status.h',
'url_request/url_request_test_job.cc',
'url_request/url_request_test_job.h',
'url_request/url_request_throttler_entry.cc',
'url_request/url_request_throttler_entry.h',
'url_request/url_request_throttler_entry_interface.h',
'url_request/url_request_throttler_header_adapter.cc',
'url_request/url_request_throttler_header_adapter.h',
'url_request/url_request_throttler_header_interface.h',
'url_request/url_request_throttler_manager.cc',
'url_request/url_request_throttler_manager.h',
'url_request/view_cache_helper.cc',
'url_request/view_cache_helper.h',
'websockets/websocket_errors.cc',
'websockets/websocket_errors.h',
'websockets/websocket_frame.cc',
'websockets/websocket_frame.h',
'websockets/websocket_frame_parser.cc',
'websockets/websocket_frame_parser.h',
'websockets/websocket_handshake_handler.cc',
'websockets/websocket_handshake_handler.h',
'websockets/websocket_job.cc',
'websockets/websocket_job.h',
'websockets/websocket_net_log_params.cc',
'websockets/websocket_net_log_params.h',
'websockets/websocket_stream.h',
'websockets/websocket_throttle.cc',
'websockets/websocket_throttle.h',
],
'defines': [
'NET_IMPLEMENTATION',
],
'export_dependent_settings': [
'../base/base.gyp:base',
],
'conditions': [
['chromeos==1', {
'sources!': [
'base/network_change_notifier_linux.cc',
'base/network_change_notifier_linux.h',
'base/network_change_notifier_netlink_linux.cc',
'base/network_change_notifier_netlink_linux.h',
'proxy/proxy_config_service_linux.cc',
'proxy/proxy_config_service_linux.h',
],
}],
['use_kerberos==1', {
'defines': [
'USE_KERBEROS',
],
'conditions': [
['OS=="openbsd"', {
'include_dirs': [
'/usr/include/kerberosV'
],
}],
['linux_link_kerberos==1', {
'link_settings': {
'ldflags': [
'<!@(krb5-config --libs gssapi)',
],
},
}, { # linux_link_kerberos==0
'defines': [
'DLOPEN_KERBEROS',
],
}],
],
}, { # use_kerberos == 0
'sources!': [
'http/http_auth_gssapi_posix.cc',
'http/http_auth_gssapi_posix.h',
'http/http_auth_handler_negotiate.h',
'http/http_auth_handler_negotiate.cc',
],
}],
['posix_avoid_mmap==1', {
'defines': [
'POSIX_AVOID_MMAP',
],
'direct_dependent_settings': {
'defines': [
'POSIX_AVOID_MMAP',
],
},
'sources!': [
'disk_cache/mapped_file_posix.cc',
],
}, { # else
'sources!': [
'disk_cache/mapped_file_avoid_mmap_posix.cc',
],
}],
['disable_ftp_support==1', {
'sources/': [
['exclude', '^ftp/'],
],
'sources!': [
'url_request/ftp_protocol_handler.cc',
'url_request/ftp_protocol_handler.h',
'url_request/url_request_ftp_job.cc',
'url_request/url_request_ftp_job.h',
],
}],
['enable_built_in_dns==1', {
'defines': [
'ENABLE_BUILT_IN_DNS',
]
}, { # else
'sources!': [
'dns/address_sorter_posix.cc',
'dns/address_sorter_posix.h',
'dns/dns_client.cc',
],
}],
['use_openssl==1', {
'sources!': [
'base/crypto_module_nss.cc',
'base/keygen_handler_nss.cc',
'base/nss_memio.c',
'base/nss_memio.h',
'cert/cert_database_nss.cc',
'cert/cert_verify_proc_nss.cc',
'cert/cert_verify_proc_nss.h',
'cert/nss_cert_database.cc',
'cert/nss_cert_database.h',
'cert/test_root_certs_nss.cc',
'cert/x509_certificate_nss.cc',
'cert/x509_util_nss.cc',
'cert/x509_util_nss.h',
'ocsp/nss_ocsp.cc',
'ocsp/nss_ocsp.h',
'quic/crypto/aes_128_gcm_decrypter_nss.cc',
'quic/crypto/aes_128_gcm_encrypter_nss.cc',
'quic/crypto/p256_key_exchange_nss.cc',
'socket/nss_ssl_util.cc',
'socket/nss_ssl_util.h',
'socket/ssl_client_socket_nss.cc',
'socket/ssl_client_socket_nss.h',
'socket/ssl_server_socket_nss.cc',
'socket/ssl_server_socket_nss.h',
'ssl/client_cert_store_impl_nss.cc',
'third_party/mozilla_security_manager/nsKeygenHandler.cpp',
'third_party/mozilla_security_manager/nsKeygenHandler.h',
'third_party/mozilla_security_manager/nsNSSCertificateDB.cpp',
'third_party/mozilla_security_manager/nsNSSCertificateDB.h',
'third_party/mozilla_security_manager/nsPKCS12Blob.cpp',
'third_party/mozilla_security_manager/nsPKCS12Blob.h',
],
},
{ # else !use_openssl: remove the unneeded files
'sources!': [
'base/crypto_module_openssl.cc',
'base/keygen_handler_openssl.cc',
'base/openssl_private_key_store.h',
'base/openssl_private_key_store_android.cc',
'base/openssl_private_key_store_memory.cc',
'cert/cert_database_openssl.cc',
'cert/cert_verify_proc_openssl.cc',
'cert/cert_verify_proc_openssl.h',
'cert/test_root_certs_openssl.cc',
'cert/x509_certificate_openssl.cc',
'cert/x509_util_openssl.cc',
'cert/x509_util_openssl.h',
'quic/crypto/aes_128_gcm_decrypter_openssl.cc',
'quic/crypto/aes_128_gcm_encrypter_openssl.cc',
'quic/crypto/p256_key_exchange_openssl.cc',
'quic/crypto/scoped_evp_cipher_ctx.h',
'socket/ssl_client_socket_openssl.cc',
'socket/ssl_client_socket_openssl.h',
'socket/ssl_server_socket_openssl.cc',
'ssl/openssl_client_key_store.cc',
'ssl/openssl_client_key_store.h',
],
},
],
[ 'use_glib == 1', {
'dependencies': [
'../build/linux/system.gyp:gconf',
'../build/linux/system.gyp:gio',
],
'conditions': [
['use_openssl==1', {
'dependencies': [
'../third_party/openssl/openssl.gyp:openssl',
],
},
{ # else use_openssl==0, use NSS
'dependencies': [
'../build/linux/system.gyp:ssl',
],
}],
['os_bsd==1', {
'sources!': [
'base/network_change_notifier_linux.cc',
'base/network_change_notifier_netlink_linux.cc',
'proxy/proxy_config_service_linux.cc',
],
},{
'dependencies': [
'../build/linux/system.gyp:libresolv',
],
}],
['OS=="solaris"', {
'link_settings': {
'ldflags': [
'-R/usr/lib/mps',
],
},
}],
],
},
{ # else: OS is not in the above list
'sources!': [
'base/crypto_module_nss.cc',
'base/keygen_handler_nss.cc',
'cert/cert_database_nss.cc',
'cert/nss_cert_database.cc',
'cert/nss_cert_database.h',
'cert/test_root_certs_nss.cc',
'cert/x509_certificate_nss.cc',
'ocsp/nss_ocsp.cc',
'ocsp/nss_ocsp.h',
'third_party/mozilla_security_manager/nsKeygenHandler.cpp',
'third_party/mozilla_security_manager/nsKeygenHandler.h',
'third_party/mozilla_security_manager/nsNSSCertificateDB.cpp',
'third_party/mozilla_security_manager/nsNSSCertificateDB.h',
'third_party/mozilla_security_manager/nsPKCS12Blob.cpp',
'third_party/mozilla_security_manager/nsPKCS12Blob.h',
],
},
],
[ 'toolkit_uses_gtk == 1', {
'dependencies': [
'../build/linux/system.gyp:gdk',
],
}],
[ 'use_nss != 1', {
'sources!': [
'cert/cert_verify_proc_nss.cc',
'cert/cert_verify_proc_nss.h',
'ssl/client_cert_store_impl_nss.cc',
],
}],
[ 'enable_websockets != 1', {
'sources/': [
['exclude', '^socket_stream/'],
['exclude', '^websockets/'],
],
'sources!': [
'spdy/spdy_websocket_stream.cc',
'spdy/spdy_websocket_stream.h',
],
}],
[ 'OS == "win"', {
'sources!': [
'http/http_auth_handler_ntlm_portable.cc',
'socket/tcp_client_socket_libevent.cc',
'socket/tcp_client_socket_libevent.h',
'socket/tcp_server_socket_libevent.cc',
'socket/tcp_server_socket_libevent.h',
'ssl/client_cert_store_impl_nss.cc',
'udp/udp_socket_libevent.cc',
'udp/udp_socket_libevent.h',
],
'dependencies': [
'../third_party/nss/nss.gyp:nspr',
'../third_party/nss/nss.gyp:nss',
'third_party/nss/ssl.gyp:libssl',
'tld_cleanup',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
}, { # else: OS != "win"
'sources!': [
'base/winsock_init.cc',
'base/winsock_init.h',
'base/winsock_util.cc',
'base/winsock_util.h',
'proxy/proxy_resolver_winhttp.cc',
'proxy/proxy_resolver_winhttp.h',
],
},
],
[ 'OS == "mac"', {
'sources!': [
'ssl/client_cert_store_impl_nss.cc',
],
'dependencies': [
'../third_party/nss/nss.gyp:nspr',
'../third_party/nss/nss.gyp:nss',
'third_party/nss/ssl.gyp:libssl',
],
'link_settings': {
'libraries': [
'$(SDKROOT)/System/Library/Frameworks/Foundation.framework',
'$(SDKROOT)/System/Library/Frameworks/Security.framework',
'$(SDKROOT)/System/Library/Frameworks/SystemConfiguration.framework',
'$(SDKROOT)/usr/lib/libresolv.dylib',
]
},
},
],
[ 'OS == "ios"', {
'dependencies': [
'../third_party/nss/nss.gyp:nss',
'third_party/nss/ssl.gyp:libssl',
],
'link_settings': {
'libraries': [
'$(SDKROOT)/System/Library/Frameworks/CFNetwork.framework',
'$(SDKROOT)/System/Library/Frameworks/MobileCoreServices.framework',
'$(SDKROOT)/System/Library/Frameworks/Security.framework',
'$(SDKROOT)/System/Library/Frameworks/SystemConfiguration.framework',
'$(SDKROOT)/usr/lib/libresolv.dylib',
],
},
},
],
['OS=="android" and _toolset=="target" and android_webview_build == 0', {
'dependencies': [
'net_java',
],
}],
[ 'OS == "android"', {
'dependencies': [
'../third_party/openssl/openssl.gyp:openssl',
'net_jni_headers',
],
'sources!': [
'base/openssl_private_key_store_memory.cc',
'cert/cert_database_openssl.cc',
'cert/cert_verify_proc_openssl.cc',
'cert/test_root_certs_openssl.cc',
],
# The net/android/keystore_openssl.cc source file needs to
# access an OpenSSL-internal header.
'include_dirs': [
'../third_party/openssl',
],
}, { # else OS != "android"
'defines': [
# These are the features Android doesn't support.
'ENABLE_MEDIA_CODEC_THEORA',
],
},
],
[ 'OS == "linux"', {
'dependencies': [
'../build/linux/system.gyp:dbus',
'../dbus/dbus.gyp:dbus',
],
},
],
],
'target_conditions': [
# These source files are excluded by default platform rules, but they
# are needed in specific cases on other platforms. Re-including them can
# only be done in target_conditions as it is evaluated after the
# platform rules.
['OS == "android"', {
'sources/': [
['include', '^base/platform_mime_util_linux\\.cc$'],
],
}],
['OS == "ios"', {
'sources/': [
['include', '^base/network_change_notifier_mac\\.cc$'],
['include', '^base/network_config_watcher_mac\\.cc$'],
['include', '^base/platform_mime_util_mac\\.mm$'],
# The iOS implementation only partially uses NSS and thus does not
# defines |use_nss|. In particular the |USE_NSS| preprocessor
# definition is not used. The following files are needed though:
['include', '^cert/cert_verify_proc_nss\\.cc$'],
['include', '^cert/cert_verify_proc_nss\\.h$'],
['include', '^cert/test_root_certs_nss\\.cc$'],
['include', '^cert/x509_util_nss\\.cc$'],
['include', '^cert/x509_util_nss\\.h$'],
['include', '^dns/notify_watcher_mac\\.cc$'],
['include', '^proxy/proxy_resolver_mac\\.cc$'],
['include', '^proxy/proxy_server_mac\\.cc$'],
['include', '^ocsp/nss_ocsp\\.cc$'],
['include', '^ocsp/nss_ocsp\\.h$'],
],
}],
],
},
{
'target_name': 'net_unittests',
'type': '<(gtest_target_type)',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_i18n',
'../base/third_party/dynamic_annotations/dynamic_annotations.gyp:dynamic_annotations',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../crypto/crypto.gyp:crypto',
'../testing/gmock.gyp:gmock',
'../testing/gtest.gyp:gtest',
'../third_party/zlib/zlib.gyp:zlib',
'net',
'net_test_support',
],
'sources': [
'android/keystore_unittest.cc',
'android/network_change_notifier_android_unittest.cc',
'base/address_list_unittest.cc',
'base/address_tracker_linux_unittest.cc',
'base/backoff_entry_unittest.cc',
'base/big_endian_unittest.cc',
'base/data_url_unittest.cc',
'base/directory_lister_unittest.cc',
'base/dns_util_unittest.cc',
'base/escape_unittest.cc',
'base/expiring_cache_unittest.cc',
'base/file_stream_unittest.cc',
'base/filter_unittest.cc',
'base/int128_unittest.cc',
'base/gzip_filter_unittest.cc',
'base/host_mapping_rules_unittest.cc',
'base/host_port_pair_unittest.cc',
'base/ip_endpoint_unittest.cc',
'base/keygen_handler_unittest.cc',
'base/mime_sniffer_unittest.cc',
'base/mime_util_unittest.cc',
'base/mock_filter_context.cc',
'base/mock_filter_context.h',
'base/net_log_unittest.cc',
'base/net_log_unittest.h',
'base/net_util_unittest.cc',
'base/network_change_notifier_win_unittest.cc',
'base/prioritized_dispatcher_unittest.cc',
'base/priority_queue_unittest.cc',
'base/registry_controlled_domains/registry_controlled_domain_unittest.cc',
'base/sdch_filter_unittest.cc',
'base/static_cookie_policy_unittest.cc',
'base/test_completion_callback_unittest.cc',
'base/upload_bytes_element_reader_unittest.cc',
'base/upload_data_stream_unittest.cc',
'base/upload_file_element_reader_unittest.cc',
'base/url_util_unittest.cc',
'cert/cert_verify_proc_unittest.cc',
'cert/crl_set_unittest.cc',
'cert/ev_root_ca_metadata_unittest.cc',
'cert/multi_threaded_cert_verifier_unittest.cc',
'cert/nss_cert_database_unittest.cc',
'cert/pem_tokenizer_unittest.cc',
'cert/x509_certificate_unittest.cc',
'cert/x509_cert_types_unittest.cc',
'cert/x509_util_unittest.cc',
'cert/x509_util_nss_unittest.cc',
'cert/x509_util_openssl_unittest.cc',
'cookies/canonical_cookie_unittest.cc',
'cookies/cookie_monster_unittest.cc',
'cookies/cookie_store_unittest.h',
'cookies/cookie_util_unittest.cc',
'cookies/parsed_cookie_unittest.cc',
'disk_cache/addr_unittest.cc',
'disk_cache/backend_unittest.cc',
'disk_cache/bitmap_unittest.cc',
'disk_cache/block_files_unittest.cc',
'disk_cache/cache_util_unittest.cc',
'disk_cache/entry_unittest.cc',
'disk_cache/mapped_file_unittest.cc',
'disk_cache/storage_block_unittest.cc',
'disk_cache/flash/flash_entry_unittest.cc',
'disk_cache/flash/log_store_entry_unittest.cc',
'disk_cache/flash/log_store_unittest.cc',
'disk_cache/flash/segment_unittest.cc',
'disk_cache/flash/storage_unittest.cc',
'dns/address_sorter_posix_unittest.cc',
'dns/address_sorter_unittest.cc',
'dns/dns_config_service_posix_unittest.cc',
'dns/dns_config_service_unittest.cc',
'dns/dns_config_service_win_unittest.cc',
'dns/dns_hosts_unittest.cc',
'dns/dns_query_unittest.cc',
'dns/dns_response_unittest.cc',
'dns/dns_session_unittest.cc',
'dns/dns_transaction_unittest.cc',
'dns/host_cache_unittest.cc',
'dns/host_resolver_impl_unittest.cc',
'dns/mapped_host_resolver_unittest.cc',
'dns/serial_worker_unittest.cc',
'dns/single_request_host_resolver_unittest.cc',
'ftp/ftp_auth_cache_unittest.cc',
'ftp/ftp_ctrl_response_buffer_unittest.cc',
'ftp/ftp_directory_listing_parser_ls_unittest.cc',
'ftp/ftp_directory_listing_parser_netware_unittest.cc',
'ftp/ftp_directory_listing_parser_os2_unittest.cc',
'ftp/ftp_directory_listing_parser_unittest.cc',
'ftp/ftp_directory_listing_parser_unittest.h',
'ftp/ftp_directory_listing_parser_vms_unittest.cc',
'ftp/ftp_directory_listing_parser_windows_unittest.cc',
'ftp/ftp_network_transaction_unittest.cc',
'ftp/ftp_util_unittest.cc',
'http/des_unittest.cc',
'http/http_auth_cache_unittest.cc',
'http/http_auth_controller_unittest.cc',
'http/http_auth_filter_unittest.cc',
'http/http_auth_gssapi_posix_unittest.cc',
'http/http_auth_handler_basic_unittest.cc',
'http/http_auth_handler_digest_unittest.cc',
'http/http_auth_handler_factory_unittest.cc',
'http/http_auth_handler_mock.cc',
'http/http_auth_handler_mock.h',
'http/http_auth_handler_negotiate_unittest.cc',
'http/http_auth_handler_unittest.cc',
'http/http_auth_sspi_win_unittest.cc',
'http/http_auth_unittest.cc',
'http/http_byte_range_unittest.cc',
'http/http_cache_unittest.cc',
'http/http_chunked_decoder_unittest.cc',
'http/http_content_disposition_unittest.cc',
'http/http_network_layer_unittest.cc',
'http/http_network_transaction_spdy3_unittest.cc',
'http/http_network_transaction_spdy2_unittest.cc',
'http/http_pipelined_connection_impl_unittest.cc',
'http/http_pipelined_host_forced_unittest.cc',
'http/http_pipelined_host_impl_unittest.cc',
'http/http_pipelined_host_pool_unittest.cc',
'http/http_pipelined_host_test_util.cc',
'http/http_pipelined_host_test_util.h',
'http/http_pipelined_network_transaction_unittest.cc',
'http/http_proxy_client_socket_pool_spdy2_unittest.cc',
'http/http_proxy_client_socket_pool_spdy3_unittest.cc',
'http/http_request_headers_unittest.cc',
'http/http_response_body_drainer_unittest.cc',
'http/http_response_headers_unittest.cc',
'http/http_security_headers_unittest.cc',
'http/http_server_properties_impl_unittest.cc',
'http/http_stream_factory_impl_unittest.cc',
'http/http_stream_parser_unittest.cc',
'http/http_transaction_unittest.cc',
'http/http_transaction_unittest.h',
'http/http_util_unittest.cc',
'http/http_vary_data_unittest.cc',
'http/mock_allow_url_security_manager.cc',
'http/mock_allow_url_security_manager.h',
'http/mock_gssapi_library_posix.cc',
'http/mock_gssapi_library_posix.h',
'http/mock_http_cache.cc',
'http/mock_http_cache.h',
'http/mock_sspi_library_win.cc',
'http/mock_sspi_library_win.h',
'http/transport_security_state_unittest.cc',
'http/url_security_manager_unittest.cc',
'proxy/dhcp_proxy_script_adapter_fetcher_win_unittest.cc',
'proxy/dhcp_proxy_script_fetcher_factory_unittest.cc',
'proxy/dhcp_proxy_script_fetcher_win_unittest.cc',
'proxy/multi_threaded_proxy_resolver_unittest.cc',
'proxy/network_delegate_error_observer_unittest.cc',
'proxy/proxy_bypass_rules_unittest.cc',
'proxy/proxy_config_service_android_unittest.cc',
'proxy/proxy_config_service_linux_unittest.cc',
'proxy/proxy_config_service_win_unittest.cc',
'proxy/proxy_config_unittest.cc',
'proxy/proxy_info_unittest.cc',
'proxy/proxy_list_unittest.cc',
'proxy/proxy_resolver_v8_tracing_unittest.cc',
'proxy/proxy_resolver_v8_unittest.cc',
'proxy/proxy_script_decider_unittest.cc',
'proxy/proxy_script_fetcher_impl_unittest.cc',
'proxy/proxy_server_unittest.cc',
'proxy/proxy_service_unittest.cc',
'quic/blocked_list_test.cc',
'quic/congestion_control/available_channel_estimator_test.cc',
'quic/congestion_control/channel_estimator_test.cc',
'quic/congestion_control/cube_root_test.cc',
'quic/congestion_control/cubic_test.cc',
'quic/congestion_control/fix_rate_test.cc',
'quic/congestion_control/hybrid_slow_start_test.cc',
'quic/congestion_control/inter_arrival_bitrate_ramp_up_test.cc',
'quic/congestion_control/inter_arrival_overuse_detector_test.cc',
'quic/congestion_control/inter_arrival_probe_test.cc',
'quic/congestion_control/inter_arrival_receiver_test.cc',
'quic/congestion_control/inter_arrival_state_machine_test.cc',
'quic/congestion_control/inter_arrival_sender_test.cc',
'quic/congestion_control/leaky_bucket_test.cc',
'quic/congestion_control/paced_sender_test.cc',
'quic/congestion_control/quic_congestion_control_test.cc',
'quic/congestion_control/quic_congestion_manager_test.cc',
'quic/congestion_control/quic_max_sized_map_test.cc',
'quic/congestion_control/tcp_cubic_sender_test.cc',
'quic/congestion_control/tcp_receiver_test.cc',
'quic/crypto/aes_128_gcm_decrypter_test.cc',
'quic/crypto/aes_128_gcm_encrypter_test.cc',
'quic/crypto/crypto_framer_test.cc',
'quic/crypto/crypto_handshake_test.cc',
'quic/crypto/curve25519_key_exchange_test.cc',
'quic/crypto/null_decrypter_test.cc',
'quic/crypto/null_encrypter_test.cc',
'quic/crypto/p256_key_exchange_test.cc',
'quic/crypto/quic_random_test.cc',
'quic/crypto/strike_register_test.cc',
'quic/test_tools/crypto_test_utils.cc',
'quic/test_tools/crypto_test_utils.h',
'quic/test_tools/mock_clock.cc',
'quic/test_tools/mock_clock.h',
'quic/test_tools/mock_crypto_client_stream.cc',
'quic/test_tools/mock_crypto_client_stream.h',
'quic/test_tools/mock_crypto_client_stream_factory.cc',
'quic/test_tools/mock_crypto_client_stream_factory.h',
'quic/test_tools/mock_random.cc',
'quic/test_tools/mock_random.h',
'quic/test_tools/quic_connection_peer.cc',
'quic/test_tools/quic_connection_peer.h',
'quic/test_tools/quic_framer_peer.cc',
'quic/test_tools/quic_framer_peer.h',
'quic/test_tools/quic_packet_creator_peer.cc',
'quic/test_tools/quic_packet_creator_peer.h',
'quic/test_tools/quic_session_peer.cc',
'quic/test_tools/quic_session_peer.h',
'quic/test_tools/quic_test_utils.cc',
'quic/test_tools/quic_test_utils.h',
'quic/test_tools/reliable_quic_stream_peer.cc',
'quic/test_tools/reliable_quic_stream_peer.h',
'quic/test_tools/simple_quic_framer.cc',
'quic/test_tools/simple_quic_framer.h',
'quic/test_tools/test_task_runner.cc',
'quic/test_tools/test_task_runner.h',
'quic/quic_bandwidth_test.cc',
'quic/quic_client_session_test.cc',
'quic/quic_clock_test.cc',
'quic/quic_connection_helper_test.cc',
'quic/quic_connection_test.cc',
'quic/quic_crypto_client_stream_test.cc',
'quic/quic_crypto_server_stream_test.cc',
'quic/quic_crypto_stream_test.cc',
'quic/quic_data_writer_test.cc',
'quic/quic_fec_group_test.cc',
'quic/quic_framer_test.cc',
'quic/quic_http_stream_test.cc',
'quic/quic_network_transaction_unittest.cc',
'quic/quic_packet_creator_test.cc',
'quic/quic_packet_entropy_manager_test.cc',
'quic/quic_packet_generator_test.cc',
'quic/quic_protocol_test.cc',
'quic/quic_reliable_client_stream_test.cc',
'quic/quic_session_test.cc',
'quic/quic_stream_factory_test.cc',
'quic/quic_stream_sequencer_test.cc',
'quic/quic_time_test.cc',
'quic/quic_utils_test.cc',
'quic/reliable_quic_stream_test.cc',
'socket/buffered_write_stream_socket_unittest.cc',
'socket/client_socket_pool_base_unittest.cc',
'socket/deterministic_socket_data_unittest.cc',
'socket/mock_client_socket_pool_manager.cc',
'socket/mock_client_socket_pool_manager.h',
'socket/socks5_client_socket_unittest.cc',
'socket/socks_client_socket_pool_unittest.cc',
'socket/socks_client_socket_unittest.cc',
'socket/ssl_client_socket_openssl_unittest.cc',
'socket/ssl_client_socket_pool_unittest.cc',
'socket/ssl_client_socket_unittest.cc',
'socket/ssl_server_socket_unittest.cc',
'socket/tcp_client_socket_unittest.cc',
'socket/tcp_listen_socket_unittest.cc',
'socket/tcp_listen_socket_unittest.h',
'socket/tcp_server_socket_unittest.cc',
'socket/transport_client_socket_pool_unittest.cc',
'socket/transport_client_socket_unittest.cc',
'socket/unix_domain_socket_posix_unittest.cc',
'socket_stream/socket_stream_metrics_unittest.cc',
'socket_stream/socket_stream_unittest.cc',
'spdy/buffered_spdy_framer_spdy3_unittest.cc',
'spdy/buffered_spdy_framer_spdy2_unittest.cc',
'spdy/spdy_credential_builder_unittest.cc',
'spdy/spdy_credential_state_unittest.cc',
'spdy/spdy_frame_builder_test.cc',
'spdy/spdy_frame_reader_test.cc',
'spdy/spdy_framer_test.cc',
'spdy/spdy_header_block_unittest.cc',
'spdy/spdy_http_stream_spdy3_unittest.cc',
'spdy/spdy_http_stream_spdy2_unittest.cc',
'spdy/spdy_http_utils_unittest.cc',
'spdy/spdy_network_transaction_spdy3_unittest.cc',
'spdy/spdy_network_transaction_spdy2_unittest.cc',
'spdy/spdy_priority_forest_test.cc',
'spdy/spdy_protocol_test.cc',
'spdy/spdy_proxy_client_socket_spdy3_unittest.cc',
'spdy/spdy_proxy_client_socket_spdy2_unittest.cc',
'spdy/spdy_session_spdy3_unittest.cc',
'spdy/spdy_session_spdy2_unittest.cc',
'spdy/spdy_stream_spdy3_unittest.cc',
'spdy/spdy_stream_spdy2_unittest.cc',
'spdy/spdy_stream_test_util.cc',
'spdy/spdy_stream_test_util.h',
'spdy/spdy_test_util_common.cc',
'spdy/spdy_test_util_common.h',
'spdy/spdy_test_util_spdy3.cc',
'spdy/spdy_test_util_spdy3.h',
'spdy/spdy_test_util_spdy2.cc',
'spdy/spdy_test_util_spdy2.h',
'spdy/spdy_test_utils.cc',
'spdy/spdy_test_utils.h',
'spdy/spdy_websocket_stream_spdy2_unittest.cc',
'spdy/spdy_websocket_stream_spdy3_unittest.cc',
'spdy/spdy_websocket_test_util_spdy2.cc',
'spdy/spdy_websocket_test_util_spdy2.h',
'spdy/spdy_websocket_test_util_spdy3.cc',
'spdy/spdy_websocket_test_util_spdy3.h',
'ssl/client_cert_store_impl_unittest.cc',
'ssl/default_server_bound_cert_store_unittest.cc',
'ssl/openssl_client_key_store_unittest.cc',
'ssl/server_bound_cert_service_unittest.cc',
'ssl/ssl_cipher_suite_names_unittest.cc',
'ssl/ssl_client_auth_cache_unittest.cc',
'ssl/ssl_config_service_unittest.cc',
'test/python_utils_unittest.cc',
'test/run_all_unittests.cc',
'test/test_certificate_data.h',
'tools/dump_cache/url_to_filename_encoder.cc',
'tools/dump_cache/url_to_filename_encoder.h',
'tools/dump_cache/url_to_filename_encoder_unittest.cc',
'tools/dump_cache/url_utilities.h',
'tools/dump_cache/url_utilities.cc',
'tools/dump_cache/url_utilities_unittest.cc',
'udp/udp_socket_unittest.cc',
'url_request/url_fetcher_impl_unittest.cc',
'url_request/url_request_context_builder_unittest.cc',
'url_request/url_request_filter_unittest.cc',
'url_request/url_request_ftp_job_unittest.cc',
'url_request/url_request_http_job_unittest.cc',
'url_request/url_request_job_factory_impl_unittest.cc',
'url_request/url_request_job_unittest.cc',
'url_request/url_request_throttler_simulation_unittest.cc',
'url_request/url_request_throttler_test_support.cc',
'url_request/url_request_throttler_test_support.h',
'url_request/url_request_throttler_unittest.cc',
'url_request/url_request_unittest.cc',
'url_request/view_cache_helper_unittest.cc',
'websockets/websocket_errors_unittest.cc',
'websockets/websocket_frame_parser_unittest.cc',
'websockets/websocket_frame_unittest.cc',
'websockets/websocket_handshake_handler_unittest.cc',
'websockets/websocket_handshake_handler_spdy2_unittest.cc',
'websockets/websocket_handshake_handler_spdy3_unittest.cc',
'websockets/websocket_job_spdy2_unittest.cc',
'websockets/websocket_job_spdy3_unittest.cc',
'websockets/websocket_net_log_params_unittest.cc',
'websockets/websocket_throttle_unittest.cc',
],
'conditions': [
['chromeos==1', {
'sources!': [
'base/network_change_notifier_linux_unittest.cc',
'proxy/proxy_config_service_linux_unittest.cc',
],
}],
[ 'OS == "android"', {
'sources!': [
# No res_ninit() et al on Android, so this doesn't make a lot of
# sense.
'dns/dns_config_service_posix_unittest.cc',
'ssl/client_cert_store_impl_unittest.cc',
],
'dependencies': [
'net_javatests',
'net_test_jni_headers',
],
}],
[ 'use_glib == 1', {
'dependencies': [
'../build/linux/system.gyp:ssl',
],
}, { # else use_glib == 0: !posix || mac
'sources!': [
'cert/nss_cert_database_unittest.cc',
],
},
],
[ 'toolkit_uses_gtk == 1', {
'dependencies': [
'../build/linux/system.gyp:gtk',
],
},
],
[ 'os_posix == 1 and OS != "mac" and OS != "android" and OS != "ios"', {
'conditions': [
['linux_use_tcmalloc==1', {
'dependencies': [
'../base/allocator/allocator.gyp:allocator',
],
}],
],
}],
[ 'use_kerberos==1', {
'defines': [
'USE_KERBEROS',
],
}, { # use_kerberos == 0
'sources!': [
'http/http_auth_gssapi_posix_unittest.cc',
'http/http_auth_handler_negotiate_unittest.cc',
'http/mock_gssapi_library_posix.cc',
'http/mock_gssapi_library_posix.h',
],
}],
[ 'use_openssl==1', {
# When building for OpenSSL, we need to exclude NSS specific tests.
# TODO(bulach): Add equivalent tests when the underlying
# functionality is ported to OpenSSL.
'sources!': [
'cert/nss_cert_database_unittest.cc',
'cert/x509_util_nss_unittest.cc',
'ssl/client_cert_store_impl_unittest.cc',
],
}, { # else !use_openssl: remove the unneeded files
'sources!': [
'cert/x509_util_openssl_unittest.cc',
'socket/ssl_client_socket_openssl_unittest.cc',
'ssl/openssl_client_key_store_unittest.cc',
],
},
],
[ 'enable_websockets != 1', {
'sources/': [
['exclude', '^socket_stream/'],
['exclude', '^websockets/'],
['exclude', '^spdy/spdy_websocket_stream_spdy._unittest\\.cc$'],
],
}],
[ 'disable_ftp_support==1', {
'sources/': [
['exclude', '^ftp/'],
],
'sources!': [
'url_request/url_request_ftp_job_unittest.cc',
],
},
],
[ 'enable_built_in_dns!=1', {
'sources!': [
'dns/address_sorter_posix_unittest.cc',
'dns/address_sorter_unittest.cc',
],
},
],
[ 'use_v8_in_net==1', {
'dependencies': [
'net_with_v8',
],
}, { # else: !use_v8_in_net
'sources!': [
'proxy/proxy_resolver_v8_unittest.cc',
'proxy/proxy_resolver_v8_tracing_unittest.cc',
],
},
],
[ 'OS == "win"', {
'sources!': [
'dns/dns_config_service_posix_unittest.cc',
'http/http_auth_gssapi_posix_unittest.cc',
],
# This is needed to trigger the dll copy step on windows.
# TODO(mark): Specifying this here shouldn't be necessary.
'dependencies': [
'../third_party/icu/icu.gyp:icudata',
'../third_party/nss/nss.gyp:nspr',
'../third_party/nss/nss.gyp:nss',
'third_party/nss/ssl.gyp:libssl',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
],
[ 'OS == "mac"', {
'dependencies': [
'../third_party/nss/nss.gyp:nspr',
'../third_party/nss/nss.gyp:nss',
'third_party/nss/ssl.gyp:libssl',
],
},
],
[ 'OS == "ios"', {
'dependencies': [
'../third_party/nss/nss.gyp:nss',
],
'actions': [
{
'action_name': 'copy_test_data',
'variables': {
'test_data_files': [
'data/ssl/certificates/',
'data/url_request_unittest/',
],
'test_data_prefix': 'net',
},
'includes': [ '../build/copy_test_data_ios.gypi' ],
},
],
'sources!': [
# TODO(droger): The following tests are disabled because the
# implementation is missing or incomplete.
# KeygenHandler::GenKeyAndSignChallenge() is not ported to iOS.
'base/keygen_handler_unittest.cc',
# Need to read input data files.
'base/gzip_filter_unittest.cc',
'disk_cache/backend_unittest.cc',
'disk_cache/block_files_unittest.cc',
'socket/ssl_server_socket_unittest.cc',
# Need TestServer.
'proxy/proxy_script_fetcher_impl_unittest.cc',
'socket/ssl_client_socket_unittest.cc',
'ssl/client_cert_store_impl_unittest.cc',
'url_request/url_fetcher_impl_unittest.cc',
'url_request/url_request_context_builder_unittest.cc',
# Needs GetAppOutput().
'test/python_utils_unittest.cc',
# The following tests are disabled because they don't apply to
# iOS.
# OS is not "linux" or "freebsd" or "openbsd".
'socket/unix_domain_socket_posix_unittest.cc',
],
'conditions': [
['coverage != 0', {
'sources!': [
# These sources can't be built with coverage due to a
# toolchain bug: http://openradar.appspot.com/radar?id=1499403
'http/transport_security_state_unittest.cc',
# These tests crash when run with coverage turned on due to an
# issue with llvm_gcda_increment_indirect_counter:
# http://crbug.com/156058
'cookies/cookie_monster_unittest.cc',
'cookies/cookie_store_unittest.h',
'http/http_auth_controller_unittest.cc',
'http/http_network_layer_unittest.cc',
'http/http_network_transaction_spdy2_unittest.cc',
'http/http_network_transaction_spdy3_unittest.cc',
'spdy/spdy_http_stream_spdy2_unittest.cc',
'spdy/spdy_http_stream_spdy3_unittest.cc',
'spdy/spdy_proxy_client_socket_spdy3_unittest.cc',
'spdy/spdy_session_spdy3_unittest.cc',
# These tests crash when run with coverage turned on:
# http://crbug.com/177203
'proxy/proxy_service_unittest.cc',
],
}],
],
}],
[ 'OS == "linux"', {
'dependencies': [
'../build/linux/system.gyp:dbus',
'../dbus/dbus.gyp:dbus_test_support',
],
},
],
[ 'OS == "android"', {
'dependencies': [
'../third_party/openssl/openssl.gyp:openssl',
],
'sources!': [
'dns/dns_config_service_posix_unittest.cc',
],
},
],
['OS == "android" and gtest_target_type == "shared_library"', {
'dependencies': [
'../testing/android/native_test.gyp:native_test_native_code',
]
}],
[ 'OS != "win" and OS != "mac"', {
'sources!': [
'cert/x509_cert_types_unittest.cc',
],
}],
],
},
{
'target_name': 'net_perftests',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_i18n',
'../base/base.gyp:test_support_perf',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../testing/gtest.gyp:gtest',
'net',
'net_test_support',
],
'sources': [
'cookies/cookie_monster_perftest.cc',
'disk_cache/disk_cache_perftest.cc',
'proxy/proxy_resolver_perftest.cc',
],
'conditions': [
[ 'use_v8_in_net==1', {
'dependencies': [
'net_with_v8',
],
}, { # else: !use_v8_in_net
'sources!': [
'proxy/proxy_resolver_perftest.cc',
],
},
],
# This is needed to trigger the dll copy step on windows.
# TODO(mark): Specifying this here shouldn't be necessary.
[ 'OS == "win"', {
'dependencies': [
'../third_party/icu/icu.gyp:icudata',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
],
],
},
{
'target_name': 'net_test_support',
'type': 'static_library',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:test_support_base',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../testing/gtest.gyp:gtest',
'net',
],
'export_dependent_settings': [
'../base/base.gyp:base',
'../base/base.gyp:test_support_base',
'../testing/gtest.gyp:gtest',
],
'sources': [
'base/capturing_net_log.cc',
'base/capturing_net_log.h',
'base/load_timing_info_test_util.cc',
'base/load_timing_info_test_util.h',
'base/mock_file_stream.cc',
'base/mock_file_stream.h',
'base/test_completion_callback.cc',
'base/test_completion_callback.h',
'base/test_data_directory.cc',
'base/test_data_directory.h',
'cert/mock_cert_verifier.cc',
'cert/mock_cert_verifier.h',
'cookies/cookie_monster_store_test.cc',
'cookies/cookie_monster_store_test.h',
'cookies/cookie_store_test_callbacks.cc',
'cookies/cookie_store_test_callbacks.h',
'cookies/cookie_store_test_helpers.cc',
'cookies/cookie_store_test_helpers.h',
'disk_cache/disk_cache_test_base.cc',
'disk_cache/disk_cache_test_base.h',
'disk_cache/disk_cache_test_util.cc',
'disk_cache/disk_cache_test_util.h',
'disk_cache/flash/flash_cache_test_base.h',
'disk_cache/flash/flash_cache_test_base.cc',
'dns/dns_test_util.cc',
'dns/dns_test_util.h',
'dns/mock_host_resolver.cc',
'dns/mock_host_resolver.h',
'proxy/mock_proxy_resolver.cc',
'proxy/mock_proxy_resolver.h',
'proxy/mock_proxy_script_fetcher.cc',
'proxy/mock_proxy_script_fetcher.h',
'proxy/proxy_config_service_common_unittest.cc',
'proxy/proxy_config_service_common_unittest.h',
'socket/socket_test_util.cc',
'socket/socket_test_util.h',
'test/base_test_server.cc',
'test/base_test_server.h',
'test/cert_test_util.cc',
'test/cert_test_util.h',
'test/local_test_server_posix.cc',
'test/local_test_server_win.cc',
'test/local_test_server.cc',
'test/local_test_server.h',
'test/net_test_suite.cc',
'test/net_test_suite.h',
'test/python_utils.cc',
'test/python_utils.h',
'test/remote_test_server.cc',
'test/remote_test_server.h',
'test/spawner_communicator.cc',
'test/spawner_communicator.h',
'test/test_server.h',
'url_request/test_url_fetcher_factory.cc',
'url_request/test_url_fetcher_factory.h',
'url_request/url_request_test_util.cc',
'url_request/url_request_test_util.h',
],
'conditions': [
['inside_chromium_build==1 and OS != "ios"', {
'dependencies': [
'../third_party/protobuf/protobuf.gyp:py_proto',
],
}],
['os_posix == 1 and OS != "mac" and OS != "android" and OS != "ios"', {
'conditions': [
['use_openssl==1', {
'dependencies': [
'../third_party/openssl/openssl.gyp:openssl',
],
}, {
'dependencies': [
'../build/linux/system.gyp:ssl',
],
}],
],
}],
['os_posix == 1 and OS != "mac" and OS != "android" and OS != "ios"', {
'conditions': [
['linux_use_tcmalloc==1', {
'dependencies': [
'../base/allocator/allocator.gyp:allocator',
],
}],
],
}],
['OS != "android"', {
'sources!': [
'test/remote_test_server.cc',
'test/remote_test_server.h',
'test/spawner_communicator.cc',
'test/spawner_communicator.h',
],
}],
['OS == "ios"', {
'dependencies': [
'../third_party/nss/nss.gyp:nss',
],
}],
[ 'use_v8_in_net==1', {
'dependencies': [
'net_with_v8',
],
},
],
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'net_resources',
'type': 'none',
'variables': {
'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/net',
},
'actions': [
{
'action_name': 'net_resources',
'variables': {
'grit_grd_file': 'base/net_resources.grd',
},
'includes': [ '../build/grit_action.gypi' ],
},
],
'includes': [ '../build/grit_target.gypi' ],
},
{
'target_name': 'http_server',
'type': 'static_library',
'variables': { 'enable_wexit_time_destructors': 1, },
'dependencies': [
'../base/base.gyp:base',
'net',
],
'sources': [
'server/http_connection.cc',
'server/http_connection.h',
'server/http_server.cc',
'server/http_server.h',
'server/http_server_request_info.cc',
'server/http_server_request_info.h',
'server/web_socket.cc',
'server/web_socket.h',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'dump_cache',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
'net_test_support',
],
'sources': [
'tools/dump_cache/cache_dumper.cc',
'tools/dump_cache/cache_dumper.h',
'tools/dump_cache/dump_cache.cc',
'tools/dump_cache/dump_files.cc',
'tools/dump_cache/dump_files.h',
'tools/dump_cache/simple_cache_dumper.cc',
'tools/dump_cache/simple_cache_dumper.h',
'tools/dump_cache/upgrade_win.cc',
'tools/dump_cache/upgrade_win.h',
'tools/dump_cache/url_to_filename_encoder.cc',
'tools/dump_cache/url_to_filename_encoder.h',
'tools/dump_cache/url_utilities.h',
'tools/dump_cache/url_utilities.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
],
'conditions': [
['use_v8_in_net == 1', {
'targets': [
{
'target_name': 'net_with_v8',
'type': '<(component)',
'variables': { 'enable_wexit_time_destructors': 1, },
'dependencies': [
'../base/base.gyp:base',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../v8/tools/gyp/v8.gyp:v8',
'net'
],
'defines': [
'NET_IMPLEMENTATION',
],
'sources': [
'proxy/proxy_resolver_v8.cc',
'proxy/proxy_resolver_v8.h',
'proxy/proxy_resolver_v8_tracing.cc',
'proxy/proxy_resolver_v8_tracing.h',
'proxy/proxy_service_v8.cc',
'proxy/proxy_service_v8.h',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
],
}],
['OS != "ios"', {
'targets': [
# iOS doesn't have the concept of simple executables, these targets
# can't be compiled on the platform.
{
'target_name': 'crash_cache',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
'net_test_support',
],
'sources': [
'tools/crash_cache/crash_cache.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'crl_set_dump',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
],
'sources': [
'tools/crl_set_dump/crl_set_dump.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'dns_fuzz_stub',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
],
'sources': [
'tools/dns_fuzz_stub/dns_fuzz_stub.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'fetch_client',
'type': 'executable',
'variables': { 'enable_wexit_time_destructors': 1, },
'dependencies': [
'../base/base.gyp:base',
'../base/third_party/dynamic_annotations/dynamic_annotations.gyp:dynamic_annotations',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../testing/gtest.gyp:gtest',
'net',
'net_with_v8',
],
'sources': [
'tools/fetch/fetch_client.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'fetch_server',
'type': 'executable',
'variables': { 'enable_wexit_time_destructors': 1, },
'dependencies': [
'../base/base.gyp:base',
'../build/temp_gyp/googleurl.gyp:googleurl',
'net',
],
'sources': [
'tools/fetch/fetch_server.cc',
'tools/fetch/http_listen_socket.cc',
'tools/fetch/http_listen_socket.h',
'tools/fetch/http_server.cc',
'tools/fetch/http_server.h',
'tools/fetch/http_server_request_info.cc',
'tools/fetch/http_server_request_info.h',
'tools/fetch/http_server_response_info.cc',
'tools/fetch/http_server_response_info.h',
'tools/fetch/http_session.cc',
'tools/fetch/http_session.h',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'gdig',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
],
'sources': [
'tools/gdig/file_net_log.cc',
'tools/gdig/gdig.cc',
],
},
{
'target_name': 'get_server_time',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_i18n',
'../build/temp_gyp/googleurl.gyp:googleurl',
'net',
],
'sources': [
'tools/get_server_time/get_server_time.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'net_watcher',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
'net_with_v8',
],
'conditions': [
[ 'use_glib == 1', {
'dependencies': [
'../build/linux/system.gyp:gconf',
'../build/linux/system.gyp:gio',
],
},
],
],
'sources': [
'tools/net_watcher/net_watcher.cc',
],
},
{
'target_name': 'run_testserver',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:test_support_base',
'../testing/gtest.gyp:gtest',
'net_test_support',
],
'sources': [
'tools/testserver/run_testserver.cc',
],
},
{
'target_name': 'stress_cache',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'net',
'net_test_support',
],
'sources': [
'disk_cache/stress_cache.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
{
'target_name': 'tld_cleanup',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_i18n',
'../build/temp_gyp/googleurl.gyp:googleurl',
],
'sources': [
'tools/tld_cleanup/tld_cleanup.cc',
],
# TODO(jschuh): crbug.com/167187 fix size_t to int truncations.
'msvs_disabled_warnings': [4267, ],
},
],
}],
['os_posix == 1 and OS != "mac" and OS != "ios" and OS != "android"', {
'targets': [
{
'target_name': 'flip_balsa_and_epoll_library',
'type': 'static_library',
'dependencies': [
'../base/base.gyp:base',
'net',
],
'sources': [
'tools/flip_server/balsa_enums.h',
'tools/flip_server/balsa_frame.cc',
'tools/flip_server/balsa_frame.h',
'tools/flip_server/balsa_headers.cc',
'tools/flip_server/balsa_headers.h',
'tools/flip_server/balsa_headers_token_utils.cc',
'tools/flip_server/balsa_headers_token_utils.h',
'tools/flip_server/balsa_visitor_interface.h',
'tools/flip_server/constants.h',
'tools/flip_server/epoll_server.cc',
'tools/flip_server/epoll_server.h',
'tools/flip_server/http_message_constants.cc',
'tools/flip_server/http_message_constants.h',
'tools/flip_server/split.h',
'tools/flip_server/split.cc',
],
},
{
'target_name': 'flip_in_mem_edsm_server',
'type': 'executable',
'cflags': [
'-Wno-deprecated',
],
'dependencies': [
'../base/base.gyp:base',
'../third_party/openssl/openssl.gyp:openssl',
'flip_balsa_and_epoll_library',
'net',
],
'sources': [
'tools/dump_cache/url_to_filename_encoder.cc',
'tools/dump_cache/url_to_filename_encoder.h',
'tools/dump_cache/url_utilities.h',
'tools/dump_cache/url_utilities.cc',
'tools/flip_server/acceptor_thread.h',
'tools/flip_server/acceptor_thread.cc',
'tools/flip_server/buffer_interface.h',
'tools/flip_server/create_listener.cc',
'tools/flip_server/create_listener.h',
'tools/flip_server/flip_config.cc',
'tools/flip_server/flip_config.h',
'tools/flip_server/flip_in_mem_edsm_server.cc',
'tools/flip_server/http_interface.cc',
'tools/flip_server/http_interface.h',
'tools/flip_server/loadtime_measurement.h',
'tools/flip_server/mem_cache.h',
'tools/flip_server/mem_cache.cc',
'tools/flip_server/output_ordering.cc',
'tools/flip_server/output_ordering.h',
'tools/flip_server/ring_buffer.cc',
'tools/flip_server/ring_buffer.h',
'tools/flip_server/simple_buffer.cc',
'tools/flip_server/simple_buffer.h',
'tools/flip_server/sm_connection.cc',
'tools/flip_server/sm_connection.h',
'tools/flip_server/sm_interface.h',
'tools/flip_server/spdy_ssl.cc',
'tools/flip_server/spdy_ssl.h',
'tools/flip_server/spdy_interface.cc',
'tools/flip_server/spdy_interface.h',
'tools/flip_server/spdy_util.cc',
'tools/flip_server/spdy_util.h',
'tools/flip_server/streamer_interface.cc',
'tools/flip_server/streamer_interface.h',
'tools/flip_server/string_piece_utils.h',
],
},
{
'target_name': 'quic_library',
'type': 'static_library',
'dependencies': [
'../base/base.gyp:base',
'../base/third_party/dynamic_annotations/dynamic_annotations.gyp:dynamic_annotations',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../third_party/openssl/openssl.gyp:openssl',
'flip_balsa_and_epoll_library',
'net',
],
'sources': [
'tools/quic/quic_client.cc',
'tools/quic/quic_client.h',
'tools/quic/quic_client_session.cc',
'tools/quic/quic_client_session.h',
'tools/quic/quic_dispatcher.h',
'tools/quic/quic_dispatcher.cc',
'tools/quic/quic_epoll_clock.cc',
'tools/quic/quic_epoll_clock.h',
'tools/quic/quic_epoll_connection_helper.cc',
'tools/quic/quic_epoll_connection_helper.h',
'tools/quic/quic_in_memory_cache.cc',
'tools/quic/quic_in_memory_cache.h',
'tools/quic/quic_packet_writer.h',
'tools/quic/quic_reliable_client_stream.cc',
'tools/quic/quic_reliable_client_stream.h',
'tools/quic/quic_reliable_server_stream.cc',
'tools/quic/quic_reliable_server_stream.h',
'tools/quic/quic_server.cc',
'tools/quic/quic_server.h',
'tools/quic/quic_server_session.cc',
'tools/quic/quic_server_session.h',
'tools/quic/quic_socket_utils.cc',
'tools/quic/quic_socket_utils.h',
'tools/quic/quic_spdy_client_stream.cc',
'tools/quic/quic_spdy_client_stream.h',
'tools/quic/quic_spdy_server_stream.cc',
'tools/quic/quic_spdy_server_stream.h',
'tools/quic/quic_time_wait_list_manager.h',
'tools/quic/quic_time_wait_list_manager.cc',
'tools/quic/spdy_utils.cc',
'tools/quic/spdy_utils.h',
],
},
{
'target_name': 'quic_client',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../third_party/openssl/openssl.gyp:openssl',
'net',
'quic_library',
],
'sources': [
'tools/quic/quic_client_bin.cc',
],
},
{
'target_name': 'quic_server',
'type': 'executable',
'dependencies': [
'../base/base.gyp:base',
'../third_party/openssl/openssl.gyp:openssl',
'net',
'quic_library',
],
'sources': [
'tools/quic/quic_server_bin.cc',
],
},
{
'target_name': 'quic_unittests',
'type': '<(gtest_target_type)',
'dependencies': [
'../base/base.gyp:test_support_base',
'../testing/gmock.gyp:gmock',
'../testing/gtest.gyp:gtest',
'net',
'quic_library',
],
'sources': [
'quic/test_tools/quic_session_peer.cc',
'quic/test_tools/quic_session_peer.h',
'quic/test_tools/crypto_test_utils.cc',
'quic/test_tools/crypto_test_utils.h',
'quic/test_tools/mock_clock.cc',
'quic/test_tools/mock_clock.h',
'quic/test_tools/mock_random.cc',
'quic/test_tools/mock_random.h',
'quic/test_tools/simple_quic_framer.cc',
'quic/test_tools/simple_quic_framer.h',
'quic/test_tools/quic_connection_peer.cc',
'quic/test_tools/quic_connection_peer.h',
'quic/test_tools/quic_framer_peer.cc',
'quic/test_tools/quic_framer_peer.h',
'quic/test_tools/quic_session_peer.cc',
'quic/test_tools/quic_session_peer.h',
'quic/test_tools/quic_test_utils.cc',
'quic/test_tools/quic_test_utils.h',
'quic/test_tools/reliable_quic_stream_peer.cc',
'quic/test_tools/reliable_quic_stream_peer.h',
'tools/flip_server/simple_buffer.cc',
'tools/flip_server/simple_buffer.h',
'tools/quic/end_to_end_test.cc',
'tools/quic/quic_client_session_test.cc',
'tools/quic/quic_dispatcher_test.cc',
'tools/quic/quic_epoll_clock_test.cc',
'tools/quic/quic_epoll_connection_helper_test.cc',
'tools/quic/quic_reliable_client_stream_test.cc',
'tools/quic/quic_reliable_server_stream_test.cc',
'tools/quic/test_tools/http_message_test_utils.cc',
'tools/quic/test_tools/http_message_test_utils.h',
'tools/quic/test_tools/mock_epoll_server.cc',
'tools/quic/test_tools/mock_epoll_server.h',
'tools/quic/test_tools/quic_test_client.cc',
'tools/quic/test_tools/quic_test_client.h',
'tools/quic/test_tools/quic_test_utils.cc',
'tools/quic/test_tools/quic_test_utils.h',
'tools/quic/test_tools/run_all_unittests.cc',
],
}
]
}],
['OS=="android"', {
'targets': [
{
'target_name': 'net_jni_headers',
'type': 'none',
'sources': [
'android/java/src/org/chromium/net/AndroidKeyStore.java',
'android/java/src/org/chromium/net/AndroidNetworkLibrary.java',
'android/java/src/org/chromium/net/GURLUtils.java',
'android/java/src/org/chromium/net/NetworkChangeNotifier.java',
'android/java/src/org/chromium/net/ProxyChangeListener.java',
],
'variables': {
'jni_gen_package': 'net',
},
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/net',
],
},
'includes': [ '../build/jni_generator.gypi' ],
},
{
'target_name': 'net_test_jni_headers',
'type': 'none',
'sources': [
'android/javatests/src/org/chromium/net/AndroidKeyStoreTestUtil.java',
],
'variables': {
'jni_gen_package': 'net',
},
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/net',
],
},
'includes': [ '../build/jni_generator.gypi' ],
},
{
'target_name': 'net_java',
'type': 'none',
'variables': {
'java_in_dir': '../net/android/java',
},
'dependencies': [
'../base/base.gyp:base',
'cert_verify_result_android_java',
'certificate_mime_types_java',
'net_errors_java',
'private_key_types_java',
],
'includes': [ '../build/java.gypi' ],
},
{
'target_name': 'net_java_test_support',
'type': 'none',
'variables': {
'java_in_dir': '../net/test/android/javatests',
},
'includes': [ '../build/java.gypi' ],
},
{
'target_name': 'net_javatests',
'type': 'none',
'variables': {
'java_in_dir': '../net/android/javatests',
},
'dependencies': [
'../base/base.gyp:base',
'../base/base.gyp:base_java_test_support',
'net_java',
],
'includes': [ '../build/java.gypi' ],
},
{
'target_name': 'net_errors_java',
'type': 'none',
'sources': [
'android/java/NetError.template',
],
'variables': {
'package_name': 'org/chromium/net',
'template_deps': ['base/net_error_list.h'],
},
'includes': [ '../build/android/java_cpp_template.gypi' ],
},
{
'target_name': 'certificate_mime_types_java',
'type': 'none',
'sources': [
'android/java/CertificateMimeType.template',
],
'variables': {
'package_name': 'org/chromium/net',
'template_deps': ['base/mime_util_certificate_type_list.h'],
},
'includes': [ '../build/android/java_cpp_template.gypi' ],
},
{
'target_name': 'cert_verify_result_android_java',
'type': 'none',
'sources': [
'android/java/CertVerifyResultAndroid.template',
],
'variables': {
'package_name': 'org/chromium/net',
'template_deps': ['android/cert_verify_result_android_list.h'],
},
'includes': [ '../build/android/java_cpp_template.gypi' ],
},
{
'target_name': 'private_key_types_java',
'type': 'none',
'sources': [
'android/java/PrivateKeyType.template',
],
'variables': {
'package_name': 'org/chromium/net',
'template_deps': ['android/private_key_type_list.h'],
},
'includes': [ '../build/android/java_cpp_template.gypi' ],
},
],
}],
# Special target to wrap a gtest_target_type==shared_library
# net_unittests into an android apk for execution.
# See base.gyp for TODO(jrg)s about this strategy.
['OS == "android" and gtest_target_type == "shared_library"', {
'targets': [
{
'target_name': 'net_unittests_apk',
'type': 'none',
'dependencies': [
'net_java',
'net_javatests',
'net_unittests',
],
'variables': {
'test_suite_name': 'net_unittests',
'input_shlib_path': '<(SHARED_LIB_DIR)/<(SHARED_LIB_PREFIX)net_unittests<(SHARED_LIB_SUFFIX)',
},
'includes': [ '../build/apk_test.gypi' ],
},
],
}],
['test_isolation_mode != "noop"', {
'targets': [
{
'target_name': 'net_unittests_run',
'type': 'none',
'dependencies': [
'net_unittests',
],
'includes': [
'net_unittests.isolate',
],
'actions': [
{
'action_name': 'isolate',
'inputs': [
'net_unittests.isolate',
'<@(isolate_dependency_tracked)',
],
'outputs': [
'<(PRODUCT_DIR)/net_unittests.isolated',
],
'action': [
'python',
'../tools/swarm_client/isolate.py',
'<(test_isolation_mode)',
'--outdir', '<(test_isolation_outdir)',
'--variable', 'PRODUCT_DIR', '<(PRODUCT_DIR)',
'--variable', 'OS', '<(OS)',
'--result', '<@(_outputs)',
'--isolate', 'net_unittests.isolate',
],
},
],
},
],
}],
],
}
|
"""
Defines two dictionaries for converting
between text and integer sequences.
"""
char_map_str = """
' 0
<SPACE> 1
ব 2
া 3
ং 4
ল 5
দ 6
ে 7
শ 8
য 9
় 10
ি 11
ত 12
্ 13
ন 14
এ 15
ধ 16
র 17
ণ 18
ক 19
ড 20
হ 21
উ 22
প 23
জ 24
অ 25
থ 26
স 27
ষ 28
ই 29
আ 30
ছ 31
গ 32
ু 33
ো 34
ও 35
ভ 36
ী 37
ট 38
ূ 39
ম 40
ৈ 41
ৃ 42
ঙ 43
খ 44
ঃ 45
১ 46
৯ 47
৬ 48
০ 49
২ 50
চ 51
ঘ 52
ৎ 53
৫ 54
৪ 55
ফ 56
ৌ 57
৮ 58
ঁ 59
য় 60
৩ 61
ঢ 62
ঠ 63
৭ 64
ড় 65
ঝ 66
ঞ 67
ঔ 68
ঈ 69
v 70
b 71
s 72
ঐ 73
2 74
0 75
1 76
4 77
f 78
o 79
t 80
a 81
l 82
w 83
r 84
d 85
c 86
u 87
p 88
n 89
g 90
ঋ 91
i 92
z 93
m 94
e 95
ঊ 96
h 97
x 98
3 99
5 100
y 101
9 102
ৗ 103
j 104
œ 105
8 106
ঢ় 107
k 108
ৰ 109
"""
# the "blank" character is mapped to 28
char_map = {}
index_map = {}
for line in char_map_str.strip().split('\n'):
ch, index = line.split()
char_map[ch] = int(index)
index_map[int(index)+1] = ch
index_map[2] = ' ' |
#Author Theodosis Paidakis
print("Hello World")
hello_list = ["Hello World"]
print(hello_list[0])
for i in hello_list:
print(i) |
# Book04_1.py
class Book:
category = '소설' # Class 멤버
b1 = Book(); print(b1.category)
b2 = b1; print(b2.category)
print(Book.category)
Book.category = '수필'
print(b2.category); print(b1.category) ; print(Book.category)
b2.category = 'IT'
print(b2.category); print(b1.category) ; print(Book.category) |
print('Digite seu nome completo: ')
nome = input().strip().upper()
print('Seu nome tem "Silva"?')
print('SILVA' in nome)
|
dataset_type = 'STVQADATASET'
data_root = '/home/datasets/mix_data/iMIX/'
feature_path = 'data/datasets/stvqa/defaults/features/'
ocr_feature_path = 'data/datasets/stvqa/defaults/ocr_features/'
annotation_path = 'data/datasets/stvqa/defaults/annotations/'
vocab_path = 'data/datasets/stvqa/defaults/extras/vocabs/'
train_datasets = ['train']
test_datasets = ['val']
reader_train_cfg = dict(
type='STVQAREADER',
card='default',
mix_features=dict(
train=data_root + feature_path + 'detectron.lmdb',
val=data_root + feature_path + 'detectron.lmdb',
test=data_root + feature_path + 'detectron.lmdb',
),
mix_ocr_features=dict(
train=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
val=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
test=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
),
mix_annotations=dict(
train=data_root + annotation_path + 'imdb_subtrain.npy',
val=data_root + annotation_path + 'imdb_subval.npy',
test=data_root + annotation_path + 'imdb_test_task3.npy',
),
datasets=train_datasets)
reader_test_cfg = dict(
type='STVQAREADER',
card='default',
mix_features=dict(
train=data_root + feature_path + 'detectron.lmdb',
val=data_root + feature_path + 'detectron.lmdb',
test=data_root + feature_path + 'detectron.lmdb',
),
mix_ocr_features=dict(
train=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
val=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
test=data_root + ocr_feature_path + 'ocr_en_frcn_features.lmdb',
),
mix_annotations=dict(
train=data_root + annotation_path + 'imdb_subtrain.npy',
val=data_root + annotation_path + 'imdb_subval.npy',
test=data_root + annotation_path + 'imdb_test_task3.npy',
),
datasets=train_datasets)
info_cpler_cfg = dict(
type='STVQAInfoCpler',
glove_weights=dict(
glove6b50d=data_root + 'glove/glove.6B.50d.txt.pt',
glove6b100d=data_root + 'glove/glove.6B.100d.txt.pt',
glove6b200d=data_root + 'glove/glove.6B.200d.txt.pt',
glove6b300d=data_root + 'glove/glove.6B.300d.txt.pt',
),
fasttext_weights=dict(
wiki300d1m=data_root + 'fasttext/wiki-news-300d-1M.vec',
wiki300d1msub=data_root + 'fasttext/wiki-news-300d-1M-subword.vec',
wiki_bin=data_root + 'fasttext/wiki.en.bin',
),
tokenizer='/home/datasets/VQA/bert/' + 'bert-base-uncased-vocab.txt',
mix_vocab=dict(
answers_st_5k=data_root + vocab_path + 'fixed_answer_vocab_stvqa_5k.txt',
vocabulary_100k=data_root + vocab_path + 'vocabulary_100k.txt',
),
max_seg_lenth=20,
max_ocr_lenth=10,
word_mask_ratio=0.0,
vocab_name='vocabulary_100k',
vocab_answer_name='answers_st_5k',
glove_name='glove6b300d',
fasttext_name='wiki_bin',
if_bert=True,
)
train_data = dict(
samples_per_gpu=16,
workers_per_gpu=1,
data=dict(type=dataset_type, reader=reader_train_cfg, info_cpler=info_cpler_cfg, limit_nums=800))
test_data = dict(
samples_per_gpu=16,
workers_per_gpu=1,
data=dict(type=dataset_type, reader=reader_test_cfg, info_cpler=info_cpler_cfg),
)
|
""" Module docstring """
def _impl(_ctx):
""" Function docstring """
pass
some_rule = rule(
attrs = {
"attr1": attr.int(
default = 2,
mandatory = False,
),
"attr2": 5,
},
implementation = _impl,
)
|
#-------------------------------------------------------------------------------
# Name: module1
# Purpose:
#
# Author: I am
#
# Created: 02/11/2017
# Copyright: (c) I am 2017
# Licence: <your licence>
#-------------------------------------------------------------------------------
def main():
pass
if __name__ == '__main__':
main()
|
matrix = [list(map(int, input().split())) for _ in range(6)]
max_sum = None
for i in range(4):
for j in range(4):
s = sum(matrix[i][j:j+3]) + matrix[i+1][j+1] + sum(matrix[i+2][j:j+3])
if max_sum is None or s > max_sum:
max_sum = s
print(max_sum)
|
class Bunch(dict):
"""Container object exposing keys as attributes.
Bunch objects are sometimes used as an output for functions and methods.
They extend dictionaries by enabling values to be accessed by key,
`bunch["value_key"]`, or by an attribute, `bunch.value_key`.
Examples
--------
>>> from sklearn.utils import Bunch
>>> b = Bunch(a=1, b=2)
>>> b['b']
2
>>> b.b
2
>>> b.a = 3
>>> b['a']
3
>>> b.c = 6
>>> b['c']
6
"""
def __init__(self, **kwargs):
super().__init__(kwargs)
def __setattr__(self, key, value):
self[key] = value
def __dir__(self):
return self.keys()
def __getattr__(self, key):
try:
return self[key]
except KeyError:
raise AttributeError(key)
def __setstate__(self, state):
# Bunch pickles generated with scikit-learn 0.16.* have an non
# empty __dict__. This causes a surprising behaviour when
# loading these pickles scikit-learn 0.17: reading bunch.key
# uses __dict__ but assigning to bunch.key use __setattr__ and
# only changes bunch['key']. More details can be found at:
# https://github.com/scikit-learn/scikit-learn/issues/6196.
# Overriding __setstate__ to be a noop has the effect of
# ignoring the pickled __dict__
pass
|
pessoas = {'nomes': "Rafael","sexo":"macho alfa","idade":19}
print(f"o {pessoas['nomes']} que se considera um {pessoas['sexo']} possui {pessoas['idade']}")
print(pessoas.keys())
print(pessoas.values())
print(pessoas.items())
for c in pessoas.keys():
print(c)
for c in pessoas.values():
print(c)
for c, j in pessoas.items():
print(f"o {c} pertence ao {j}")
del pessoas['sexo']
print(pessoas)
pessoas["sexo"] = "macho alfa"
print(pessoas)
print("outro codida daqui pra frente \n\n\n\n\n\n")
estado1 = {'estado': 'minas gerais', 'cidade':'capela nova' }
estado2 = {'estado':'rio de janeiro', 'cidade':"rossinha"}
brasil = []
brasil.append(estado1)
brasil.append(estado2)
print(brasil)
print(f"o brasil possui um estado chamado {brasil[0]['estado']} e a prorpia possui uma cidade chamada {brasil[0]['cidade']}")
print("-"*45)
es = {}
br = []
for c in range(0,3):
es['estado'] = str(input("informe o seu estado:"))
es['cidade'] = str(input("informe a sua cidade:"))
br.append(es.copy())
for c in br:
for i,j in c.items():
print(f"o campo {i} tem valor {j}")
|
config = {
"Luminosity": 1000,
"InputDirectory": "results",
"Histograms" : {
"WtMass" : {},
"etmiss" : {},
"lep_n" : {},
"lep_pt" : {},
"lep_eta" : {},
"lep_E" : {},
"lep_phi" : {"y_margin" : 0.6},
"lep_charge" : {"y_margin" : 0.6},
"lep_type" : {"y_margin" : 0.5},
"lep_ptconerel30" : {},
"lep_etconerel20" : {},
"lep_d0" : {},
"lep_z0" : {},
"n_jets" : {},
"jet_pt" : {},
"jet_m" : {},
"jet_jvf" : {"y_margin" : 0.4},
"jet_eta" : {},
"jet_MV1" : {"y_margin" : 0.3},
"vxp_z" : {},
"pvxp_n" : {},
},
"Paintables": {
"Stack": {
"Order" : ["Diboson", "DrellYan", "W", "Z", "stop", "ttbar"],
"Processes" : {
"Diboson" : {
"Color" : "#fa7921",
"Contributions" : ["WW", "WZ", "ZZ"]},
"DrellYan": {
"Color" : "#5bc0eb",
"Contributions" : ["DYeeM08to15", "DYeeM15to40", "DYmumuM08to15", "DYmumuM15to40", "DYtautauM08to15", "DYtautauM15to40"]},
"W": {
"Color" : "#e55934",
"Contributions" : ["WenuJetsBVeto", "WenuWithB", "WenuNoJetsBVeto", "WmunuJetsBVeto", "WmunuWithB", "WmunuNoJetsBVeto", "WtaunuJetsBVeto", "WtaunuWithB", "WtaunuNoJetsBVeto"]},
"Z": {
"Color" : "#086788",
"Contributions" : ["Zee", "Zmumu", "Ztautau"]},
"stop": {
"Color" : "#fde74c",
"Contributions" : ["stop_tchan_top", "stop_tchan_antitop", "stop_schan", "stop_wtchan"]},
"ttbar": {
"Color" : "#9bc53d",
"Contributions" : ["ttbar_lep", "ttbar_had"]}
}
},
"data" : {
"Contributions": ["data_Egamma", "data_Muons"]}
},
"Depictions": {
"Order": ["Main", "Data/MC"],
"Definitions" : {
"Data/MC": {
"type" : "Agreement",
"Paintables" : ["data", "Stack"]
},
"Main": {
"type" : "Main",
"Paintables": ["Stack", "data"]
},
}
},
}
|
"""
Determine the number of bits required to convert integer A to integer B
Example
Given n = 31, m = 14,return 2
(31)10=(11111)2
(14)10=(01110)2
"""
__author__ = 'Danyang'
class Solution:
def bitSwapRequired(self, a, b):
"""
:param a:
:param b:
:return: int
"""
a = self.to_bin(a)
b = self.to_bin(b)
diff = len(a)-len(b)
ret = 0
if diff<0:
a, b = b, a
diff *= -1
b = "0"*diff+b
for i in xrange(len(b)):
if a[i]!=b[i]:
ret += 1
return ret
def to_bin(self, n):
"""
2's complement
32-bit
:param n:
:return:
"""
"""
:param n:
:return:
"""
a = abs(n)
lst = []
while a>0:
lst.append(a%2)
a /= 2
# 2's complement
if n>=0:
lst.extend([0]*(32-len(lst)))
else:
pivot = -1
for i in xrange(len(lst)):
if pivot==-1 and lst[i]==1:
pivot = i
continue
if pivot!=-1:
lst[i] ^= 1
lst.extend([1]*(32-len(lst)))
return "".join(map(str, reversed(lst)))
if __name__=="__main__":
assert Solution().bitSwapRequired(1, -1)==31
assert Solution().bitSwapRequired(31, 14)==2
|
# Desempacotamento de parametros em funcoes
# somando valores de uma tupla
def soma(*num):
soma = 0
print('Tupla: {}' .format(num))
for i in num:
soma += i
return soma
# Programa principal
print('Resultado: {}\n' .format(soma(1, 2)))
print('Resultado: {}\n' .format(soma(1, 2, 3, 4, 5, 6, 7, 8, 9)))
|
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def swapNodes(self, head: Optional[ListNode], k: int) -> Optional[ListNode]:
temp = head
array = []
while temp:
array.append(temp.val)
temp = temp.next
array[k - 1], array[len(array) - k] = array[len(array) - k], array[k - 1]
head = ListNode(0)
dummy = head
for num in array:
dummy.next = ListNode(num)
dummy = dummy.next
return head.next
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def swapNodes(self, head: Optional[ListNode], k: int) -> Optional[ListNode]:
if head is None or head.next is None:
return head
slow = fast = cnt = head
counter = 0
while cnt:
counter += 1
cnt = cnt.next
for _ in range(k - 1):
slow = slow.next
for _ in range(counter - k):
fast = fast.next
slow.val, fast.val = fast.val, slow.val
return head
|
DATABASE_OPTIONS = {
'database': 'klazor',
'user': 'root',
'password': '',
'charset': 'utf8mb4',
}
HOSTS = ['127.0.0.1', '67.209.115.211']
|
"""
Django settings.
Generated by 'django-admin startproject' using Django 2.2.4.
For more information on this file, see
https://docs.djangoproject.com/en/2.2/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/2.2/ref/settings/
"""
#DEBUG = False
DEBUG = True
SERVE_STATIC = DEBUG
ALLOWED_HOSTS = []
# Database
# https://docs.djangoproject.com/en/1.11/ref/settings/#databases
DATABASES = {
'default': {
#'ENGINE': 'django.db.backends.oracle'
#'ENGINE': 'django.db.backends.mysql',
#'ENGINE': 'django.db.backends.sqlite3',
'ENGINE': 'django.db.backends.postgresql',
'NAME': 'mydatabase',
'USER': 'mydatabaseuser',
'PASSWORD': 'mypassword',
'HOST': '127.0.0.1',
'PORT': '5432',
}
}
|
def HAHA():
return 1,2,3
a = HAHA()
print(a)
print(a[0])
|
ser = int(input())
mas = list(map(int, input().split()))
mas.sort()
print(*mas)
|
backgroundurl = "https://storage.needpix.com/rsynced_images/colored-background.jpg" # <- Need to be a Image URL!!!
lang = "en" # <- language code
displayset = True # <- Display the Set of the Item
raritytext = True # <- Display the Rarity of the Item
typeconfig = {
"BannerToken": True,
"AthenaBackpack": True,
"AthenaPetCarrier": True,
"AthenaPet": True,
"AthenaPickaxe": True,
"AthenaCharacter": True,
"AthenaSkyDiveContrail": True,
"AthenaGlider": True,
"AthenaDance": True,
"AthenaEmoji": True,
"AthenaLoadingScreen": True,
"AthenaMusicPack": True,
"AthenaSpray": True,
"AthenaToy": True,
"AthenaBattleBus": True,
"AthenaItemWrap": True
}
interval = 5 # <- Time (in seconds) until the bot checks for leaks again | Recommend: 7
watermark = "" # <- Leave it empty if you dont want one
watermarksize = 25 # <- Size of the Watermark
|
def get_season_things_price(thing, amount, price):
if thing == 'wheel':
wheel_price = price[thing]['month'] * amount
return f'Стоимость составит {wheel_price}/месяц'
else:
other_thing_price_week = price[thing]['week'] * amount
other_thing_price_month = price[thing]['month'] * amount
return f'Стоимость составит {other_thing_price_week} р./неделю' + \
f' или {other_thing_price_month} р./месяц' |
def cube(number):
return number*number*number
digit = input(" the cube of which digit do you want >")
result = cube(int(digit))
print(result)
|
def main(request, response):
headers = [("Content-type", "text/html;charset=shift-jis")]
# Shift-JIS bytes for katakana TE SU TO ('test')
content = chr(0x83) + chr(0x65) + chr(0x83) + chr(0x58) + chr(0x83) + chr(0x67);
return headers, content
|
# Vicfred
# https://atcoder.jp/contests/abc132/tasks/abc132_a
# implementation
S = list(input())
if len(set(S)) == 2:
if S.count(S[0]) == 2:
print("Yes")
quit()
print("No")
|
for _ in range(int(input())):
x, y = list(map(int, input().split()))
flag = 1
for i in range(x, y + 1):
n = i * i + i + 41
for j in range(2, n):
if j * j > n:
break
if n % j == 0:
flag = 0
break
if flag == 0:
break
if flag:
print("OK")
else:
print("Sorry") |
{
'targets': [
{
'target_name': 'hiredis',
'sources': [
'src/hiredis.cc'
, 'src/reader.cc'
],
'include_dirs': ["<!(node -e \"require('nan')\")"],
'dependencies': [
'deps/hiredis.gyp:hiredis-c'
],
'defines': [
'_GNU_SOURCE'
],
'cflags': [
'-Wall',
'-O3'
]
}
]
}
|
class CoinArray(list):
"""
Coin list that is hashable for storage in sets
The 8 entries are [1p count, 2p count, 5p count, ... , 200p count]
"""
def __hash__(self):
"""
Hash this as a string
"""
return hash(" ".join([str(i) for i in self]))
def main():
"""
Entry point
"""
# Important: sorted smallest to largest
coins = [1, 2, 5, 10, 20, 50, 100, 200]
coin_index = {coin: index for index, coin in enumerate(coins)}
# How many ways are there of making each number from 1 to 200 from these values?
# Building up from 1 means we can re-use earlier results
# e.g.:
# 1p: [{1}]
# 2p: [{1,1}, {2}]
# 3p: [{1,1,1}, {2,1}]
# 4p: [{1,1,1,1}, {2,1,1}, {2,2}]
# etc
way_sets = [None]
for i in range(1, 201):
way_set_i = set()
# Try using 1 of each coin and then all the ways of the remainder, if > 0
for coin in coins:
remainder = i - coin
if remainder == 0:
# We can make this with exactly this coin alone - but no larger coins
coin_count = [0 for i in coins]
coin_count[coin_index[coin]] = 1
way_set_i.add(CoinArray(coin_count))
break
elif remainder > 0:
# We can use this coin and whatever the options for the smaller value are
for rem_list in way_sets[remainder]:
new_coin_count = [c for c in rem_list]
new_coin_count[coin_index[coin]] += 1
way_set_i.add(CoinArray(new_coin_count))
else:
# Can't use any bigger coins
break
way_sets.append(way_set_i)
print(f"Number of ways of making £2: {len(way_sets[200])}")
return
if __name__ == "__main__":
main()
|
# -*- coding: utf-8 -*-
"""
@Time : 2021/10/9 17:51
@Auth : 潇湘
@File :__init__.py.py
@IDE :PyCharm
@QQ : 810400085
""" |
#!/usr/bin/env python3
"""
Build a table of Python / Pydantic to JSON Schema mappings.
Done like this rather than as a raw rst table to make future edits easier.
Please edit this file directly not .tmp_schema_mappings.rst
"""
table = [
[
'bool',
'boolean',
'',
'JSON Schema Core',
''
],
[
'str',
'string',
'',
'JSON Schema Core',
''
],
[
'float',
'number',
'',
'JSON Schema Core',
''
],
[
'int',
'integer',
'',
'JSON Schema Validation',
''
],
[
'dict',
'object',
'',
'JSON Schema Core',
''
],
[
'list',
'array',
'',
'JSON Schema Core',
''
],
[
'tuple',
'array',
'',
'JSON Schema Core',
''
],
[
'set',
'array',
'{"uniqueItems": true}',
'JSON Schema Validation',
''
],
[
'List[str]',
'array',
'{"items": {"type": "string"}}',
'JSON Schema Validation',
'And equivalently for any other sub type, e.g. List[int].'
],
[
'Tuple[str, int]',
'array',
'{"items": [{"type": "string"}, {"type": "integer"}]}',
'JSON Schema Validation',
(
'And equivalently for any other set of subtypes. Note: If using schemas for OpenAPI, '
'you shouldn\'t use this declaration, as it would not be valid in OpenAPI (although it is '
'valid in JSON Schema).'
)
],
[
'Dict[str, int]',
'object',
'{"additionalProperties": {"type": "integer"}}',
'JSON Schema Validation',
(
'And equivalently for any other subfields for dicts. Have in mind that although you can use other types as '
'keys for dicts with Pydantic, only strings are valid keys for JSON, and so, only str is valid as '
'JSON Schema key types.'
)
],
[
'Union[str, int]',
'anyOf',
'{"anyOf": [{"type": "string"}, {"type": "integer"}]}',
'JSON Schema Validation',
'And equivalently for any other subfields for unions.'
],
[
'Enum',
'enum',
'{"enum": [...]}',
'JSON Schema Validation',
'All the literal values in the enum are included in the definition.'
],
[
'SecretStr',
'string',
'{"writeOnly": true}',
'JSON Schema Validation',
''
],
[
'SecretBytes',
'string',
'{"writeOnly": true}',
'JSON Schema Validation',
''
],
[
'EmailStr',
'string',
'{"format": "email"}',
'JSON Schema Validation',
''
],
[
'NameEmail',
'string',
'{"format": "name-email"}',
'Pydantic standard "format" extension',
''
],
[
'UrlStr',
'string',
'{"format": "uri"}',
'JSON Schema Validation',
''
],
[
'DSN',
'string',
'{"format": "dsn"}',
'Pydantic standard "format" extension',
''
],
[
'bytes',
'string',
'{"format": "binary"}',
'OpenAPI',
''
],
[
'Decimal',
'number',
'',
'JSON Schema Core',
''
],
[
'UUID1',
'string',
'{"format": "uuid1"}',
'Pydantic standard "format" extension',
''
],
[
'UUID3',
'string',
'{"format": "uuid3"}',
'Pydantic standard "format" extension',
''
],
[
'UUID4',
'string',
'{"format": "uuid4"}',
'Pydantic standard "format" extension',
''
],
[
'UUID5',
'string',
'{"format": "uuid5"}',
'Pydantic standard "format" extension',
''
],
[
'UUID',
'string',
'{"format": "uuid"}',
'Pydantic standard "format" extension',
'Suggested in OpenAPI.'
],
[
'FilePath',
'string',
'{"format": "file-path"}',
'Pydantic standard "format" extension',
''
],
[
'DirectoryPath',
'string',
'{"format": "directory-path"}',
'Pydantic standard "format" extension',
''
],
[
'Path',
'string',
'{"format": "path"}',
'Pydantic standard "format" extension',
''
],
[
'datetime',
'string',
'{"format": "date-time"}',
'JSON Schema Validation',
''
],
[
'date',
'string',
'{"format": "date"}',
'JSON Schema Validation',
''
],
[
'time',
'string',
'{"format": "time"}',
'JSON Schema Validation',
''
],
[
'timedelta',
'number',
'{"format": "time-delta"}',
'Difference in seconds (a ``float``), with Pydantic standard "format" extension',
'Suggested in JSON Schema repository\'s issues by maintainer.'
],
[
'Json',
'string',
'{"format": "json-string"}',
'Pydantic standard "format" extension',
''
],
[
'IPvAnyAddress',
'string',
'{"format": "ipvanyaddress"}',
'Pydantic standard "format" extension',
'IPv4 or IPv6 address as used in ``ipaddress`` module',
],
[
'IPvAnyInterface',
'string',
'{"format": "ipvanyinterface"}',
'Pydantic standard "format" extension',
'IPv4 or IPv6 interface as used in ``ipaddress`` module',
],
[
'IPvAnyNetwork',
'string',
'{"format": "ipvanynetwork"}',
'Pydantic standard "format" extension',
'IPv4 or IPv6 network as used in ``ipaddress`` module',
],
[
'StrictStr',
'string',
'',
'JSON Schema Core',
''
],
[
'ConstrainedStr',
'string',
'',
'JSON Schema Core',
(
'If the type has values declared for the constraints, they are included as validations. '
'See the mapping for ``constr`` below.'
)
],
[
'constr(regex=\'^text$\', min_length=2, max_length=10)',
'string',
'{"pattern": "^text$", "minLength": 2, "maxLength": 10}',
'JSON Schema Validation',
'Any argument not passed to the function (not defined) will not be included in the schema.'
],
[
'ConstrainedInt',
'integer',
'',
'JSON Schema Core',
(
'If the type has values declared for the constraints, they are included as validations. '
'See the mapping for ``conint`` below.'
)
],
[
'conint(gt=1, ge=2, lt=6, le=5, multiple_of=2)',
'integer',
'{"maximum": 5, "exclusiveMaximum": 6, "minimum": 2, "exclusiveMinimum": 1, "multipleOf": 2}',
'',
'Any argument not passed to the function (not defined) will not be included in the schema.'
],
[
'PositiveInt',
'integer',
'{"exclusiveMinimum": 0}',
'JSON Schema Validation',
''
],
[
'NegativeInt',
'integer',
'{"exclusiveMaximum": 0}',
'JSON Schema Validation',
''
],
[
'ConstrainedFloat',
'number',
'',
'JSON Schema Core',
(
'If the type has values declared for the constraints, they are included as validations.'
'See the mapping for ``confloat`` below.'
)
],
[
'confloat(gt=1, ge=2, lt=6, le=5, multiple_of=2)',
'number',
'{"maximum": 5, "exclusiveMaximum": 6, "minimum": 2, "exclusiveMinimum": 1, "multipleOf": 2}',
'JSON Schema Validation',
'Any argument not passed to the function (not defined) will not be included in the schema.'
],
[
'PositiveFloat',
'number',
'{"exclusiveMinimum": 0}',
'JSON Schema Validation',
''
],
[
'NegativeFloat',
'number',
'{"exclusiveMaximum": 0}',
'JSON Schema Validation',
''
],
[
'ConstrainedDecimal',
'number',
'',
'JSON Schema Core',
(
'If the type has values declared for the constraints, they are included as validations. '
'See the mapping for ``condecimal`` below.'
)
],
[
'condecimal(gt=1, ge=2, lt=6, le=5, multiple_of=2)',
'number',
'{"maximum": 5, "exclusiveMaximum": 6, "minimum": 2, "exclusiveMinimum": 1, "multipleOf": 2}',
'JSON Schema Validation',
'Any argument not passed to the function (not defined) will not be included in the schema.'
],
[
'BaseModel',
'object',
'',
'JSON Schema Core',
'All the properties defined will be defined with standard JSON Schema, including submodels.'
]
]
headings = [
'Python type',
'JSON Schema Type',
'Additional JSON Schema',
'Defined in',
'Notes',
]
v = ''
col_width = 300
for _ in range(5):
v += '+' + '-' * col_width
v += '+\n|'
for heading in headings:
v += f' {heading:{col_width - 2}} |'
v += '\n'
for _ in range(5):
v += '+' + '=' * col_width
v += '+'
for row in table:
v += '\n|'
for i, text in enumerate(row):
text = f'``{text}``' if i < 3 and text else text
v += f' {text:{col_width - 2}} |'
v += '\n'
for _ in range(5):
v += '+' + '-' * col_width
v += '+'
with open('.tmp_schema_mappings.rst', 'w') as f:
f.write(v)
|
# mako/__init__.py
# Copyright (C) 2006-2016 the Mako authors and contributors <see AUTHORS file>
#
# This module is part of Mako and is released under
# the MIT License: http://www.opensource.org/licenses/mit-license.php
__version__ = '1.0.9'
|
def sort(data, time):
tt = False
ft = True
st = False
is_find = True
winers_name = set()
index = 0
while is_find:
index += 1
for key, values in data.items():
if time[0 - index] == int(values[1]) and ft and values[0] not in winers_name:
first_id = key
ft = False
st = True
winers_name.add(values[0])
first_i = index
elif time[0 -index] == int(values[1]) and st and values[0] not in winers_name:
second_id = key
st = False
tt = True
winers_name.add(values[0])
second_i = index
elif time[0 -index] == int(values[1]) and tt and values[0] not in winers_name:
three_id = key
winers_name.add(values[0])
is_find = False
three_i = index
break
return first_id, second_id, three_id, first_i, second_i, three_i
n = int(input('Введите количество строк: '))
data = dict()
time_list = list()
for i in range(1, n+1):
print(f'Введите {i} строку: ', end='')
text = input().split()
time = text[0]
time_list.append(int(time))
name = text[1]
obj = [name, time]
data[i] = tuple(obj)
f, s, t, fi, si, ti = sort(data, sorted(time_list))
time_list = sorted(time_list)
print('1 место занимает: {0}, с очками {1}'.format(data[f][0], time_list[-fi]))
print('2 место занимает: {0}, с очками {1}'.format(data[s][0], time_list[-si]))
print('3 место занимает: {0}, с очками {1}'.format(data[t][0], time_list[-ti])) |
def pick_food(name):
if name == "chima":
return "chicken"
else:
return "dry food"
|
hasGoodCredit = True
price = 1000000
deposit = 0
if hasGoodCredit:
deposit = price/10
else:
deposit = price/5
print(f"Deposit needed: £{deposit}") |
#!/usr/bin/env python3
#-*- coding:utf-8 -*-
#Author:贾江超
def spin_words(sentence):
list1=sentence.split()
l=len(list1)
for i in range(l):
relen = len(sentence.split()[i:][0])
if relen > 5:
list1[i]=list1[i][::-1]
return ' '.join(list1)
'''
注意 在2.x版本可以用len()得到list的长度 3.x版本就不行了
优化版本
def spin_words(sentence):
# Your code goes here
return " ".join([x[::-1] if len(x) >= 5 else x for x in sentence.split(" ")])
在这里倒序字符串用切片很方便 str[::-1] 就ok了
'''
|
# Creating a elif chain
alien_color = 'red'
if alien_color == 'green':
print('Congratulations! You won 5 points!')
elif alien_color == 'yellow':
print('Congratulations! You won 10 points!')
elif alien_color == 'red':
print('Congratulations! You won 15 points!')
|
# https://www.codechef.com/START8C/problems/PENALTY
for T in range(int(input())):
n=list(map(int,input().split()))
a=b=0
for i in range(len(n)):
if(n[i]==1):
if(i%2==0): a+=1
else: b+=1
if(a>b): print(1)
elif(b>a): print(2)
else: print(0) |
MATH_BYTECODE = (
"606060405261022e806100126000396000f360606040523615610074576000357c01000000000000"
"000000000000000000000000000000000000000000009004806316216f391461007657806361bc22"
"1a146100995780637cf5dab0146100bc578063a5f3c23b146100e8578063d09de08a1461011d5780"
"63dcf537b11461014057610074565b005b610083600480505061016c565b60405180828152602001"
"91505060405180910390f35b6100a6600480505061017f565b604051808281526020019150506040"
"5180910390f35b6100d26004808035906020019091905050610188565b6040518082815260200191"
"505060405180910390f35b61010760048080359060200190919080359060200190919050506101ea"
"565b6040518082815260200191505060405180910390f35b61012a6004805050610201565b604051"
"8082815260200191505060405180910390f35b610156600480803590602001909190505061021756"
"5b6040518082815260200191505060405180910390f35b6000600d9050805080905061017c565b90"
"565b60006000505481565b6000816000600082828250540192505081905550600060005054905080"
"507f3496c3ede4ec3ab3686712aa1c238593ea6a42df83f98a5ec7df9834cfa577c5816040518082"
"815260200191505060405180910390a18090506101e5565b919050565b6000818301905080508090"
"506101fb565b92915050565b600061020d6001610188565b9050610214565b90565b600060078202"
"90508050809050610229565b91905056"
)
MATH_ABI = [
{
"constant": False,
"inputs": [],
"name": "return13",
"outputs": [
{"name": "result", "type": "int256"},
],
"type": "function",
},
{
"constant": True,
"inputs": [],
"name": "counter",
"outputs": [
{"name": "", "type": "uint256"},
],
"type": "function",
},
{
"constant": False,
"inputs": [
{"name": "amt", "type": "uint256"},
],
"name": "increment",
"outputs": [
{"name": "result", "type": "uint256"},
],
"type": "function",
},
{
"constant": False,
"inputs": [
{"name": "a", "type": "int256"},
{"name": "b", "type": "int256"},
],
"name": "add",
"outputs": [
{"name": "result", "type": "int256"},
],
"type": "function",
},
{
"constant": False,
"inputs": [],
"name": "increment",
"outputs": [
{"name": "", "type": "uint256"},
],
"type": "function"
},
{
"constant": False,
"inputs": [
{"name": "a", "type": "int256"},
],
"name": "multiply7",
"outputs": [
{"name": "result", "type": "int256"},
],
"type": "function",
},
{
"anonymous": False,
"inputs": [
{"indexed": False, "name": "value", "type": "uint256"},
],
"name": "Increased",
"type": "event",
},
]
|
def modify(y):
return y # returns same reference. No new object is created
x = [1, 2, 3]
y = modify(x)
print("x == y", x == y)
print("x == y", x is y) |
# 1. Create students score dictionary.
students_score = {}
# 2. Input student's name and check if input is correct. (Alphabet, period, and blank only.)
# 2.1 Creat a function that evaluate the validity of name.
def check_name(name):
# 2.1.1 Remove period and blank and check it if the name is comprised with only Alphabet.
# 2.1.1.1 Make a list of spelling in the name.
list_of_spelling = list(name)
# 2.1.1.2 Remove period and blank from the list.
while "." in list_of_spelling:
list_of_spelling.remove(".")
while " " in list_of_spelling:
list_of_spelling.remove(" ")
# 2.1.1.3 Convert the list to a string.
list_to_string = ""
list_to_string = list_to_string.join(list_of_spelling)
# 2.1.1.4 Return if the string is Alphabet.
return list_to_string.isalpha()
while True:
# 2.2 Input student's name.
name = input("Please input student's name. \n")
check_name(name)
# 2.3 Check if the name is alphabet. If not, ask to input correct name again.
while check_name(name) != True:
name = input("Please input student's name. (Alphabet and period only.)\n")
# 3. Input student's score and check if input is correct. (digits only and between zero and 100)
score = input(f"Please input {name}'s score.(0 ~ 100)\n")
while score.isdigit() == False or int(score) not in range(0, 101):
score = input("Please input valid numbers only.(Number from zero to 100.)\n")
students_score[name] = score
# 4. Ask another student's information.
another_student = input(
"Do you want to input another student's information as well? (Y/N)\n"
)
while another_student.lower() not in ("yes", "y", "n", "no"):
# 4.1 Check if the input is valid.
another_student = input("Please input Y/N only.\n")
if another_student.lower() in ("yes", "y"):
continue
elif another_student.lower() in ("no", "n"):
break
for student in students_score:
score = students_score[student]
score = int(score)
if score >= 90:
students_score[student] = "A"
elif score in range(70, 90):
students_score[student] = "B"
elif score in range(50, 70):
students_score[student] = "C"
elif score in range(40, 50):
students_score[student] = "D"
else:
students_score[student] = "F"
print(students_score)
|
#$Id$
class Instrumentation:
"""This class is used tocreate object for instrumentation."""
def __init__(self):
"""Initialize parameters for Instrumentation object."""
self.query_execution_time = ''
self.request_handling_time = ''
self.response_write_time = ''
self.page_context_write_time = ''
def set_query_execution_time(self, query_execution_time):
"""Set query execution time.
Args:
query_execution_time(str): Query execution time.
"""
self.query_execution_time = query_execution_time
def get_query_execution_time(self):
"""Get query execution time.
Returns:
str: Query execution time.
"""
return self.query_execution_time
def set_request_handling_time(self, request_handling_time):
"""Set request handling time.
Args:
request_handling_time(str): Request handling time.
"""
self.request_handling_time = request_handling_time
def get_request_handling_time(self):
"""Get request handling time.
Returns:
str: Request handling time.
"""
return self.request_handling_time
def set_response_write_time(self, response_write_time):
"""Set response write time.
Args:
response_write_time(str): Response write time.
"""
self.response_write_time = response_write_time
def get_response_write_time(self):
"""Get response write time.
Returns:
str: Response write time.
"""
return self.response_write_time
def set_page_context_write_time(self, page_context_write_time):
"""Set page context write time.
Args:
page_context_write_time(str): Page context write time.
"""
self.page_context_write_time = page_context_write_time
def get_page_context_write_time(self):
"""Get page context write time.
Returns:
str: Page context write time.
"""
return self.page_context_write_time
|
load("@rules_jvm_external//:defs.bzl", "artifact")
# For more information see
# - https://github.com/bmuschko/bazel-examples/blob/master/java/junit5-test/BUILD
# - https://github.com/salesforce/bazel-maven-proxy/tree/master/tools/junit5
# - https://github.com/junit-team/junit5-samples/tree/master/junit5-jupiter-starter-bazel
def junit5_test(name, srcs, test_package, resources = [], deps = [], runtime_deps = [], **kwargs):
"""JUnit runner macro"""
FILTER_KWARGS = [
"main_class",
"use_testrunner",
"args",
]
for arg in FILTER_KWARGS:
if arg in kwargs.keys():
kwargs.pop(arg)
junit_console_args = []
if test_package:
junit_console_args += ["--select-package", test_package]
else:
fail("must specify 'test_package'")
native.java_test(
name = name,
srcs = srcs,
use_testrunner = False,
main_class = "org.junit.platform.console.ConsoleLauncher",
args = junit_console_args,
deps = deps + [
artifact("org.junit.jupiter:junit-jupiter-api"),
artifact("org.junit.jupiter:junit-jupiter-params"),
artifact("org.junit.jupiter:junit-jupiter-engine"),
artifact("org.hamcrest:hamcrest-library"),
artifact("org.hamcrest:hamcrest-core"),
artifact("org.hamcrest:hamcrest"),
artifact("org.mockito:mockito-core"),
],
visibility = ["//java:__subpackages__"],
resources = resources,
runtime_deps = runtime_deps + [
artifact("org.junit.platform:junit-platform-console"),
],
**kwargs
)
|
# This module provides mocked versions of classes and functions provided
# by Carla in our runtime environment.
class Location(object):
""" A mock class for carla.Location. """
def __init__(self, x, y, z):
self.x = x
self.y = y
self.z = z
class Rotation(object):
""" A mock class for carla.Rotation. """
def __init__(self, pitch, yaw, roll):
self.pitch = pitch
self.yaw = yaw
self.roll = roll
class Vector3D(object):
""" A mock class for carla.Vector3D. """
def __init__(self, x, y, z):
self.x = x
self.y = y
self.z = z
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
ee = '\033[1m'
green = '\033[32m'
yellow = '\033[33m'
cyan = '\033[36m'
line = cyan+'-' * 0x2D
print(ee+line)
R,G,B = [float(X) / 0xFF for X in input(f'{yellow}RGB: {green}').split()]
K = 1-max(R,G,B)
C,M,Y = [round(float((1-X-K)/(1-K) * 0x64),1) for X in [R,G,B]]
K = round(K * 0x64,1)
print(f'{yellow}CMYK: {green}{C}%, {M}%, {Y}%, {K}%')
print(line)
|
def selection_sort(A): # O(n^2)
n = len(A)
for i in range(n-1): # percorre a lista
min = i
for j in range(i+1, n): # encontra o menor elemento da lista a partir de i + 1
if A[j] < A[min]:
min = j
A[i], A[min] = A[min], A[i] # insere o elemento na posicao correta
return A
# 1 + (n-1)*[3 + X] = 1 + 3*(n-1) + X*(n-1) = 1 + 3*(n-1) + (n^2 + n - 2)/2
# = (1 - 3 - 1) + (3n + n/2) + (n^2/2)
# The complexity is O(n^2) |
tajniBroj = 51
broj = 2
while tajniBroj != broj:
broj = int(input("Pogodite tajni broj: "))
if tajniBroj == broj:
print("Pogodak!")
elif tajniBroj < broj:
print("Tajni broj je manji od tog broja.")
else:
print("Tajni broj je veci od tog broja.")
print("Kraj programa")
|
# Copyright ©2020-2021 The American University in Cairo and the Cloud V Project.
#
# This file is part of the DFFRAM Memory Compiler.
# See https://github.com/Cloud-V/DFFRAM for further info.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
RAM_instantiation = """
/*
An auto generated testbench to verify RAM{word_num}x{word_size}
Authors: Mohamed Shalan (mshalan@aucegypt.edu)
Ahmed Nofal (nofal.o.ahmed@gmail.com)
*/
`define VERBOSE_1
`define VERBOSE_2
`define UNIT_DELAY #1
`define USE_LATCH 1
`define SIZE {word_size}/8
//`include "{pdk_root}/sky130A/libs.ref/sky130_fd_sc_hd/verilog/primitives.v"
//`include "{pdk_root}/sky130A/libs.ref/sky130_fd_sc_hd/verilog/sky130_fd_sc_hd.v"
// // Temporary override: IcarusVerilog cannot read these for some reason ^
`include "hd_primitives.v"
`include "hd_functional.v"
`include "{filename}"
module tb_RAM{word_num}x{word_size};
localparam SIZE = `SIZE;
localparam A_W = {addr_width}+$clog2(SIZE);
localparam M_SZ = 2**A_W;
reg CLK;
reg [(SIZE-1):0] WE0;
reg EN0;
reg [(SIZE*8-1):0] Di0;
wire [(SIZE*8-1):0] Do0;
reg [A_W-1:0] A0, ADDR;
reg [7:0] Phase;
reg [7:0] RANDOM_BYTE;
event done;
RAM{word_num} #(.USE_LATCH(`USE_LATCH), .WSIZE(SIZE)) SRAM (
.CLK(CLK),
.WE0(WE0),
.EN0(EN0),
.Di0(Di0),
.Do(Do0),
.A0(A0[A_W-1:$clog2(SIZE)])
);
initial begin
$dumpfile("tb_RAM{word_num}x{word_size}.vcd");
$dumpvars(0, tb_RAM{word_num}x{word_size});
@(done) $finish;
end
/* Memory golden Model */
reg [(SIZE*8-1):0] RAM[(M_SZ)-1 : 0];
reg [(SIZE*8-1):0] RAM_DATA_RW;
genvar c;
generate
for (c=0; c < SIZE; c = c+1) begin: mem_golden_model
always @(posedge CLK) begin
if(EN0) begin
RAM_DATA_RW <= RAM[A0/SIZE];
if(WE0[c]) RAM[A0/SIZE][8*(c+1)-1:8*c] <= Di0[8*(c+1)-1:8*c];
end
end
end
endgenerate
"""
begin_single_ported_test = """
initial begin
CLK = 0;
WE0 = 0;
EN0 = 1;
"""
single_ported_custom_test = """
Phase = 0;
// Perform a single word write then read
mem_write_word({{SIZE{{8'h90}}}}, 4);
mem_read_word_0(4);
"""
RAM_instantiation_1RW1R = """
/*
An auto generated testbench to verify RAM{word_num}x{word_size}
Authors: Mohamed Shalan (mshalan@aucegypt.edu)
Ahmed Nofal (nofal.o.ahmed@gmail.com)
*/
`define VERBOSE_1
`define VERBOSE_2
`define UNIT_DELAY #1
`define USE_LATCH 1
`define SIZE {word_size}/8
//`include "{pdk_root}/sky130A/libs.ref/sky130_fd_sc_hd/verilog/primitives.v"
//`include "{pdk_root}/sky130A/libs.ref/sky130_fd_sc_hd/verilog/sky130_fd_sc_hd.v"
// // Temporary override: IcarusVerilog cannot read these for some reason ^
`include "hd_primitives.v"
`include "hd_functional.v"
`include "{filename}"
module tb_RAM{word_num}x{word_size}_1RW1R;
localparam SIZE = `SIZE;
localparam A_W = {addr_width}+$clog2(SIZE);
localparam M_SZ = 2**A_W;
reg CLK;
reg [(SIZE-1):0] WE0;
reg EN0;
reg ENR;
reg [(SIZE*8-1):0] Di0;
wire [(SIZE*8-1):0] Do0;
wire [(SIZE*8-1):0] Do1;
reg [A_W-1:0] A0, A1, ADDR;
reg [7:0] Phase;
reg [7:0] RANDOM_BYTE;
event done;
RAM{word_num}_1RW1R #(.USE_LATCH(`USE_LATCH), .WSIZE(`SIZE)) SRAM (
.CLK(CLK),
.WE0(WE0),
.EN0(EN0),
.EN1(ENR),
.Di0(Di0),
.Do0(Do0),
.Do1(Do1),
.A0(A0[A_W-1:$clog2(SIZE)]),
.A1(A1[A_W-1:$clog2(SIZE)])
);
initial begin
$dumpfile("tb_RAM{word_num}x{word_size}_1RW1R.vcd");
$dumpvars(0, tb_RAM{word_num}x{word_size}_1RW1R);
@(done) $finish;
end
/* Memory golden Model */
reg [(SIZE*8-1):0] RAM[(M_SZ)-1 : 0];
reg [(SIZE*8-1):0] RAM_DATA_RW;
reg [(SIZE*8-1):0] RAM_DATA_R;
genvar c;
generate
for (c=0; c < SIZE; c = c+1) begin: mem_golden_model
always @(posedge CLK) begin
if(EN0) begin
RAM_DATA_RW <= RAM[A0/SIZE];
if(WE0[c]) RAM[A0/SIZE][8*(c+1)-1:8*c] <= Di0[8*(c+1)-1:8*c];
end
if (ENR) begin
RAM_DATA_R <= RAM[A1/SIZE];
end
end
end
endgenerate
"""
begin_dual_ported_test = """
initial begin
CLK = 0;
WE0 = 0;
EN0 = 1;
ENR = 1;
"""
dual_ported_custom_test = """
Phase = 0;
// Perform a 2 word write then read 2 words
mem_write_word({{SIZE{{8'h90}}}}, 4);
mem_write_word({{SIZE{{8'h33}}}}, 8);
mem_read_2words(4,8);
"""
start_test_common = """
always #10 CLK = !CLK;
integer i;
"""
test_port_1RW1R = """
/***********************************************************
Write and read from different ports
************************************************************/
// Fill the memory with a known pattern
// Word Write then Read
Phase = 1;
`ifdef VERBOSE_1
$display("\\nFinished Phase 0, starting Phase 1");
`endif
for(i=0; i<M_SZ; i=i+SIZE) begin
ADDR = (($urandom%M_SZ)) & 'hFFFF_FFFC ;
RANDOM_BYTE = $urandom;
mem_write_word( {SIZE{RANDOM_BYTE}}, ADDR);
mem_read_word_1( ADDR );
end
// HWord Write then Read
Phase = 2;
`ifdef VERBOSE_1
$display("\\nFinished Phase 1, starting Phase 2");
`endif
for(i=0; i<M_SZ; i=i+SIZE/2) begin
ADDR = (($urandom%M_SZ)) & 'hFFFF_FFFE;
RANDOM_BYTE = $urandom;
mem_write_hword( {SIZE/2{RANDOM_BYTE}}, ADDR);
mem_read_word_1( ADDR & {{SIZE-1{8'hFF}}, 8'hFC} );
end
// Byte Write then Read
Phase = 3;
`ifdef VERBOSE_1
$display("\\nFinished Phase 2, starting Phase 3");
`endif
for(i=0; i<M_SZ; i=i+1) begin
ADDR = (($urandom%M_SZ));
mem_write_byte($urandom%255, ADDR);
mem_read_word_1(ADDR & {{SIZE-1{8'hFF}}, 8'hFC} );
end
"""
test_port_RW = """
/***********************************************************
Write and read from same port
************************************************************/
Phase = 4;
`ifdef VERBOSE_1
$display("\\nFinished Phase 3, starting Phase 4");
`endif
for(i=0; i<M_SZ; i=i+SIZE) begin
ADDR = (($urandom%M_SZ)) & 'hFFFF_FFFC ;
RANDOM_BYTE = $urandom;
mem_write_word( {SIZE{RANDOM_BYTE}}, ADDR);
mem_read_word_0( ADDR );
end
// HWord Write then Read
Phase = 5;
`ifdef VERBOSE_1
$display("\\nFinished Phase 4, starting Phase 5");
`endif
for(i=0; i<M_SZ; i=i+SIZE/2) begin
ADDR = (($urandom%M_SZ)) & 'hFFFF_FFFE;
RANDOM_BYTE = $urandom;
mem_write_hword( {SIZE/2{RANDOM_BYTE}}, ADDR);
mem_read_word_0( ADDR & {{SIZE-1{8'hFF}}, 8'hFC} );
end
// Byte Write then Read
Phase = 6;
`ifdef VERBOSE_1
$display("\\nFinished Phase 5, starting Phase 6");
`endif
for(i=0; i<M_SZ; i=i+1) begin
ADDR = (($urandom%M_SZ));
mem_write_byte($urandom%255, ADDR);
mem_read_word_0(ADDR & {{SIZE-1{8'hFF}}, 8'hFC} );
end
$display ("\\n>> Test Passed! <<\\n");
-> done;
"""
end_test = """
end
"""
tasks = """
task mem_write_byte(input [7:0] byte, input [A_W-1:0] addr);
begin
@(posedge CLK);
A0 = addr;//[A_WIDTH:2];
WE0 = (1 << addr[$clog2(SIZE)-1:0]);
Di0 = (byte << (addr[$clog2(SIZE)-1:0] * 8));
@(posedge CLK);
`ifdef VERBOSE_2
$display("WRITE BYTE: 0x%X to %0X(%0D) (0x%X, %B)", byte, addr, addr, Di0, WE0);
`endif
WE0 = {SIZE{8'h00}};
end
endtask
task mem_write_hword(input [SIZE*8-1:0] hword, input [A_W-1:0] addr);
begin
@(posedge CLK);
A0 = addr;//[A_WIDTH:$clog2(SIZE)];
WE0 = {{SIZE/2{addr[$clog2(SIZE)-1]}},{SIZE/2{~addr[$clog2(SIZE)-1]}}};
Di0 = (hword << (addr[$clog2(SIZE)-1] * (SIZE/2)*8));
@(posedge CLK);
`ifdef VERBOSE_2
$display("WRITE HWORD: 0x%X to %0X(%0D) (0x%X, %B)", hword, addr, addr, Di0, WE0);
`endif
WE0 = {SIZE{8'h00}};
end
endtask
task mem_write_word(input [SIZE*8-1:0] word, input [A_W-1:0] addr);
begin
@(posedge CLK);
A0 = addr;
WE0 = {SIZE{8'hFF}};
Di0 = word;
@(posedge CLK);
`ifdef VERBOSE_2
$display("WRITE WORD: 0x%X to %0X(%0D) (0x%X, %B)", word, addr, addr, Di0, WE0);
`endif
WE0 = {SIZE{8'h00}};
end
endtask
task mem_read_word_0(input [A_W-1:0] addr);
begin
@(posedge CLK);
A0 = addr;//[9:2];
WE0 = {SIZE{8'h00}};
@(posedge CLK);
#5;
`ifdef VERBOSE_2
$display("READ WORD: 0x%X from %0D", Do0, addr);
`endif
check0();
end
endtask
task check0; begin
if(RAM_DATA_RW !== Do0) begin
$display("\\n>>Test Failed! <<\\t(Phase: %0d, Iteration: %0d", Phase, i);
$display("Address: 0x%X, READ: 0x%X - Should be: 0x%X", A0, Do0, RAM[A0/SIZE]);
$fatal(1);
end
end
endtask
"""
dual_ported_tasks = """
task mem_read_2words(input [A_W-1:0] addr0,
input [A_W-1:0] addr1);
begin
@(posedge CLK);
A0= addr0;//[9:2];
A1= addr1;//[9:2];
WE0 = {SIZE{8'h00}};
@(posedge CLK);
#5;
`ifdef VERBOSE_2
$display("READ WORD0: 0x%X from %0D", Do0, addr0);
$display("READ WORD1: 0x%X from %0D", Do1, addr1);
`endif
check0();
check1();
end
endtask
task mem_read_word_1(input [A_W-1:0] addr);
begin
@(posedge CLK);
A1 = addr;//[9:2];
WE0 = {SIZE{8'h00}};
@(posedge CLK);
#5;
`ifdef VERBOSE_2
$display("READ WORD: 0x%X from %0D", Do1, addr);
`endif
check1();
end
endtask
task check1; begin
if(RAM_DATA_R !== Do1) begin
$display("\\n>>Test Failed! <<\\t(Phase: %0d, Iteration: %0d", Phase, i);
$display("Address: 0x%X, READ: 0x%X - Should be: 0x%X", A1, Do1, RAM[A1/SIZE]);
$fatal(1);
end
end
endtask
"""
endmodule = """
endmodule
"""
|
class CoinbaseResponse:
bid = 0
ask = 0
product_id = None
def set_bid(self, bid):
self.bid = float(bid)
def get_bid(self):
return self.bid
def set_ask(self, ask):
self.ask = float(ask)
def get_ask(self):
return self.ask
def get_product_id(self):
return self.product_id
def set_product_id(self, product_id):
self.product_id = product_id
|
'''
Problem description:
Given a string, determine whether or not the parentheses are balanced
'''
def balanced_parens(str):
'''
runtime: O(n)
space : O(1)
'''
if str is None:
return True
open_count = 0
for char in str:
if char == '(':
open_count += 1
elif char == ')':
open_count -= 1
if open_count < 0:
return False
return open_count == 0
|
#!/usr/bin/env python3
# Coded by Massimiliano Tomassoli, 2012.
#
# - Thanks to b49P23TIvg for suggesting that I should use a set operation
# instead of repeated membership tests.
# - Thanks to Ian Kelly for pointing out that
# - "minArgs = None" is better than "minArgs = -1",
# - "if args" is better than "if len(args)", and
# - I should use "isdisjoint".
#
def genCur(func, unique = True, minArgs = None):
""" Generates a 'curried' version of a function. """
def g(*myArgs, **myKwArgs):
def f(*args, **kwArgs):
if args or kwArgs: # some more args!
# Allocates data to assign to the next 'f'.
newArgs = myArgs + args
newKwArgs = dict.copy(myKwArgs)
# If unique is True, we don't want repeated keyword arguments.
if unique and not kwArgs.keys().isdisjoint(newKwArgs):
raise ValueError("Repeated kw arg while unique = True")
# Adds/updates keyword arguments.
newKwArgs.update(kwArgs)
# Checks whether it's time to evaluate func.
if minArgs is not None and minArgs <= len(newArgs) + len(newKwArgs):
return func(*newArgs, **newKwArgs) # time to evaluate func
else:
return g(*newArgs, **newKwArgs) # returns a new 'f'
else: # the evaluation was forced
return func(*myArgs, **myKwArgs)
return f
return g
def cur(f, minArgs = None):
return genCur(f, True, minArgs)
def curr(f, minArgs = None):
return genCur(f, False, minArgs)
if __name__ == "__main__":
# Simple Function.
def func(a, b, c, d, e, f, g = 100):
print(a, b, c, d, e, f, g)
# NOTE: '<====' means "this line prints to the screen".
# Example 1.
f = cur(func) # f is a "curried" version of func
c1 = f(1)
c2 = c1(2, d = 4) # Note that c is still unbound
c3 = c2(3)(f = 6)(e = 5) # now c = 3
c3() # () forces the evaluation <====
# it prints "1 2 3 4 5 6 100"
c4 = c2(30)(f = 60)(e = 50) # now c = 30
c4() # () forces the evaluation <====
# it prints "1 2 30 4 50 60 100"
print("\n------\n")
# Example 2.
f = curr(func) # f is a "curried" version of func
# curr = cur with possibly repeated
# keyword args
c1 = f(1, 2)(3, 4)
c2 = c1(e = 5)(f = 6)(e = 10)() # ops... we repeated 'e' because we <====
# changed our mind about it!
# again, () forces the evaluation
# it prints "1 2 3 4 10 6 100"
print("\n------\n")
# Example 3.
f = cur(func, 6) # forces the evaluation after 6 arguments
c1 = f(1, 2, 3) # num args = 3
c2 = c1(4, f = 6) # num args = 5
c3 = c2(5) # num args = 6 ==> evalution <====
# it prints "1 2 3 4 5 6 100"
c4 = c2(5, g = -1) # num args = 7 ==> evaluation <====
# we can specify more than 6 arguments, but
# 6 are enough to force the evaluation
# it prints "1 2 3 4 5 6 -1"
print("\n------\n")
# Example 4.
def printTree(func, level = None):
if level is None:
printTree(cur(func), 0)
elif level == 6:
func(g = '')() # or just func('')()
else:
printTree(func(0), level + 1)
printTree(func(1), level + 1)
printTree(func)
print("\n------\n")
def f2(*args):
print(", ".join(["%3d"%(x) for x in args]))
def stress(f, n):
if n: stress(f(n), n - 1)
else: f() # enough is enough
stress(cur(f2), 100) |
greeting = """
--------------- BEGIN SESSION ---------------
You have connected to a chat server. Welcome!
:: About
Chat is a small piece of server software
written by Evan Pratten to allow people to
talk to eachother from any computer as long
as it has an internet connection. (Even an
arduino!). Check out the project at:
https://github.com/Ewpratten/chat
:: Disclaimer
While chatting, keep in mind that, if there
is a rule or regulation about privacy, this
server does not follow it. All data is sent
to and from this server over a raw TCP socket
and data is temporarily stored in plaintext
while the server handles message broadcasting
Now that's out of the way so, happy chatting!
---------------------------------------------
""" |
# 13. Join
# it allows to print list a bit better
friends = ['Pythobit','boy','Pythoman']
print(f'My friends are {friends}.') # Output - My friends are ['Pythobit', 'boy', 'Pythoman'].
# So, the Output needs to be a bit clearer.
friends = ['Pythobit','boy','Pythoman']
friend = ', '.join(friends)
print(f'My friends are {friend}') # Output - My friends are Pythobit, boy, Pythoman
# Here (, ) comma n space is used as separator, but you can use anything.
|
# settings file for builds.
# if you want to have custom builds, copy this file to "localbuildsettings.py" and make changes there.
# possible fields:
# resourceBaseUrl - optional - the URL base for external resources (all resources embedded in standard IITC)
# distUrlBase - optional - the base URL to use for update checks
# buildMobile - optional - if set, mobile builds are built with 'ant'. requires the Android SDK and appropriate mobile/local.properties file configured
# preBuild - optional - an array of strings to run as commands, via os.system, before building the scripts
# postBuild - optional - an array of string to run as commands, via os.system, after all builds are complete
buildSettings = {
# local: use this build if you're not modifying external resources
# no external resources allowed - they're not needed any more
'randomizax': {
'resourceUrlBase': None,
'distUrlBase': 'https://randomizax.github.io/polygon-label',
},
# local8000: if you need to modify external resources, this build will load them from
# the web server at http://0.0.0.0:8000/dist
# (This shouldn't be required any more - all resources are embedded. but, it remains just in case some new feature
# needs external resources)
'local8000': {
'resourceUrlBase': 'http://0.0.0.0:8000/dist',
'distUrlBase': None,
},
# mobile: default entry that also builds the mobile .apk
# you will need to have the android-sdk installed, and the file mobile/local.properties created as required
'mobile': {
'resourceUrlBase': None,
'distUrlBase': None,
'buildMobile': 'debug',
},
# if you want to publish your own fork of the project, and host it on your own web site
# create a localbuildsettings.py file containing something similar to this
# note: Firefox+Greasemonkey require the distUrlBase to be "https" - they won't check for updates on regular "http" URLs
#'example': {
# 'resourceBaseUrl': 'http://www.example.com/iitc/dist',
# 'distUrlBase': 'https://secure.example.com/iitc/dist',
#},
}
# defaultBuild - the name of the default build to use if none is specified on the build.py command line
# (in here as an example - it only works in localbuildsettings.py)
#defaultBuild = 'local'
|
class Point3D:
def __init__(self,x,y,z):
self.x = x
self.y = y
self.z = z
'''
Returns the distance between two 3D points
'''
def distance(self, value):
return abs(self.x - value.x) + abs(self.y - value.y) + abs(self.z - value.z)
def __eq__(self, value):
return self.x == value.x and self.y == value.y and self.z == value.z
def __hash__(self):
return hash((self.x,self.y,self.z))
def __repr__(self):
return f'({self.x},{self.y},{self.z})'
def __add__(self,value):
return Point3D(self.x + value.x, self.y + value.y, self.z + value.z) |
# API keys
# YF_API_KEY = "YRVHVLiFAt3ANYZf00BXr2LHNfZcgKzdWVmsZ9Xi" # yahoo finance api key
TICKER = "TSLA"
INTERVAL = "1m"
PERIOD = "1d"
LOOK_BACK = 30 # hard limit to not reach rate limit of 100 per day |
FILE = r'../src/etc-hosts.txt'
hostnames = []
try:
with open(FILE, encoding='utf-8') as file:
content = file.readlines()
except FileNotFoundError:
print('File does not exist')
except PermissionError:
print('Permission denied')
for line in content:
if line.startswith('#'):
continue
if line.isspace():
continue
line = line.strip().split()
ip = line[0]
hosts = line[1:]
for record in hostnames:
if record['ip'] == ip:
record['hostnames'].update(hosts)
break
else:
hostnames.append({
'hostnames': set(hosts),
'protocol': 'IPv4' if '.' in ip else 'IPv6',
'ip': ip,
})
print(hostnames)
|
def n_subimissions_per_day( url, headers ):
"""Get the number of submissions we can make per day for the selected challenge.
Parameters
----------
url : {'prize', 'points', 'knowledge' , 'all'}, default='all'
The reward of the challenges for top challengers.
headers : dictionary ,
The headers of the request.
Returns
-------
n_sub : int, default=0 : Means error during info retrieval.
The number of submissions we can make per day.
""" |