answer stringlengths 15 1.25M |
|---|
// Vendor styles
import 'bootswatch/flatly/bootstrap.css';
import 'font-awesome/css/font-awesome.css';
// App styles
import './style.css'; |
<?php
namespace ellsif\WelCMS;
class JsonPrinter extends Printer
{
/**
* json
*/
public function print(ServiceResult $result = null)
{
header("Content-Type: application/json; charset=utf-8");
if ($result->hasError()) {
http_response_code(500);
}
if ($result->getView('json')) {
WelUtil::loadView($result->getView('json'), $result->resultData());
} else {
echo json_encode(["result" =>$result->resultData()]);
}
}
} |
Rails.application.routes.draw do
get 'map', to: 'map#index'
end |
package de.simonding.yaces;
import java.util.EventObject;
import lombok.Getter;
public abstract class Event extends EventObject {
private static final long serialVersionUID = 1L;
@Getter private final boolean cancelable;
public Event(Object source, boolean isCancelable) {
super(source);
this.cancelable = isCancelable;
}
} |
'use strict';
require('./polyfill');
var angular = require('angular');
var jQLite = exports.jQLite = angular.element;
var camelToDash = exports.camelToDash = function(str) {
return str.replace(/\W+/g, '-')
.replace(/([a-z\d])([A-Z])/g, '$1-$2');
};
exports.compileDirective = function(directivename, html) {
var element = jQLite(html);
this.$compile(element)(this.$scope);
this.$scope.$digest();
this.controller = element.controller(directivename);
this.scope = element.isolateScope() || element.scope();
return element;
};
exports.<API key> = function(directivename, html, height) {
height = height || 100;
var element = jQLite('<fa-app style="height: ' + height + 'px">' + html + '</fa-app>');
var app = this.$compile(element)(this.$scope)[0];
this.directive = element.find(camelToDash(directivename));
this.controller = this.directive.controller(directivename);
this.scope = this.directive.isolateScope() || this.directive.scope();
document.body.appendChild(app);
this.$scope.$digest();
return element;
};
exports.cleanDocument = function() {
var body = document.body;
while(body.firstChild) {
body.removeChild(body.firstChild);
}
};
exports.mockEvent = function(eventData) {
return new CustomEvent('mock', eventData || {});
}; |
package seedu.todo.testutil;
import java.io.File;
import java.io.IOException;
import java.util.ArrayList;
import java.util.List;
import javafx.scene.input.KeyCode;
import javafx.scene.input.KeyCodeCombination;
import javafx.scene.input.KeyCombination;
import seedu.todo.commons.util.FileUtil;
//@@author A0139812A-reused
public class TestUtil {
public static final String LS = System.lineSeparator();
/**
* Folder used for temp files created during testing. Ignored by Git.
*/
public static final String SANDBOX_FOLDER = FileUtil.getPath("./src/test/data/sandbox/");
/**
* Appends the file name to the sandbox folder path.
* Creates the sandbox folder if it doesn't exist.
* @param fileName
* @return
*/
public static String <API key>(String fileName) {
try {
FileUtil.createDirs(new File(SANDBOX_FOLDER));
} catch (IOException e) {
throw new RuntimeException(e);
}
return SANDBOX_FOLDER + fileName;
}
/**
* Tweaks the {@code keyCodeCombination} to resolve the {@code KeyCode.SHORTCUT} to their
* respective platform-specific keycodes
*/
public static KeyCode[] scrub(KeyCodeCombination keyCodeCombination) {
List<KeyCode> keys = new ArrayList<>();
if (keyCodeCombination.getAlt() == KeyCombination.ModifierValue.DOWN) {
keys.add(KeyCode.ALT);
}
if (keyCodeCombination.getShift() == KeyCombination.ModifierValue.DOWN) {
keys.add(KeyCode.SHIFT);
}
if (keyCodeCombination.getMeta() == KeyCombination.ModifierValue.DOWN) {
keys.add(KeyCode.META);
}
if (keyCodeCombination.getControl() == KeyCombination.ModifierValue.DOWN) {
keys.add(KeyCode.CONTROL);
}
keys.add(keyCodeCombination.getCode());
return keys.toArray(new KeyCode[]{});
}
} |
<?php
namespace Eko\FeedBundle\Tests\Feed;
use Eko\FeedBundle\Feed\FeedManager;
use Eko\FeedBundle\Formatter\AtomFormatter;
use Eko\FeedBundle\Formatter\RssFormatter;
use Eko\FeedBundle\Tests\Entity\Writer\<API key>;
use Symfony\Component\Routing\RouterInterface;
use Symfony\Contracts\Translation\TranslatorInterface;
/**
* FeedTest.
*
* This is the feed test class
*
* @author Vincent Composieux <vincent.composieux@gmail.com>
*/
class FeedTest extends \PHPUnit\Framework\TestCase
{
/**
* @var FeedManager A feed manager instance
*/
protected $manager;
/**
* Set up.
*/
protected function setUp(): void
{
$config = [
'feeds' => [
'article' => [
'title' => 'My articles/posts',
'description' => 'Latests articles',
'link' => 'http://github.com/eko/FeedBundle',
'encoding' => 'utf-8',
'author' => 'Vincent Composieux',
],
],
];
$router = $this->createMock(RouterInterface::class);
$translator = $this->createMock(TranslatorInterface::class);
$formatters = [
'rss' => new RssFormatter($translator, 'test'),
'atom' => new AtomFormatter($translator, 'test'),
];
$this->manager = new FeedManager($router, $config, $formatters);
}
/**
* Check if there is no item inserted during feed creation.
*/
public function testNoItem()
{
$feed = $this->manager->get('article');
$this->assertEquals(0, count($feed->getItems()));
}
/**
* Check if items are correctly added.
*/
public function testAdditem()
{
$feed = $this->manager->get('article');
$feed->add(new <API key>());
$this->assertEquals(1, count($feed->getItems()));
}
/**
* Check if items are correctly added.
*/
public function <API key>()
{
$feed = $this->manager->get('article');
$items = [new <API key>(), new <API key>()];
$feed->addFromArray($items);
$this->assertEquals(2, count($feed->getItems()));
}
/**
* Check if items are correctly added.
*/
public function <API key>()
{
$feed = $this->manager->get('article');
$feed->add(new <API key>());
$items = [new <API key>(), new <API key>()];
$feed->addFromArray($items);
$this->assertEquals(3, count($feed->getItems()));
}
/**
* Check if multiple items are correctly loaded.
*/
public function <API key>()
{
$feed = $this->manager->get('article');
$items = [new <API key>(), new <API key>()];
$feed->setItems($items);
$this->assertEquals(2, count($feed->getItems()));
}
/**
* Check if multiple items are correctly loaded.
*/
public function <API key>()
{
$feed = $this->manager->get('article');
$feed->add(new <API key>());
$items = [new <API key>(), new <API key>()];
$feed->setItems($items);
$this->assertEquals(2, count($feed->getItems()));
}
/**
* Check if an \<API key> is thrown
* when formatter asked for rendering does not exists.
*/
public function <API key>()
{
$feed = $this->manager->get('article');
$feed->add(new <API key>());
$this->expectException('<API key>');
$this-><API key>("Unable to find a formatter service for format 'unknown_formatter'.");
$feed->render('unknown_formatter');
}
} |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1">
<!-- The above 3 meta tags *must* come first in the head; any other head content must come *after* these tags -->
<meta name="description" content="">
<meta name="author" content="">
<link rel="icon" href="assets/images/favicon.ico">
<title>PHP Object Browser - Instructions</title>
<link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/<TwitterConsumerkey>/3.3.4/css/bootstrap.min.css">
<link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/font-awesome/4.3.0/css/font-awesome.min.css">
<link rel="stylesheet" href="//cdnjs.cloudflare.com/ajax/libs/jstree/3.1.0/themes/default/style.min.css" />
<link rel="stylesheet" href="assets/css/object-browser.css" />
<!-- HTML5 shim and Respond.js for IE8 support of HTML5 elements and media queries -->
<!--[if lt IE 9]>
<script src="//oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="//oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]
</head>
<body>
<a href="https:
<nav class="navbar navbar-inverse navbar-fixed-top">
<div class="container">
<div class="navbar-header">
<button type="button" class="navbar-toggle collapsed" data-toggle="collapse" data-target="#navbar" aria-expanded="false" aria-controls="navbar">
<span class="sr-only">Toggle navigation</span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
<span class="icon-bar"></span>
</button>
<a class="navbar-brand" href="./"><i class="fa fa-cube"></i> PHP Object Browser</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="./">Browser</a></li>
<li class="active"><a href="instructions.php">Instructions</a></li>
<li><a href="credits.php">Credits</a></li>
</ul>
</div><!--/.nav-collapse -->
</div>
</nav>
<main class="container">
<h1>Instructions</h1>
<h3>Usage</h3>
<p>Copy any output from the PHP <code>serialize(...)</code> function.</p>
<p>Paste the serialized code into the object browser text area and submit the form.</p>
<p><img src="assets/images/screenshot.gif"></p>
<h3>Class Definitions</h3>
<p>In order to view the methods/functions of a class, the class definitions must be included prior to unserialization,
otherwise PHP interprets it as a <code><API key></code>.
If you would like to see functions/methods in the browser tree view, you must create a file named <code>includes.php</code> in this directory.
Add all necessary <code>require_once(...)</code> statements to load your class definitions to this file.
The object browser will look for this file and include it prior to unserialization. </p>
<h3>Example serialized code:</h3>
<p>Copy/paste the example code below if you want to simply demo the object browser:</p>
<pre>O:8:"stdClass":2:{s:4:"name";s:16:"This is a string";s:4:"data";a:2:{s:4:"size";i:50;s:5:"color";s:5:"green";}}</pre>
</main>
<footer class="footer">
<div class="container">
<div class="text-muted">Created out of spite by <a href="http://verysimple.com/">Jason Hinkle</a></div>
</div>
</footer>
<script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/<TwitterConsumerkey>/3.3.4/js/bootstrap.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/jstree/3.1.0/jstree.min.js"></script>
<script>
$(document).ready(function(){
$('#tree-1').jstree();
$('#ajax-loader').hide();
$('#tree-1').show();
});
</script>
</body>
</html> |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>stalmarck: Not compatible </title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.8.1 / stalmarck - 8.7.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
stalmarck
<small>
8.7.0
<span class="label label-info">Not compatible </span>
</small>
</h1>
<p> <em><script>document.write(moment("2022-02-10 07:56:43 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2022-02-10 07:56:43 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
camlp5 7.14 <API key> of OCaml
conf-findutils 1 Virtual package relying on findutils
conf-perl 2 Virtual package relying on perl
coq 8.8.1 Formal proof management system
num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.07.1 The OCaml compiler (virtual package)
ocaml-base-compiler 4.07.1 Official release 4.07.1
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.3 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: "Hugo.Herbelin@inria.fr"
homepage: "https://github.com/coq-community/stalmarck"
license: "LGPL 2.1"
build: [make "-j%{jobs}%"]
install: [make "install"]
remove: ["rm" "-R" "%{lib}%/coq/user-contrib/Stalmarck"]
depends: [
"ocaml"
"coq" {>= "8.7" & < "8.8~"}
]
tags: [ "keyword: boolean formula" "keyword: tautology checker" "category: Computer Science/Decision Procedures and Certified Algorithms/Decision procedures" "category: Miscellaneous/Extracted Programs/Decision procedures" "date: 2000" ]
authors: [ "Pierre Letouzey" "Laurent Théry" ]
bug-reports: "https://github.com/coq-community/stalmarck/issues"
dev-repo: "git+https://github.com/coq-community/stalmarck.git"
synopsis: "Proof of Stalmarck's algorithm"
description: """
A two-level approach to prove tautology
using Stalmarck's algorithm."""
flags: light-uninstall
url {
src: "https://github.com/coq-community/stalmarck/archive/v8.7.0.tar.gz"
checksum: "md5=<API key>"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install </h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-stalmarck.8.7.0 coq.8.8.1</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.8.1).
The following dependencies couldn't be met:
- coq-stalmarck -> coq < 8.8~ -> ocaml < 4.06.0
base of this switch (use `--unlock-base' to force)
Your request can't be satisfied:
- No available version of coq satisfies the constraints
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-stalmarck.8.7.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Install </h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Installation size</h2>
<p>No files were installed.</p>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https:
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html> |
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<title>libvalidsdp: Not compatible </title>
<link rel="shortcut icon" type="image/png" href="../../../../../favicon.png" />
<link href="../../../../../bootstrap.min.css" rel="stylesheet">
<link href="../../../../../bootstrap-custom.css" rel="stylesheet">
<link href="//maxcdn.bootstrapcdn.com/font-awesome/4.2.0/css/font-awesome.min.css" rel="stylesheet">
<script src="../../../../../moment.min.js"></script>
<!-- HTML5 Shim and Respond.js IE8 support of HTML5 elements and media queries -->
<!-- WARNING: Respond.js doesn't work if you view the page via file:
<!--[if lt IE 9]>
<script src="https://oss.maxcdn.com/html5shiv/3.7.2/html5shiv.min.js"></script>
<script src="https://oss.maxcdn.com/respond/1.4.2/respond.min.js"></script>
<![endif]
</head>
<body>
<div class="container">
<div class="navbar navbar-default" role="navigation">
<div class="container-fluid">
<div class="navbar-header">
<a class="navbar-brand" href="../../../../.."><i class="fa fa-lg fa-flag-checkered"></i> Coq bench</a>
</div>
<div id="navbar" class="collapse navbar-collapse">
<ul class="nav navbar-nav">
<li><a href="../..">clean / released</a></li>
<li class="active"><a href="">8.11.0 / libvalidsdp - 0.6.0</a></li>
</ul>
</div>
</div>
</div>
<div class="article">
<div class="row">
<div class="col-md-12">
<a href="../..">« Up</a>
<h1>
libvalidsdp
<small>
0.6.0
<span class="label label-info">Not compatible </span>
</small>
</h1>
<p> <em><script>document.write(moment("2021-11-16 15:00:10 +0000", "YYYY-MM-DD HH:mm:ss Z").fromNow());</script> (2021-11-16 15:00:10 UTC)</em><p>
<h2>Context</h2>
<pre># Packages matching: installed
# Name # Installed # Synopsis
base-bigarray base
base-threads base
base-unix base
conf-findutils 1 Virtual package relying on findutils
coq 8.11.0 Formal proof management system
num 1.4 The legacy Num library for arbitrary-precision integer and rational arithmetic
ocaml 4.07.1 The OCaml compiler (virtual package)
ocaml-base-compiler 4.07.1 Official release 4.07.1
ocaml-config 1 OCaml Switch Configuration
ocamlfind 1.9.1 A library manager for OCaml
# opam file:
opam-version: "2.0"
maintainer: [
"Pierre Roux <pierre.roux@onera.fr>"
"Érik Martin-Dorel <erik.martin-dorel@irit.fr>"
]
homepage: "https://sourcesup.renater.fr/validsdp/"
dev-repo: "git+https://github.com/validsdp/validsdp.git"
bug-reports: "https://github.com/validsdp/validsdp/issues"
license: "LGPL-2.1-or-later"
build: [
["sh" "-c" "./configure"]
[make "-j%{jobs}%"]
]
install: [make "install"]
depends: [
"ocaml"
"coq" {>= "8.7" & < "8.11~"}
"coq-bignums"
"coq-flocq" {>= "3.1.0"}
"coq-coquelicot" {>= "3.0"}
"coq-interval" {>= "3.4.0" & < "4~"}
"coq-mathcomp-field" {>= "1.8" & < "1.10~"}
"ocamlfind" {build}
"conf-autoconf" {build}
]
synopsis: "LibValidSDP"
description: """
LibValidSDP is a library for the Coq formal proof assistant. It provides
results mostly about rounding errors in the Cholesky decomposition algorithm
used in the ValidSDP library which itself implements Coq tactics to prove
multivariate inequalities using SDP solvers.
Once installed, the following modules can be imported :
From libValidSDP Require Import Rstruct.v misc.v real_matrix.v bounded.v float_spec.v fsum.v fcmsum.v binary64.v cholesky.v float_infnan_spec.v binary64_infnan.v cholesky_infnan.v flx64.v zulp.v coqinterval_infnan.v.
"""
tags: [
"keyword:libValidSDP"
"keyword:ValidSDP"
"keyword:floating-point arithmetic"
"keyword:Cholesky decomposition"
"category:Miscellaneous/Coq Extensions"
"logpath:libValidSDP"
]
authors: [
"Pierre Roux <pierre.roux@onera.fr>"
"Érik Martin-Dorel <erik.martin-dorel@irit.fr>"
]
url {
src: "https://github.com/validsdp/validsdp/releases/download/v0.6.0/libvalidsdp-0.6.0.tar.gz"
checksum: "sha256=<SHA256-like>"
}
</pre>
<h2>Lint</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Dry install </h2>
<p>Dry install with the current Coq version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam install -y --show-action coq-libvalidsdp.0.6.0 coq.8.11.0</code></dd>
<dt>Return code</dt>
<dd>5120</dd>
<dt>Output</dt>
<dd><pre>[NOTE] Package coq is already installed (current version is 8.11.0).
The following dependencies couldn't be met:
- coq-libvalidsdp -> coq < 8.11~ -> ocaml < 4.06.0
base of this switch (use `--unlock-base' to force)
Your request can't be satisfied:
- No available version of coq satisfies the constraints
No solution found, exiting
</pre></dd>
</dl>
<p>Dry install without Coq/switch base, to test if the problem was incompatibility with the current Coq/OCaml version:</p>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>opam remove -y coq; opam install -y --show-action --unlock-base coq-libvalidsdp.0.6.0</code></dd>
<dt>Return code</dt>
<dd>0</dd>
</dl>
<h2>Install dependencies</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Install </h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Duration</dt>
<dd>0 s</dd>
</dl>
<h2>Installation size</h2>
<p>No files were installed.</p>
<h2>Uninstall 🧹</h2>
<dl class="dl-horizontal">
<dt>Command</dt>
<dd><code>true</code></dd>
<dt>Return code</dt>
<dd>0</dd>
<dt>Missing removes</dt>
<dd>
none
</dd>
<dt>Wrong removes</dt>
<dd>
none
</dd>
</dl>
</div>
</div>
</div>
<hr/>
<div class="footer">
<p class="text-center">
Sources are on <a href="https:
</p>
</div>
</div>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="../../../../../bootstrap.min.js"></script>
</body>
</html> |
import asyncio
import irc.parser
import pyparsing
def unescape(value):
return value.replace("\\:", ";") \
.replace("\\s", " ") \
.replace("\\\\", "\\") \
.replace("\\r", "\r") \
.replace("\\n", "\n")
class Connection:
def __init__(self, host, port, handler, loop=None):
self.host = host
self.port = port
self.handler = handler
self.loop = loop or asyncio.get_event_loop()
self.writer = None
@asyncio.coroutine
def run(self):
wait_time = 1
while True:
try:
reader, self.writer = yield from asyncio.open_connection(self.host, self.port, loop=self.loop)
yield from self.signal("connect", self)
while not reader.at_eof():
line = yield from reader.readline()
if not line.endswith(b"\r\n"):
continue
wait_time = 1
try:
tags, source, command, params = irc.parser.message.parseString(line.decode("utf-8", "replace"))
except pyparsing.ParseException as e:
print("Parse error while parsing %r: %s" % (line, e))
continue
tags = {tag: unescape(value) for tag, value in tags}
params = list(params)
if "server" in source:
source = source["server"]
elif "nick" in source:
source = source["nick"]
if len(source) == 1:
source = (source[0], None, None)
elif len(source) == 2:
source = (source[0], None, source[1])
else:
source = (source[0], source[1], source[2])
else:
source = self.host
command = command.lower()
if command == "privmsg" and params[1][0] == "\x01" and params[1][-1] == "\x01": # CTCP message
tag, param = params[1][1:-1].split(" ", 1)
yield from self.signal("ctcp_" + tag.lower(), self, tags, source, [params[0], param])
else:
yield from self.signal(command, self, tags, source, params)
except IOError as e:
pass
yield from asyncio.sleep(wait_time)
wait_time *= 2
def disconnect(self):
self.writer.close()
@asyncio.coroutine
def signal(self, name, *args, **kwargs):
callback = getattr(self.handler, "on_" + name, None)
if callback is not None:
yield from callback(*args, **kwargs)
# IRC commands
@asyncio.coroutine
def command_raw(self, command):
self.writer.write((command+"\r\n").encode("utf-8"))
yield from self.writer.drain()
@asyncio.coroutine
def password(self, password):
yield from self.command_raw("PASS " + password)
@asyncio.coroutine
def nick(self, nick):
yield from self.command_raw("NICK " + nick)
@asyncio.coroutine
def join(self, target):
yield from self.command_raw("JOIN " + target)
@asyncio.coroutine
def cap_req(self, cap):
yield from self.command_raw("CAP REQ :" + cap)
@asyncio.coroutine
def ping(self, server1, server2=None):
yield from self.command_raw("PING " + server1 + (" " + server2 if server2 is not None else ""))
@asyncio.coroutine
def pong(self, server1, server2=None):
yield from self.command_raw("PONG " + server1 + (" " + server2 if server2 is not None else ""))
@asyncio.coroutine
def privmsg(self, target, message):
yield from self.command_raw("PRIVMSG " + target + " :" + message) |
#pragma once
#include <map>
#include "Interface.h"
#include "Player.h"
#include "Resource.h"
#include "Map.h"
#include "Building.h"
#include "Power.h"
#include "Auction.h"
namespace ugly
{
namespace FreeMarket
{
class Serializer
{
public:
static std::string SerializeState(GameConfig& gameSetup, PlayerConfig& playerSetup, GameState& gameState, PlayerState& playerState);
static std::string SerializeSetup(GameConfig& gameSetup, PlayerConfig& playerSetup, GameState& gameState, PlayerState& playerState);
static bool ExecuteOrder(const std::string& order, GameConfig& gameSetup, PlayerConfig& playerSetup, GameState& gameState, PlayerState& playerState);
static BuildingCard* FindBuildingCard(GameConfig& gameSetup, GameState& gameState, std::int32_t id);
static Building* FindBuilding(GameConfig& gameSetup, GameState& gameState, std::int32_t id);
static Action* FindAction(GameConfig& gameSetup, GameState& gameState, std::int32_t id);
static Auction* FindAuction(GameConfig& gameSetup, GameState& gameState, std::int32_t id);
};
}
} |
export default (action) => {
const newOptions = {
method: 'GET',
uri: action.url,
json: true,
};
const options = Object.assign({}, newOptions, action);
delete options.url;
delete options.type;
if (action.headers) {
options.headers = action.headers;
}
if (action.data) {
options.headers = options.headers || {};
options.headers['Content-Type'] = options.headers['Content-Type'] || 'application/json';
options.body = action.data;
}
return options;
}; |
<?php
use Illuminate\Database\Seeder;
use Illuminate\Database\Eloquent\Model;
class DatabaseSeeder extends Seeder
{
/**
* Run the database seeds.
*
* @return void
*/
public function run()
{
Model::unguard();
$this->call(OurUsersSeeder::class);
$this->call(ProvinceSeeder::class);
$this->call(CitySeeder::class);
$this->call(WorkCentersSeeder::class);
$this->call(<API key>::class);
$this->call(TagsSeeder::class);
$this->call(JobOffersSeeder::class);
$this->call(OfferTagsSeeder::class);
$this->call(<API key>::class);
$this->call(<API key>::class);
$this->call(TutorsSeeder::class);
$this->call(StudentCyclesSeeder::class);
$this->call(SubcriptionsSeeder::class);
$this->call(SentEmailsSeeder::class);
$this->call(CommentsSeeder::class);
$this->call(VerifiedSeeder::class);
Model::reguard();
}
} |
from typing import Sequence, Any, Dict, Tuple, Callable, Optional, TypeVar, Union
import inspect
try: # Python 3.8
import importlib.metadata as importlib_metadata
except ImportError:
from . import _importlib_metadata as importlib_metadata # type: ignore
# Only ever call this once for performance reasons
<API key> = importlib_metadata.entry_points() # type: ignore
# This is where functions will be registered
REGISTRY: Dict[Tuple[str, ...], Any] = {}
InFunc = TypeVar("InFunc")
def create(*namespace: str, entry_points: bool = False) -> "Registry":
"""Create a new registry.
*namespace (str): The namespace, e.g. "spacy" or "spacy", "architectures".
entry_points (bool): Accept registered functions from entry points.
RETURNS (Registry): The Registry object.
"""
if check_exists(*namespace):
raise RegistryError(f"Namespace already exists: {namespace}")
return Registry(namespace, entry_points=entry_points)
class Registry(object):
def __init__(self, namespace: Sequence[str], entry_points: bool = False) -> None:
"""Initialize a new registry.
namespace (Sequence[str]): The namespace.
entry_points (bool): Whether to also check for entry points.
"""
self.namespace = namespace
self.<API key> = "_".join(namespace)
self.entry_points = entry_points
def __contains__(self, name: str) -> bool:
"""Check whether a name is in the registry.
name (str): The name to check.
RETURNS (bool): Whether the name is in the registry.
"""
namespace = tuple(list(self.namespace) + [name])
has_entry_point = self.entry_points and self.get_entry_point(name)
return has_entry_point or namespace in REGISTRY
def __call__(
self, name: str, func: Optional[Any] = None
) -> Callable[[InFunc], InFunc]:
"""Register a function for a given namespace. Same as Registry.register.
name (str): The name to register under the namespace.
func (Any): Optional function to register (if not used as decorator).
RETURNS (Callable): The decorator.
"""
return self.register(name, func=func)
def register(
self, name: str, *, func: Optional[Any] = None
) -> Callable[[InFunc], InFunc]:
"""Register a function for a given namespace.
name (str): The name to register under the namespace.
func (Any): Optional function to register (if not used as decorator).
RETURNS (Callable): The decorator.
"""
def do_registration(func):
_set(list(self.namespace) + [name], func)
return func
if func is not None:
return do_registration(func)
return do_registration
def get(self, name: str) -> Any:
"""Get the registered function for a given name.
name (str): The name.
RETURNS (Any): The registered function.
"""
if self.entry_points:
from_entry_point = self.get_entry_point(name)
if from_entry_point:
return from_entry_point
namespace = list(self.namespace) + [name]
if not check_exists(*namespace):
current_namespace = " -> ".join(self.namespace)
available = ", ".join(sorted(self.get_all().keys())) or "none"
raise RegistryError(
f"Cant't find '{name}' in registry {current_namespace}. Available names: {available}"
)
return _get(namespace)
def get_all(self) -> Dict[str, Any]:
"""Get a all functions for a given namespace.
namespace (Tuple[str]): The namespace to get.
RETURNS (Dict[str, Any]): The functions, keyed by name.
"""
global REGISTRY
result = {}
if self.entry_points:
result.update(self.get_entry_points())
for keys, value in REGISTRY.items():
if len(self.namespace) == len(keys) - 1 and all(
self.namespace[i] == keys[i] for i in range(len(self.namespace))
):
result[keys[-1]] = value
return result
def get_entry_points(self) -> Dict[str, Any]:
"""Get registered entry points from other packages for this namespace.
RETURNS (Dict[str, Any]): Entry points, keyed by name.
"""
result = {}
for entry_point in <API key>.get(self.<API key>, []):
result[entry_point.name] = entry_point.load()
return result
def get_entry_point(self, name: str, default: Optional[Any] = None) -> Any:
"""Check if registered entry point is available for a given name in the
namespace and load it. Otherwise, return the default value.
name (str): Name of entry point to load.
default (Any): The default value to return.
RETURNS (Any): The loaded entry point or the default value.
"""
for entry_point in <API key>.get(self.<API key>, []):
if entry_point.name == name:
return entry_point.load()
return default
def find(self, name: str) -> Dict[str, Optional[Union[str, int]]]:
"""Find the information about a registered function, including the
module and path to the file it's defined in, the line number and the
docstring, if available.
name (str): Name of the registered function.
RETURNS (Dict[str, Optional[Union[str, int]]]): The function info.
"""
func = self.get(name)
module = inspect.getmodule(func)
# These calls will fail for Cython modules so we need to work around them
line_no: Optional[int] = None
file_name: Optional[str] = None
try:
_, line_no = inspect.getsourcelines(func)
file_name = inspect.getfile(func)
except (TypeError, ValueError):
pass
docstring = inspect.getdoc(func)
return {
"module": module.__name__ if module else None,
"file": file_name,
"line_no": line_no,
"docstring": inspect.cleandoc(docstring) if docstring else None,
}
def check_exists(*namespace: str) -> bool:
"""Check if a namespace exists.
*namespace (str): The namespace.
RETURNS (bool): Whether the namespace exists.
"""
return namespace in REGISTRY
def _get(namespace: Sequence[str]) -> Any:
"""Get the value for a given namespace.
namespace (Sequence[str]): The namespace.
RETURNS (Any): The value for the namespace.
"""
global REGISTRY
if not all(isinstance(name, str) for name in namespace):
raise ValueError(
f"Invalid namespace. Expected tuple of strings, but got: {namespace}"
)
namespace = tuple(namespace)
if namespace not in REGISTRY:
raise RegistryError(f"Can't get namespace {namespace} (not in registry)")
return REGISTRY[namespace]
def _get_all(namespace: Sequence[str]) -> Dict[Tuple[str, ...], Any]:
"""Get all matches for a given namespace, e.g. ("a", "b", "c") and
("a", "b") for namespace ("a", "b").
namespace (Sequence[str]): The namespace.
RETURNS (Dict[Tuple[str], Any]): All entries for the namespace, keyed
by their full namespaces.
"""
global REGISTRY
result = {}
for keys, value in REGISTRY.items():
if len(namespace) <= len(keys) and all(
namespace[i] == keys[i] for i in range(len(namespace))
):
result[keys] = value
return result
def _set(namespace: Sequence[str], func: Any) -> None:
"""Set a value for a given namespace.
namespace (Sequence[str]): The namespace.
func (Callable): The value to set.
"""
global REGISTRY
REGISTRY[tuple(namespace)] = func
def _remove(namespace: Sequence[str]) -> Any:
"""Remove a value for a given namespace.
namespace (Sequence[str]): The namespace.
RETURNS (Any): The removed value.
"""
global REGISTRY
namespace = tuple(namespace)
if namespace not in REGISTRY:
raise RegistryError(f"Can't get namespace {namespace} (not in registry)")
removed = REGISTRY[namespace]
del REGISTRY[namespace]
return removed
class RegistryError(ValueError):
pass |
.content {
margin-top: 50px;
}
.undecorated-link:hover {
text-decoration: none;
}
[ng\:cloak],
[ng-cloak],
[x-ng-cloak],
.ng-cloak,
.x-ng-cloak {
display: none !important;
}
.<API key> {
opacity: 0.8;
height: 28px;
width: 28px;
border-radius: 50%;
margin-right: 5px;
}
.open .<API key>,
a:hover .<API key> {
opacity: 1;
}
.<API key> {
padding-top: 11px !important;
padding-bottom: 11px !important;
}
.error-text {
display: none;
}
.has-error .help-block.error-text {
display: block;
}
.has-error .help-inline.error-text {
display: inline;
}
.jumbo-background {
background: no-repeat center center fixed;
background-size: 100% auto;
-<API key>: cover;
-moz-background-size: cover;
-o-background-size: cover;
/*background-size: cover;*/
}
.jumbo-header {
margin-top: 7%;
height: 400px;
}
.jumbo-top {
margin-top: 7%;
height: 100px;
}
.jumbo-full {
height: 80%
}
.jumbo-chat {
margin-top: 5%;
height: 90%
}
.jumbo-broadcast {
height: 90%
}
.jumbo-segment {
height: 10px;
}
.jumbo-footer {
height: 200px;
}
.jumbo-text {
text-align: center;
color: #000000;
opacity: 1;
}
.fog {
background-color: white;
background-color:rgba(256, 256, 256, 0.7);
}
.poem {
font-family: 'Gill Sans', 'Gill Sans MT', Calibri, 'Trebuchet MS', sans-serif
}
.wordwrap {
white-space: pre-wrap; /* CSS3 */
white-space: -moz-pre-wrap; /* Firefox */
white-space: -pre-wrap; /* Opera <7 */
white-space: -o-pre-wrap; /* Opera 7 */
word-wrap: break-word;
} |
import numpy
np = numpy
import theano
import theano.tensor as T
# (Here we make a toy dataset of two 2D gaussians with different means.)
num_examples = 1000
batch_size = 100
means = np.array([[-1., -1.], [1, 1]])
std = 0.5
labels = np.random.randint(size=num_examples, low=0, high=1)
features = means[labels, :] + std * np.random.normal(size=(num_examples, 2))
labels = labels.reshape((num_examples, 1)).astype(theano.config.floatX)
features = features.astype(theano.config.floatX)
# Define "data_stream"
from collections import OrderedDict
from fuel.datasets import IndexableDataset
# The names here (e.g. 'name1') need to match the names of the variables which
# are the roots of the computational graph for the cost.
dataset = IndexableDataset(
OrderedDict([('name1', features), ('name2', labels)]))
from fuel.streams import DataStream, ForceFloatX
from fuel.schemes import SequentialScheme
data_stream = ForceFloatX(DataStream(dataset,
iteration_scheme=SequentialScheme(
dataset.num_examples, batch_size)))
# Define "cost" and "parameters"
# (We use logistic regression to classify points by distribution)
inputs = T.matrix('name1')
targets = T.matrix('name2')
ninp, nout = 2, 1
W = theano.shared(.01*np.random.uniform(
size=((ninp, nout))).astype(theano.config.floatX))
b = theano.shared(np.zeros(nout).astype(theano.config.floatX))
output = T.nnet.sigmoid(T.dot(inputs, W) + b)
# a theano symbolic expression
cost = T.mean(T.nnet.binary_crossentropy(output, targets))
# a list of theano.shared variables
parameters = [W, b]
# wrap everything in Blocks objects and run!
from blocks.model import Model
model = Model([cost])
from blocks.algorithms import GradientDescent, Scale
algorithm = GradientDescent(cost=cost,
parameters=parameters,
step_rule=Scale(learning_rate=.01))
from blocks.main_loop import MainLoop
my_loop = MainLoop(model=model,
data_stream=data_stream,
algorithm=algorithm)
my_loop.run() |
<?xml version="1.0" encoding="iso-8859-1"?>
<!DOCTYPE html
PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
"http:
<html xmlns="http:
<head>
<title>Module: ProtonMicro::RestfulEasyMessages::Messages::InstanceMethods</title>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<meta http-equiv="Content-Script-Type" content="text/javascript" />
<link rel="stylesheet" href="../../../.././rdoc-style.css" type="text/css" media="screen" />
<script type="text/javascript">
// <![CDATA[
function popupCode( url ) {
window.open(url, "Code", "resizable=yes,scrollbars=yes,toolbar=no,status=no,height=150,width=400")
}
function toggleCode( id ) {
if ( document.getElementById )
elem = document.getElementById( id );
else if ( document.all )
elem = eval( "document.all." + id );
else
return false;
elemStyle = elem.style;
if ( elemStyle.display != "block" ) {
elemStyle.display = "block"
} else {
elemStyle.display = "none"
}
return true;
}
// Make codeblocks hidden by default
document.writeln( "<style type=\"text/css\">div.method-source-code { display: none }</style>" )
</script>
</head>
<body>
<div id="classHeader">
<table class="header-table">
<tr class="top-aligned-row">
<td><strong>Module</strong></td>
<td class="<API key>">ProtonMicro::RestfulEasyMessages::Messages::InstanceMethods</td>
</tr>
<tr class="top-aligned-row">
<td><strong>In:</strong></td>
<td>
<a href="../../../../files/lib/<API key>.html">
lib/<API key>.rb
</a>
<br />
</td>
</tr>
</table>
</div>
<!-- banner header -->
<div id="bodyContent">
<div id="contextContent">
</div>
<div id="method-list">
<h3 class="section-bar">Methods</h3>
<div class="name-list">
<a href="#M000050">all_messages</a>
<a href="#M000054"><API key></a>
<a href="#M000053">delete_from_sent</a>
<a href="#M000051">new_messages</a>
<a href="#M000052">old_messages</a>
<a href="#M000055">send_message</a>
<a href="#M000048">users_messaged</a>
<a href="#M000049">users_messaged_by</a>
</div>
</div>
</div>
<!-- if includes -->
<div id="section">
<!-- if method_list -->
<div id="methods">
<h3 class="section-bar">Public Instance methods</h3>
<div id="method-M000050" class="method-detail">
<a name="M000050"></a>
<div class="method-heading">
<a href="#M000050" class="method-signature">
<span class="method-name">all_messages</span><span class="method-args">()</span>
</a>
</div>
<div class="method-description">
<p>
Returns a list of all the users who the user has mailed or been mailed by
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000050-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000050-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 77</span>
77: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">all_messages</span>
78: <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">users_messaged</span> <span class="ruby-operator">+</span> <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">users_messaged_by</span>
79: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000054" class="method-detail">
<a name="M000054"></a>
<div class="method-heading">
<a href="#M000054" class="method-signature">
<span class="method-name"><API key></span><span class="method-args">(message)</span>
</a>
</div>
<div class="method-description">
<p>
Accepts an email object and flags the email as deleted by receiver
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000054-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000054-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 102</span>
102: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier"><API key></span>(<span class="ruby-identifier">message</span>)
103: <span class="ruby-keyword kw">if</span> <span class="ruby-identifier">message</span>.<span class="ruby-identifier">receiver_id</span> <span class="ruby-operator">==</span> <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">id</span>
104: <span class="ruby-identifier">message</span>.<span class="ruby-identifier">update_attribute</span> <span class="ruby-identifier">:receiver_deleted</span>, <span class="ruby-keyword kw">true</span>
105: <span class="ruby-keyword kw">return</span> <span class="ruby-keyword kw">true</span>
106: <span class="ruby-keyword kw">else</span>
107: <span class="ruby-keyword kw">return</span> <span class="ruby-keyword kw">false</span>
108: <span class="ruby-keyword kw">end</span>
109: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000053" class="method-detail">
<a name="M000053"></a>
<div class="method-heading">
<a href="#M000053" class="method-signature">
<span class="method-name">delete_from_sent</span><span class="method-args">(message)</span>
</a>
</div>
<div class="method-description">
<p>
Accepts an email object and flags the email as deleted by sender
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000053-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000053-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 92</span>
92: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">delete_from_sent</span>(<span class="ruby-identifier">message</span>)
93: <span class="ruby-keyword kw">if</span> <span class="ruby-identifier">message</span>.<span class="ruby-identifier">sender_id</span> <span class="ruby-operator">==</span> <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">id</span>
94: <span class="ruby-identifier">message</span>.<span class="ruby-identifier">update_attribute</span> <span class="ruby-identifier">:sender_deleted</span>, <span class="ruby-keyword kw">true</span>
95: <span class="ruby-keyword kw">return</span> <span class="ruby-keyword kw">true</span>
96: <span class="ruby-keyword kw">else</span>
97: <span class="ruby-keyword kw">return</span> <span class="ruby-keyword kw">false</span>
98: <span class="ruby-keyword kw">end</span>
99: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000051" class="method-detail">
<a name="M000051"></a>
<div class="method-heading">
<a href="#M000051" class="method-signature">
<span class="method-name">new_messages</span><span class="method-args">()</span>
</a>
</div>
<div class="method-description">
<p>
Alias for unread messages
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000051-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000051-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 82</span>
82: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">new_messages</span>
83: <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">unread_messages</span>
84: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000052" class="method-detail">
<a name="M000052"></a>
<div class="method-heading">
<a href="#M000052" class="method-signature">
<span class="method-name">old_messages</span><span class="method-args">()</span>
</a>
</div>
<div class="method-description">
<p>
Alias for read messages
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000052-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000052-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 87</span>
87: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">old_messages</span>
88: <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier">read_messages</span>
89: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000055" class="method-detail">
<a name="M000055"></a>
<div class="method-heading">
<a href="#M000055" class="method-signature">
<span class="method-name">send_message</span><span class="method-args">(receiver, message)</span>
</a>
</div>
<div class="method-description">
<p>
Accepts a user object as the receiver, and an email and creates an email
relationship joining the two users
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000055-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000055-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 113</span>
113: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">send_message</span>(<span class="ruby-identifier">receiver</span>, <span class="ruby-identifier">message</span>)
114: <span class="ruby-constant">Message</span>.<span class="ruby-identifier">create!</span>(<span class="ruby-identifier">:sender</span> =<span class="ruby-operator">></span> <span class="ruby-keyword kw">self</span>, <span class="ruby-identifier">:receiver</span> =<span class="ruby-operator">></span> <span class="ruby-identifier">receiver</span>, <span class="ruby-identifier">:subject</span> =<span class="ruby-operator">></span> <span class="ruby-identifier">message</span>.<span class="ruby-identifier">subject</span>, <span class="ruby-identifier">:body</span> =<span class="ruby-operator">></span> <span class="ruby-identifier">message</span>.<span class="ruby-identifier">body</span>)
115: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000048" class="method-detail">
<a name="M000048"></a>
<div class="method-heading">
<a href="#M000048" class="method-signature">
<span class="method-name">users_messaged</span><span class="method-args">()</span>
</a>
</div>
<div class="method-description">
<p>
Returns a list of all the users who the user has messaged
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000048-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000048-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 67</span>
67: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">users_messaged</span>
68: <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier"><API key></span>
69: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
<div id="method-M000049" class="method-detail">
<a name="M000049"></a>
<div class="method-heading">
<a href="#M000049" class="method-signature">
<span class="method-name">users_messaged_by</span><span class="method-args">()</span>
</a>
</div>
<div class="method-description">
<p>
Returns a list of all the users who have messaged the user
</p>
<p><a class="source-toggle" href="
onclick="toggleCode('M000049-source');return false;">[Source]</a></p>
<div class="method-source-code" id="M000049-source">
<pre>
<span class="ruby-comment cmt"># File lib/<API key>.rb, line 72</span>
72: <span class="ruby-keyword kw">def</span> <span class="ruby-identifier">users_messaged_by</span>
73: <span class="ruby-keyword kw">self</span>.<span class="ruby-identifier"><API key></span>
74: <span class="ruby-keyword kw">end</span>
</pre>
</div>
</div>
</div>
</div>
</div>
<div id="validator-badges">
<p><small><a href="http://validator.w3.org/check/referer">[Validate]</a></small></p>
</div>
</body>
</html> |
import React from "react";
import { useRouter } from "@curi/react-dom";
const CLASSNAMES = "m-0 mr-1 mb-1";
let Version = ({ versions, major, params }) => {
let router = useRouter();
// only render dropdown for packages with multiple versions
if (Object.keys(versions).length > 1) {
return (
<label className={CLASSNAMES}>
Version:{" "}
<select
value={major}
onChange={e => {
let url = router.url({
name: "Package",
params: { ...params, version: e.target.value }
});
router.navigate({ url });
}}
className="font-serif my-1 mx-0 text-xl"
>
{Object.keys(versions).map(m => {
return (
<option key={m} value={m}>
{versions[m]}
</option>
);
})}
</select>
</label>
);
}
return <p className={CLASSNAMES}>v{versions[major]}</p>;
};
export default Version; |
SitemapNotifier::Notifier.configure do |config|
# Set URL to your sitemap. This is required.
# config.sitemap_url = Quadro.<API key>.sitemap_url
# config.environments = [:development, :production]
config.delay = 2.minutes
# Additional urls to ping
# If you don't want the notifications to run in the background
config.background = false
end |
using System;
using Leak.Common;
using Leak.Networking.Core;
namespace Leak.Tracker.Get.Events
{
public class TrackerAnnounced
{
public FileHash Hash;
public PeerHash Peer;
public Uri Address;
public NetworkAddress[] Peers;
public TimeSpan Interval;
public int? Seeders;
public int? Leechers;
}
} |
# node-tvdb
[
- Set language at initialisation or afterwards when needed
- Normalised keys and values
- Empty values parsed as null
- Updates endpoint grouped by type
- Supports both node callback functions and promises
- Utility function to parse TheTVDB API's pipe list (e.g. "|Name|Name|Name|Name|")
- Use zip data instead of straight xml where possible
- [Tests with Mocha and Wercker CI](https://app.wercker.com/#applications/<API key>)
## Installation
Install with [npm](http://npmjs.org/):
shell
npm install --save node-tvdb
And run tests with [Mocha](http://visionmedia.github.io/mocha/):
shell
TVDB_KEY=[YOUR API KEY HERE] npm test
> _Mocha is installed as a development dependency; you do not need to install it globally to run the tests._
## Example Usage
To start using this library you first need an API key. You can request one [here](http://thetvdb.com/?tab=apiregister). Then just follow this simple example that fetches all the shows containing "The Simpsons" in the name.
javascript
var TVDB = require("node-tvdb");
var tvdb = new TVDB("ABC123");
tvdb.getSeriesByName("The Simpsons", function(err, response) {
// handle error and response
});
For use with node engines without `class`/`const`/`let`:
javascript
var TVDB = require("node-tvdb/compat");
var tvdb = new TVDB("ABC123");
// continue as normal...
## API
var client = new Client(API_KEY, [language])
Set up tvdb client with API key and optional language (defaults to "en")
javascript
var Client = require("node-tvdb");
var tvdb = new Client("ABC123"); // lang defaults to "en"
var tvdbPortuguese = new Client("ABC123", "pt");
getTime
Get the current server time
javascript
tvdb.getTime(function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getTime()
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getLanguages
Get available languages useable by TheTVDB API
javascript
tvdb.getLanguages(function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getLanguages()
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getSeriesByName
Get basic series information by name
javascript
tvdb.getSeriesByName("Breaking Bad", function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getSeriesByName("Breaking Bad")
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getSeriesById
Get basic series information by id
javascript
tvdb.getSeriesById(73255, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getSeriesById(73255)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getSeriesByRemoteId
Get basic series information by remote id (zap2it or imdb)
javascript
tvdb.getSeriesByRemoteId("tt0903747", function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getSeriesByRemoteId("tt0903747")
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
> Note: `node-tvdb` automatically selects between remote providers (IMDb and zap2it)
getSeriesAllById
Get full/all series information by id
javascript
tvdb.getSeriesAllById(73255, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getSeriesAllById(73255)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getEpisodesById
Get all episodes by series id
javascript
tvdb.getEpisodesById(153021, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getEpisodesById(153021)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getEpisodeById
Get episode by episode id
javascript
tvdb.getEpisodeById(4768125, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getEpisodeById(4768125)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getEpisodeByAirDate
Get series episode by air date
javascript
tvdb.getEpisodeByAirDate(153021, "2011-10-03", function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getEpisodeByAirDate(153021, "2011-10-03")
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getActors
Get series actors by series id
javascript
tvdb.getActors(73255, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getActors(73255)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getBanners
Get series banners by series id
javascript
tvdb.getBanners(73255, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getBanners(73255)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getUpdates
Get series and episode updates since a given unix timestamp
javascript
tvdb.getUpdates(1400611370, function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getUpdates(1400611370)
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
getUpdateRecords
All updates within the given interval
javascript
tvdb.getUpdateRecords("day", function(error, response) {
// handle error and response
});
OR
javascript
tvdb.getUpdateRecords("day")
.then(function(response) { /* handle response */ })
.catch(function(error) { /* handle error */ });
utils.parsePipeList
Parse pipe list string to javascript array
javascript
var list = "|Mos Def|Faune A. Chambers|"; // from a previous api call
var guestStars = Client.utils.parsePipeList(list);
The MIT License (MIT) |
<!-- HTML header for doxygen 1.8.8-->
<!DOCTYPE html PUBLIC "-
<html xmlns="http:
<head>
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<!-- For Mobile Devices -->
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<meta name="generator" content="Doxygen 1.8.13"/>
<script type="text/javascript" src="https://code.jquery.com/jquery-2.1.1.min.js"></script>
<title>CubbyFlow: Namespace Members</title>
<!--<link href="tabs.css" rel="stylesheet" type="text/css"/>-->
<script type="text/javascript" src="dynsections.js"></script>
<link href="search/search.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="search/searchdata.js"></script>
<script type="text/javascript" src="search/search.js"></script>
<link href="doxygen.css" rel="stylesheet" type="text/css" />
<link href="customdoxygen.css" rel="stylesheet" type="text/css"/>
<link href='https://fonts.googleapis.com/css?family=Roboto+Slab' rel='stylesheet' type='text/css'>
<link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.6/css/bootstrap.min.css">
<script src="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.6/js/bootstrap.min.js"></script>
<link href="jquery.smartmenus.bootstrap.css" rel="stylesheet">
<script type="text/javascript" src="jquery.smartmenus.js"></script>
<!-- SmartMenus jQuery Bootstrap Addon -->
<script type="text/javascript" src="jquery.smartmenus.bootstrap.js"></script>
<!-- SmartMenus jQuery plugin -->
</head>
<body>
<nav class="navbar navbar-default" role="navigation">
<div class="container">
<div class="navbar-header">
<a class="navbar-brand">CubbyFlow v0.71</a>
</div>
</div>
</nav>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div class="content" id="content">
<div class="container">
<div class="row">
<div class="col-sm-12 panel " style="padding-bottom: 15px;">
<div style="margin-bottom: 15px;">
<!-- end header part --><!-- Generated by Doxygen 1.8.13 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "search",false,'Search');
</script>
<script type="text/javascript" src="menudata.js"></script>
<script type="text/javascript" src="menu.js"></script>
<script type="text/javascript">
$(function() {
initMenu('',true,false,'search.php','Search');
$(document).ready(function() { init_search(); });
});
</script>
<div id="main-nav"></div>
</div><!-- top -->
<!-- window showing the filter options -->
<div id="MSearchSelectWindow"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
onkeydown="return searchBox.OnSearchSelectKey(event)">
</div>
<!-- iframe showing the search results (closed by default) -->
<div id="<API key>">
<iframe src="javascript:void(0)" frameborder="0"
name="MSearchResults" id="MSearchResults">
</iframe>
</div>
<div class="contents">
<div class="textblock">Here is a list of all namespace members with links to the namespace documentation for each member:</div>
<h3><a id="index_a"></a>- a -</h3><ul>
<li>AbsMax()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AbsMaxN()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AbsMin()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AbsMinN()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Accumulate()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AdvectionSolver2Ptr
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AdvectionSolver3Ptr
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AngularVelocity2
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AngularVelocity3
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>AnimationPtr
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li><API key>
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li><API key>
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>APICSolver2Ptr
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>APICSolver3Ptr
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArgMax2()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArgMax3()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArgMin2()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArgMin3()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Array1
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Array2
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Array3
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Array4
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArrayView1
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArrayView2
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArrayView3
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>ArrayView4
: <a class="el" href="<API key>.html#<API key>">CubbyFlow</a>
</li>
<li>Async()
: <a class="el" href="<API key>.html#<API key>">CubbyFlow::Internal</a>
</li>
</ul>
</div><!-- contents -->
<!-- HTML footer for doxygen 1.8.8-->
<!-- start footer part -->
</div>
</div>
</div>
</div>
</div>
<hr class="footer"/><address class="footer"><small>
Generated on Thu Jul 15 2021 02:18:17 for CubbyFlow by &
<img class="footer" src="doxygen.png" alt="doxygen"/>
</a> 1.8.13
</small></address>
</body>
<script type="text/javascript" src="doxy-boot.js"></script>
</html> |
/**
* (TMS)
*/
package com.lhjz.portal.entity;
import java.io.Serializable;
import java.util.Date;
import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.EntityListeners;
import javax.persistence.EnumType;
import javax.persistence.Enumerated;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.JoinColumn;
import javax.persistence.ManyToOne;
import javax.persistence.Temporal;
import javax.persistence.TemporalType;
import javax.persistence.Version;
import org.springframework.data.annotation.CreatedBy;
import org.springframework.data.annotation.CreatedDate;
import org.springframework.data.annotation.LastModifiedBy;
import org.springframework.data.annotation.LastModifiedDate;
import org.springframework.data.jpa.domain.support.<API key>;
import com.lhjz.portal.entity.security.User;
import com.lhjz.portal.pojo.Enum.LinkType;
import com.lhjz.portal.pojo.Enum.Status;
import lombok.Data;
import lombok.ToString;
/**
*
* @author xi
*
* @date 2015328 2:03:20
*
*/
@Entity
@EntityListeners(<API key>.class)
@Data
@ToString
public class Link implements Serializable {
private static final long serialVersionUID = 345113870112433814L;
@Id
@GeneratedValue
private Long id;
@Column(length = 2000)
private String href;
@Column
private String title;
private Long count;
@Column
private Long channelId;
@ManyToOne
@JoinColumn(name = "creator")
@CreatedBy
private User creator;
@ManyToOne
@JoinColumn(name = "updater")
@LastModifiedBy
private User updater;
@Temporal(TemporalType.TIMESTAMP)
@CreatedDate
private Date createDate;
@Temporal(TemporalType.TIMESTAMP)
@LastModifiedDate
private Date updateDate;
@Enumerated(EnumType.STRING)
@Column(nullable = false)
private Status status = Status.New;
@Enumerated(EnumType.STRING)
@Column(nullable = false)
private LinkType type = LinkType.App;
@Version
private long version;
} |
<!DOCTYPE html>
<html xmlns:msxsl="urn:<API key>:xslt">
<head>
<meta content="en-us" http-equiv="Content-Language" />
<meta content="text/html; charset=utf-16" http-equiv="Content-Type" />
<title _locid="<API key>">.NET Portability Report</title>
<style>
/* Body style, for the entire document */
body {
background: #F3F3F4;
color: #1E1E1F;
font-family: "Segoe UI", Tahoma, Geneva, Verdana, sans-serif;
padding: 0;
margin: 0;
}
/* Header1 style, used for the main title */
h1 {
padding: 10px 0px 10px 10px;
font-size: 21pt;
background-color: #E2E2E2;
border-bottom: 1px #C1C1C2 solid;
color: #201F20;
margin: 0;
font-weight: normal;
}
/* Header2 style, used for "Overview" and other sections */
h2 {
font-size: 18pt;
font-weight: normal;
padding: 15px 0 5px 0;
margin: 0;
}
/* Header3 style, used for sub-sections, such as project name */
h3 {
font-weight: normal;
font-size: 15pt;
margin: 0;
padding: 15px 0 5px 0;
background-color: transparent;
}
h4 {
font-weight: normal;
font-size: 12pt;
margin: 0;
padding: 0 0 0 0;
background-color: transparent;
}
/* Color all hyperlinks one color */
a {
color: #1382CE;
}
/* Paragraph text (for longer informational messages) */
p {
font-size: 10pt;
}
/* Table styles */
table {
border-spacing: 0 0;
border-collapse: collapse;
font-size: 10pt;
}
table th {
background: #E7E7E8;
text-align: left;
text-decoration: none;
font-weight: normal;
padding: 3px 6px 3px 6px;
}
table td {
vertical-align: top;
padding: 3px 6px 5px 5px;
margin: 0px;
border: 1px solid #E7E7E8;
background: #F7F7F8;
}
.NoBreakingChanges {
color: darkgreen;
font-weight:bold;
}
.FewBreakingChanges {
color: orange;
font-weight:bold;
}
.ManyBreakingChanges {
color: red;
font-weight:bold;
}
.BreakDetails {
margin-left: 30px;
}
.CompatMessage {
font-style: italic;
font-size: 10pt;
}
.GoodMessage {
color: darkgreen;
}
/* Local link is a style for hyperlinks that link to file:/// content, there are lots so color them as 'normal' text until the user mouse overs */
.localLink {
color: #1E1E1F;
background: #EEEEED;
text-decoration: none;
}
.localLink:hover {
color: #1382CE;
background: #FFFF99;
text-decoration: none;
}
/* Center text, used in the over views cells that contain message level counts */
.textCentered {
text-align: center;
}
/* The message cells in message tables should take up all avaliable space */
.messageCell {
width: 100%;
}
/* Padding around the content after the h1 */
#content {
padding: 0px 12px 12px 12px;
}
/* The overview table expands to width, with a max width of 97% */
#overview table {
width: auto;
max-width: 75%;
}
/* The messages tables are always 97% width */
#messages table {
width: 97%;
}
/* All Icons */
.IconSuccessEncoded, .IconInfoEncoded, .IconWarningEncoded, .IconErrorEncoded {
min-width: 18px;
min-height: 18px;
background-repeat: no-repeat;
background-position: center;
}
/* Success icon encoded */
.IconSuccessEncoded {
/* Note: Do not delete the comment below. It is used to verify the correctness of the encoded image resource below before the product is released */
background-image: url(data:image/png;base64,<API key>/9hAAABPElEQVR4Xp1Tv0vDUBi8FqeA4NpBcBLcWnQSApncOnTo4FSnjP0DsnXpH5CxiwbHDg4Zuj4oOEXiJgiC4FDcCkLWmIMc1Pfw+<API key>/H5+sHpZwYfxyRjTs+<API key>/13u3Fjrs/EdhsdDFHGB/<API key>+m3tVe/t97D52CB/ziG0nIgD/<API key>/<API key>/<API key>+zk7s8czeges//s5C5+CwqrR4/gw+AAAAABJRU5ErkJggg==);
}
/* Information icon encoded */
.IconInfoEncoded {
/* Note: Do not delete the comment below. It is used to verify the correctness of the encoded image resource below before the product is released */
background-image: url(data:image/png;base64,<API key>/<API key>+QvdsXa/QHBbcXC7W0CamWTQnclFutceIQJwwaWNLlwm5k5d94M76mmaeCrrmsLYOocY12FcxZFUeozCqKqqgYA8uevv1H6VuPxcwlfk5N92KHBxfFeCSAxxswlYAW/Xr989x/<API key>/HF1RsMXq+<API key>/<API key>+<API key>/<API key>=);
}
/* Warning icon encoded */
.IconWarningEncoded {
/* Note: Do not delete the comment below. It is used to verify the correctness of the encoded image resource below before the product is released */
background-image: url(data:image/png;base64,<API key>/9hAAAACXBIWXMAAA7EAAAOxAGVKw4bAAAAx0lEQVR4XpWSMQ7CMAxFf4xAyBMLCxMrO8dhaBcuwdCJS3RJBw7SA/<API key>+wVDSyyzFoJjfz9NB+pAF+<API key>/<API key>/eW1KvFeH4e8khT6+gm5B+t3juyDt7n0jpe+CANTd+oTUjN/U3yVaABnSUjFz/<API key>==);
}
/* Error icon encoded */
.IconErrorEncoded {
/* Note: Do not delete the comment below. It is used to verify the correctness of the encoded image resource below before the product is released */
background-image: url(data:image/png;base64,<API key>/<API key>/AxEQQT8HF/3G/oGGnEUGuoNnd6qoZuqltyKEsyzVJq5I6rnUp6SjGeGhESikzzlc1eL7opfuVbrqbU1Zw9NCgtQMaZpY0eNnaaL2fHusvTK5vKu7sjSS1Y4y3QUA6K3e3Mau5UFDyMP7tYF9o8cAHZv68vipoIJg971PZIZ5HiwdvYGGvFVFHmGmZ2MxwmQYPXubPl9Up0tfoMQGetXd6mRbvhBw+boZ6WF7Mbv1+<API key>/<API key>/<API key>=);
}
</style>
</head>
<body>
<h1 _locid="PortabilityReport">.NET Portability Report</h1>
<div id="content">
<div id="submissionId" style="font-size:8pt;">
<p>
<i>
Submission Id
<API key>
</i>
</p>
</div>
<h2 _locid="SummaryTitle">
<a name="Portability Summary"></a>Portability Summary
</h2>
<div id="summary">
<table>
<tbody>
<tr>
<th>Assembly</th>
<th>ASP.NET 5,Version=v1.0</th>
<th>Windows,Version=v8.1</th>
<th>.NET Framework,Version=v4.6</th>
<th>Windows Phone,Version=v8.1</th>
</tr>
<tr>
<td><strong><a href="#NBitcoin.BouncyCastle">NBitcoin.BouncyCastle</a></strong></td>
<td class="text-center">100.00 %</td>
<td class="text-center">100.00 %</td>
<td class="text-center">99.42 %</td>
<td class="text-center">100.00 %</td>
</tr>
</tbody>
</table>
</div>
<div id="details">
<a name="NBitcoin.BouncyCastle"><h3>NBitcoin.BouncyCastle</h3></a>
<table>
<tbody>
<tr>
<th>Target type</th>
<th>ASP.NET 5,Version=v1.0</th>
<th>Windows,Version=v8.1</th>
<th>.NET Framework,Version=v4.6</th>
<th>Windows Phone,Version=v8.1</th>
<th>Recommended changes</th>
</tr>
<tr>
<td>System.Reflection.TypeInfo</td>
<td class="IconSuccessEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td class="IconErrorEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td></td>
</tr>
<tr>
<td style="padding-left:2em">get_IsEnum</td>
<td class="IconSuccessEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td class="IconErrorEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td></td>
</tr>
<tr>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>System.Type</td>
<td class="IconSuccessEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td class="IconErrorEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td></td>
</tr>
<tr>
<td style="padding-left:2em">get_Name</td>
<td class="IconSuccessEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td class="IconErrorEncoded"></td>
<td class="IconSuccessEncoded"></td>
<td></td>
</tr>
<tr>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
</tr>
</tbody>
</table>
<p>
<a href="#Portability Summary">Back to Summary</a>
</p>
</div>
</div>
</body>
</html> |
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">
<!--Converted with LaTeX2HTML 2002-2-1 (1.71)
original version by: Nikos Drakos, CBLU, University of Leeds
* revised and updated by: Marcus Hennecke, Ross Moore, Herb Swan
* with significant contributions from:
Jens Lippmann, Marek Rouchal, Martin Wilck and others
<HTML>
<HEAD>
<TITLE> Langage Python TD </TITLE>
<META NAME="description" CONTENT=" Langage Python TD ">
<META NAME="keywords" CONTENT="python_td_html">
<META NAME="resource-type" CONTENT="document">
<META NAME="distribution" CONTENT="global">
<META NAME="Generator" CONTENT="LaTeX2HTML v2002-2-1">
<META HTTP-EQUIV="Content-Style-Type" CONTENT="text/css">
<LINK REL="STYLESHEET" HREF="python_td_html.css">
<LINK REL="next" HREF="node1.html">
</HEAD>
<BODY >
<p><strong><font size="5">Illustration de la recherche du plus court chemin dans
un graphe</font></strong></p>
<p><img src="chemin_court.gif" width="714" height="514"></p>
<p>Un tableau de trois lignes suit chaque image :</p>
<table width="75%" border="1">
<tr>
<td width="18%" height="26">ligne 1</td>
<td width="82%">liste des numéros de villes, 0 <= i <= 14</td>
</tr>
<tr>
<td>ligne 2</td>
<td><p>meilleure distance trouvée à l'itération à laquelle
correspond l'image, meilleure distance entre la ville 0 et la ville i = d*(0,i)</p>
</td>
</tr>
<tr>
<td>ligne 3</td>
<td>ville ayant permis d'obtenir la distance d*(0,i), c'est la ville précédent
la ville i dans le meilleur chemin</td>
</tr>
</table>
<p><strong><font size="5"><img src="chemin1.JPG" width="714" height="514"></font></strong></p>
<p><img src="chemin2.JPG" width="714" height="514"></p>
<p><img src="chemin3.JPG" width="714" height="514"></p>
<p><img src="chemin4.JPG" width="714" height="514"></p>
<p><img src="chemin5.JPG" width="714" height="514"></p>
<p><img src="chemin6.JPG" width="714" height="514"></p>
<p><img src="chemin7.JPG" width="714" height="514"></p>
<p><img src="chemin8.JPG" width="714" height="514"></p>
<p><img src="chemin9.JPG" width="714" height="514"></p>
</BODY>
</HTML> |
# [rail](../README.markdown) Plugins
## Table of Contents
- [buffer](#buffer)
- [cookies](#cookies)
- [json](#json)
- [redirect](#redirect)
- [retry](#retry)
- [timeout](#timeout)
- [validate](#validate)
## buffer
Buffers the response body and exports it as `response.buffer`.
When the body is empty its value is `null`, otherwise a `Buffer`.
**options**
- `{boolean} default` Enable buffering for all requests, defaults to `false`
- `{number} max` The maximum buffer size, defaults to `134217728` (128 MiB)
_Note_: When the maximum buffer size is reached, a _bailout_ is performed putting all buffered data back into the response stream and emitting the response. Accordingly, the response object will receive the property `bailout` set to `true` as a state indicator.
**request options**
- `{boolean} buffer` En-/disable buffering
buffer.intercept(call)
Manually intercept (buffer the response body). To be used by other plugins.
[back to top](#table-of-contents)
## cookies
Get/Set cookies. Received cookies are exported as `response.cookies`.
**options**
- `{Object} jar` The cookie jar to use, defaults to `{}`
**request options**
- `{boolean} cookies` When `false`, the plugin is disabled for this _call_
[back to top](#table-of-contents)
## json
Parse response body. Parsed body is exported as `response.json`.
Uses the `buffer` plugin.
**options**
- `{boolean} auto` Enable auto-parsing when `Content-Type: application/json`
- `{number} max` The maximum JSON size, defaults to `1048576` (1 MiB)
_Note_: When the JSON size exceeds the maximum size, it's not parsed. The `response.buffer` is still available for manual parsing, though.
**request options**
- `{boolean} json` Enable JSON parsing
json.intercept(call)
Manually intercept (buffer the response body & try to parse). To be used by other plugins.
[back to top](#table-of-contents)
## redirect
A configurable redirect mechanism.
**options**
- `{Array} codes` HTTP status codes to redirect, defaults to `[301, 302, 308]`
- `{number} limit` The maximum number of redirects, defaults to `1`
- `{boolean} sameHost` Only allow redirects to the current host, defaults to `false`
- `{boolean} allowUpgrade` Allow switch from `http` to `https/2`, defaults to `true`
- `{boolean} allowDowngrade` Allow switch from `https/2` to `http`, defaults to `false`
**request options**
- `{Object|boolean} redirect` Set to `false` to disable the plugin
- `{number} limit` See `options`
- `{boolean} sameHost` See `options`
- `{boolean} allowUpgrade` See `options`
- `{boolean} allowDowngrade` See `options`
_Note_: Undefined request options are set to plugin defaults.
Event: 'redirect'
Emitted when `request.end()` of a redirected request has been called.
`function({Object} options, {Object} response)`
Where `options` is the `Configuration` object for the redirected request and `response` is the original response object containing the `Location` header.
[back to top](#table-of-contents)
## retry
Conditional request retry.
Retry requests on connect errors, on specific http status codes and failed response [validation](#validate).
**options**
- `{Array|boolean} codes` HTTP status codes to retry, set to `false` to disable. Defaults to `[500, 501, 502, 503, 504]`
- `{number} interval` Retry interval in ms, defaults to `2000`
- `{number} limit` Retry limit, defaults to `0`
- `{boolean} validate` Retry when `response.validate` is set aka. the validate plugin is not satisfied
**request options**
- `{Object|boolean} retry` Set to `false` to disable the plugin
- `{Array|boolean} codes` HTTP status codes to retry, set to `false` to disable. Plugin defaults will be added when an array is passed.
- `{number} interval` See `options`
- `{number} limit` See `options`
- `{boolean} validate` See `options`
_Note_: Undefined request options are set to plugin defaults.
Event: 'retry'
Emitted when a retry has been scheduled.
`function({Object} options, {?Object} response, {string} reason, {?string} code)`
Possible reasons are `connect`, `codes` or `validate` and for reason `connect` the `response` is `null`.
**Example: modify request options**
js
var hosts = [
'ww1.example.com',
'ww2.example.com',
'ww3.example.com'
];
call.on('retry', function(options, response, reason) {
if (hosts.length > 0) {
options.request.host = hosts.shift();
} else {
call.abort();
}
});
[back to top](#table-of-contents)
## timeout
Response & socket timeout detection.
**options**
- `{number} response` The response timeout in ms, defaults to `60000` (1 min)
- `{number} socket` The socket idle timeout in ms, defaults to `120000` (2 min)
_Note_: The socket idle timeout is only supported for https & http.
**request options**
- `{Object} timeout`
- `{number} response` Set to `0` to disable the timeout, also see `options`
- `{number} socket` Set to `0` to disable the timeout, also see `options`
_Note_: Undefined request options are set to plugin defaults.
Event: 'timeout'
Emitted on the `call` object when a timeout occurs. It is up to the user to abort the call.
`function({string} type, {Object} options)`
Where `type` is either `'response'` or `'socket'`, and `options` is the request configuration.
[back to top](#table-of-contents)
## validate
Response header & JSON body validation.
Schema definitions & validation are provided by [mgl-validate](https:
- Body validation only supports JSON responses
- Every schema requires a unique `id`
- Consider setting `<API key> = true` when validating headers
Uses the `buffer` & `json` plugin.
**options**
- `{Array.<Object>} schemas` An array of schema definitions
- `{boolean} breakOnError` Whether to return on first validation error or not, defaults to `true`
**request options**
- `{Object} validate`
- `{Object|string} headers` An existing schema id or a schema definition
- `{Object|string} body` An existing schema id or a schema definition
Validation results are exported as `response.validate = null` when all validations passed, and an object when a validation failed;
js
response.validate = {
headers: null,
body: [
['hello', 'number', 'type', 'world']
]
};
**Headers Schema Definition Example**
This example shows how-to validate that the `Content-Type` header equals `'application/json'`.
js
{
type: 'object',
properties: {
'content-type': 'application/json'
},
<API key>: true
}
validate.registry
The [mgl-validate](https:
[back to top](#table-of-contents) |
<?php include $_SERVER['DOCUMENT_ROOT'].'/page-generator-top.php';?>
<aside>
<h3>Blog Menu</h3>
<p>This is a paragraph 0OiIl1749</p>
</aside>
<section>
<h3>Blog Content</h3>
<h4>This is a heading 3</h4>
<h5>This is a heading 1</h5>
<p>This is a paragraph 0OiIl1749</p>
<code>
# This is some code<br>
$ This is some more code<br>
0OiIl1749<br>
</code>
<p>This is another paragraph</p>
</section>
<?php include $_SERVER['DOCUMENT_ROOT'].'/<API key>.php';?> |
Office.onReady(() => {
// If needed, Office.js is ready to be called
});
/**
* Shows a notification when the add-in command is executed.
* @param event
*/
function action(event) {
// Your code goes here
// Be sure to indicate when the add-in command function is complete
event.completed();
}
// The global variable
var g = {};
// the add-in command functions need to be available in global scope
g.action = action; |
using NeuralNet.Neurons;
namespace NeuralNet.Others
{
<summary>
Represents a weight initializer which can generate random weights.
</summary>
public class RandomInitializer : IWeightInitializer
{
<summary>
Gets or sets the minimum value.
</summary>
public double Min { get; set; }
<summary>
Gets or sets the maximum value.
</summary>
public double Max { get; set; }
<summary>
Initializes a new instance of the <see cref="RandomInitializer"/> class.
</summary>
public RandomInitializer()
{
this.Min = -2;
this.Max = 2;
}
<summary>
Initializes a new instance of the <see cref="RandomInitializer"/> class.
</summary>
<param name="min">The minimum value of the weight.</param>
<param name="max">The maximum value of the weight.</param>
public RandomInitializer(double min, double max)
{
this.Min = min;
this.Max = max;
}
<summary>
Capable to initialie weights on the given neuron.
</summary>
<param name="n">The given neuron.</param>
public void InitializeWeights(ref Neuron n)
{
throw new System.<API key>();
}
}
} |
'use strict';
module.exports.uniqueId = require('./unique-id');
module.exports.hiddenProperty = require('./hidden-property');
module.exports.createArchive = require('./create-archive'); |
#ifndef PWM_INTERFACE_H_
#define PWM_INTERFACE_H_
Standard function to initialize the PWM chip.
/*!
* No input parameters or return value.
* \sa read_pwm()
* \ingroup pwm_fcns
*/
void init_pwm();
Standard function to read the PWM chip.
/*!
* Returns a status bitfield.
* \sa init_pwm()
* \ingroup pwm_fcns
*/
int read_pwm(uint16_t *pwm_signal_ptr ///< pointer to array where signal values will be stored
);
#endif |
<?php
/**
* Country customer grid column filter
*
* @category Mage
* @package Mage_Adminhtml
* @author Magento Core Team <core@magentocommerce.com>
*/
class <API key> extends <API key>
{
protected function _getOptions()
{
$options = Mage::getResourceModel('directory/country_collection')->load()->toOptionArray();
array_unshift($options, array('value'=>'', 'label'=>Mage::helper('customer')->__('All countries')));
return $options;
}
} |
#include <API key> //original-code:"modules/audio_processing/vad/pole_zero_filter.h"
#include <stdlib.h>
#include <string.h>
#include <algorithm>
namespace webrtc {
PoleZeroFilter* PoleZeroFilter::Create(const float* <API key>,
size_t order_numerator,
const float* <API key>,
size_t order_denominator) {
if (order_numerator > kMaxFilterOrder ||
order_denominator > kMaxFilterOrder || <API key>[0] == 0 ||
<API key> == NULL || <API key> == NULL)
return NULL;
return new PoleZeroFilter(<API key>, order_numerator,
<API key>, order_denominator);
}
PoleZeroFilter::PoleZeroFilter(const float* <API key>,
size_t order_numerator,
const float* <API key>,
size_t order_denominator)
: past_input_(),
past_output_(),
<API key>(),
<API key>(),
order_numerator_(order_numerator),
order_denominator_(order_denominator),
highest_order_(std::max(order_denominator, order_numerator)) {
memcpy(<API key>, <API key>,
sizeof(<API key>[0]) * (order_numerator_ + 1));
memcpy(<API key>, <API key>,
sizeof(<API key>[0]) * (order_denominator_ + 1));
if (<API key>[0] != 1) {
for (size_t n = 0; n <= order_numerator_; n++)
<API key>[n] /= <API key>[0];
for (size_t n = 0; n <= order_denominator_; n++)
<API key>[n] /= <API key>[0];
}
}
template <typename T>
static float FilterArPast(const T* past,
size_t order,
const float* coefficients) {
float sum = 0.0f;
size_t past_index = order - 1;
for (size_t k = 1; k <= order; k++, past_index
sum += coefficients[k] * past[past_index];
return sum;
}
int PoleZeroFilter::Filter(const int16_t* in,
size_t num_input_samples,
float* output) {
if (in == NULL || output == NULL)
return -1;
// This is the typical case, just a memcpy.
const size_t k = std::min(num_input_samples, highest_order_);
size_t n;
for (n = 0; n < k; n++) {
output[n] = in[n] * <API key>[0];
output[n] += FilterArPast(&past_input_[n], order_numerator_,
<API key>);
output[n] -= FilterArPast(&past_output_[n], order_denominator_,
<API key>);
past_input_[n + order_numerator_] = in[n];
past_output_[n + order_denominator_] = output[n];
}
if (highest_order_ < num_input_samples) {
for (size_t m = 0; n < num_input_samples; n++, m++) {
output[n] = in[n] * <API key>[0];
output[n] +=
FilterArPast(&in[m], order_numerator_, <API key>);
output[n] -= FilterArPast(&output[m], order_denominator_,
<API key>);
}
// Record into the past signal.
memcpy(past_input_, &in[num_input_samples - order_numerator_],
sizeof(in[0]) * order_numerator_);
memcpy(past_output_, &output[num_input_samples - order_denominator_],
sizeof(output[0]) * order_denominator_);
} else {
// Odd case that the length of the input is shorter that filter order.
memmove(past_input_, &past_input_[num_input_samples],
order_numerator_ * sizeof(past_input_[0]));
memmove(past_output_, &past_output_[num_input_samples],
order_denominator_ * sizeof(past_output_[0]));
}
return 0;
}
} // namespace webrtc |
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>class RubyXL::SortCondition - rubyXL 3.3.13</title>
<script type="text/javascript">
var rdoc_rel_prefix = "../";
</script>
<script src="../js/jquery.js"></script>
<script src="../js/darkfish.js"></script>
<link href="../css/fonts.css" rel="stylesheet">
<link href="../css/rdoc.css" rel="stylesheet">
<body id="top" role="document" class="class">
<nav role="navigation">
<div id="project-navigation">
<div id="home-section" role="region" title="Quick navigation" class="nav-section">
<h2>
<a href="../index.html" rel="home">Home</a>
</h2>
<div id="<API key>">
<a href="../table_of_contents.html#pages">Pages</a>
<a href="../table_of_contents.html#classes">Classes</a>
<a href="../table_of_contents.html#methods">Methods</a>
</div>
</div>
<div id="search-section" role="search" class="project-section initially-hidden">
<form action="#" method="get" accept-charset="utf-8">
<div id="<API key>">
<input id="search-field" role="combobox" aria-label="Search"
aria-autocomplete="list" aria-controls="search-results"
type="text" name="search" placeholder="Search" spellcheck="false"
title="Type to search, Up and Down to navigate, Enter to load">
</div>
<ul id="search-results" aria-label="Search Results"
aria-busy="false" aria-expanded="false"
aria-atomic="false" class="initially-hidden"></ul>
</form>
</div>
</div>
<div id="class-metadata">
<div id="<API key>" class="nav-section">
<h3>Parent</h3>
<p class="link">OOXMLObject
</div>
</div>
</nav>
<main role="main" aria-labelledby="class-RubyXL::SortCondition">
<h1 id="class-RubyXL::SortCondition" class="class">
class RubyXL::SortCondition
</h1>
<section class="description">
<p><a
href="http:
</section>
<section id="5Buntitled-5D" class="<API key>">
</section>
</main>
<footer id="validator-badges" role="contentinfo">
<p><a href="http://validator.w3.org/check/referer">Validate</a>
<p>Generated by <a href="http://docs.seattlerb.org/rdoc/">RDoc</a> 4.2.0.
<p>Based on <a href="http:
</footer> |
<!DOCTYPE HTML PUBLIC "-
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (version 1.7.0_79) on Fri Jan 22 15:25:08 CST 2016 -->
<title>Uses of Class vista.VCuadradoArea</title>
<meta name="date" content="2016-01-22">
<link rel="stylesheet" type="text/css" href="../../stylesheet.css" title="Style">
</head>
<body>
<script type="text/javascript"><!
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="Uses of Class vista.VCuadradoArea";
}
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<div class="topNav"><a name="navbar_top">
</a><a href="#skip-navbar_top" title="Skip navigation links"></a><a name="navbar_top_firstrow">
</a>
<ul class="navList" title="Navigation">
<li><a href="../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../vista/VCuadradoArea.html" title="class in vista">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../index-files/index-1.html">Index</a></li>
<li><a href="../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../index.html?vista/class-use/VCuadradoArea.html" target="_top">Frames</a></li>
<li><a href="VCuadradoArea.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="<API key>">
<li><a href="../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!
allClassesLink = document.getElementById("<API key>");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
</script>
</div>
<a name="skip-navbar_top">
</a></div>
<div class="header">
<h2 title="Uses of Class vista.VCuadradoArea" class="title">Uses of Class<br>vista.VCuadradoArea</h2>
</div>
<div class="classUseContainer">No usage of vista.VCuadradoArea</div>
<div class="bottomNav"><a name="navbar_bottom">
</a><a href="#skip-navbar_bottom" title="Skip navigation links"></a><a name="<API key>">
</a>
<ul class="navList" title="Navigation">
<li><a href="../../overview-summary.html">Overview</a></li>
<li><a href="../package-summary.html">Package</a></li>
<li><a href="../../vista/VCuadradoArea.html" title="class in vista">Class</a></li>
<li class="navBarCell1Rev">Use</li>
<li><a href="../package-tree.html">Tree</a></li>
<li><a href="../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../index-files/index-1.html">Index</a></li>
<li><a href="../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li>Prev</li>
<li>Next</li>
</ul>
<ul class="navList">
<li><a href="../../index.html?vista/class-use/VCuadradoArea.html" target="_top">Frames</a></li>
<li><a href="VCuadradoArea.html" target="_top">No Frames</a></li>
</ul>
<ul class="navList" id="<API key>">
<li><a href="../../allclasses-noframe.html">All Classes</a></li>
</ul>
<div>
<script type="text/javascript"><!
allClassesLink = document.getElementById("<API key>");
if(window==top) {
allClassesLink.style.display = "block";
}
else {
allClassesLink.style.display = "none";
}
</script>
</div>
<a name="skip-navbar_bottom">
</a></div>
</body>
</html> |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.UI;
using System.Web.UI.WebControls;
using Juice.Framework;
namespace WebForms {
public partial class Base : System.Web.UI.MasterPage {
protected void Page_Load(object sender, EventArgs e) {
//CssManager.CssResourceMapping.AddDefinition("juice-ui", new <API key> {
// Path = "~/css/ui-lightness/jquery-ui-1.9.0pre.custom.css",
// DebugPath = "~/css/ui-lightness/jquery-ui-1.9.0pre.custom.css"
}
}
} |
#ifndef __ARRAY_BLOB_H__
#define __ARRAY_BLOB_H__ 1
#include "4DPluginAPI.h"
#include "C_BLOB.h"
#ifdef __cplusplus
extern "C" {
#endif
typedef std::vector<C_BLOB> CBLOBArray;
typedef std::vector<C_BLOB> CBLOBArray;
class ARRAY_BLOB
{
private:
CBLOBArray* _CBLOBArray;
public:
void fromParamAtIndex(PackagePtr pParams, uint16_t index);
void toParamAtIndex(PackagePtr pParams, uint16_t index);
void appendDataValue(&C_BLOB dataValue);
void setDataValueAtIndex(&C_BLOB dataValue, uint32_t index);
void getDataValueAtIndex(&C_BLOB dataValue, uint32_t index);
uint32_t getSize();
void setSize(uint32_t size);
ARRAY_BLOB();
~ARRAY_BLOB();
};
#ifdef __cplusplus
}
#endif
#endif |
import {
assign,
guidFor,
dictionary,
getOwner
} from 'ember-utils';
import Logger from 'ember-console';
import {
get,
set,
defineProperty,
computed,
run,
deprecateProperty
} from 'ember-metal';
import {
Error as EmberError,
deprecate,
assert,
info
} from 'ember-debug';
import {
Object as EmberObject,
Evented,
typeOf,
A as emberA
} from 'ember-runtime';
import {
defaultSerialize,
hasDefaultSerialize
} from './route';
import EmberRouterDSL from './dsl';
import EmberLocation from '../location/api';
import {
routeArgs,
getActiveTargetName,
calculateCacheKey
} from '../utils';
import RouterState from './router_state';
import { DEBUG } from 'ember-env-flags';
/**
@module ember
@submodule ember-routing
*/
import Router from 'router';
function K() { return this; }
const { slice } = Array.prototype;
const EmberRouter = EmberObject.extend(Evented, {
/**
The `location` property determines the type of URL's that your
application will use.
The following location types are currently available:
* `history` - use the browser's history API to make the URLs look just like any standard URL
* `hash` - use `#` to separate the server part of the URL from the Ember part: `/blog/#/posts/new`
* `none` - do not store the Ember URL in the actual browser URL (mainly used for testing)
* `auto` - use the best option based on browser capabilities: `history` if possible, then `hash` if possible, otherwise `none`
Note: If using ember-cli, this value is defaulted to `auto` by the `locationType` setting of `/config/environment.js`
@property location
@default 'hash'
@see {Ember.Location}
@public
*/
location: 'hash',
/**
Represents the URL of the root of the application, often '/'. This prefix is
assumed on all routes defined on this router.
@property rootURL
@default '/'
@public
*/
rootURL: '/',
_initRouterJs() {
let routerMicrolib = this._routerMicrolib = new Router();
routerMicrolib.triggerEvent = triggerEvent;
routerMicrolib.<API key> = K;
routerMicrolib._triggerWillLeave = K;
let dslCallbacks = this.constructor.dslCallbacks || [K];
let dsl = this._buildDSL();
dsl.route('application', { path: '/', resetNamespace: true, <API key>: true }, function() {
for (let i = 0; i < dslCallbacks.length; i++) {
dslCallbacks[i].call(this);
}
});
if (DEBUG) {
if (get(this, 'namespace.<API key>')) {
routerMicrolib.log = Logger.debug;
}
}
routerMicrolib.map(dsl.generate());
},
_buildDSL() {
let moduleBasedResolver = this.<API key>();
let options = {
<API key>: !!moduleBasedResolver
};
let owner = getOwner(this);
let router = this;
options.resolveRouteMap = name => owner.factoryFor(`route-map:${name}`);
options.addRouteForEngine = (name, engineInfo) => {
if (!router._engineInfoByRoute[name]) {
router._engineInfoByRoute[name] = engineInfo;
}
};
return new EmberRouterDSL(null, options);
},
init() {
this._super(...arguments);
this.currentURL = null;
this.currentRouteName = null;
this.currentPath = null;
this._qpCache = Object.create(null);
this.<API key>();
this._handledErrors = dictionary(null);
this._engineInstances = Object.create(null);
this._engineInfoByRoute = Object.create(null)
},
/*
Resets all pending query parameter changes.
Called after transitioning to a new route
based on query parameter changes.
*/
<API key>() {
this._queuedQPChanges = {};
},
/**
Represents the current URL.
@method url
@return {String} The current URL.
@private
*/
url: computed(function() {
return get(this, 'location').getURL();
}),
<API key>() {
let owner = getOwner(this);
if (!owner) { return false; }
let resolver = owner.application && owner.application.__registry__ && owner.application.__registry__.resolver;
if (!resolver) { return false; }
return !!resolver.moduleBasedResolver;
},
/**
Initializes the current router instance and sets up the change handling
event listeners used by the instances `location` implementation.
A property named `initialURL` will be used to determine the initial URL.
If no value is found `/` will be used.
@method startRouting
@private
*/
startRouting() {
let initialURL = get(this, 'initialURL');
if (this.setupRouter()) {
if (initialURL === undefined) {
initialURL = get(this, 'location').getURL();
}
let initialTransition = this.handleURL(initialURL);
if (initialTransition && initialTransition.error) {
throw initialTransition.error;
}
}
},
setupRouter() {
this._initRouterJs();
this._setupLocation();
let location = get(this, 'location');
// Allow the Location class to cancel the router setup while it refreshes
// the page
if (get(location, 'cancelRouterSetup')) {
return false;
}
this._setupRouter(location);
location.onUpdateURL(url => {
this.handleURL(url);
});
return true;
},
/**
Handles updating the paths and notifying any listeners of the URL
change.
Triggers the router level `didTransition` hook.
For example, to notify google analytics when the route changes,
you could use this hook. (Note: requires also including GA scripts, etc.)
javascript
let Router = Ember.Router.extend({
location: config.locationType,
didTransition: function() {
this._super(...arguments);
return ga('send', 'pageview', {
'page': this.get('url'),
'title': this.get('url')
});
}
});
@method didTransition
@public
@since 1.2.0
*/
didTransition(infos) {
updatePaths(this);
this.<API key>();
this.<API key>('url');
this.set('currentState', this.targetState);
// Put this in the runloop so url will be accurate. Seems
// less surprising than didTransition being out of sync.
run.once(this, this.trigger, 'didTransition');
if (DEBUG) {
if (get(this, 'namespace').LOG_TRANSITIONS) {
Logger.log(`Transitioned into '${EmberRouter._routePath(infos)}'`);
}
}
},
_setOutlets() {
// This is triggered async during Ember.Route#willDestroy.
// If the router is also being destroyed we do not want to
// to create another this._toplevelView (and leak the renderer)
if (this.isDestroying || this.isDestroyed) { return; }
let handlerInfos = this._routerMicrolib.currentHandlerInfos;
let route;
let defaultParentState;
let liveRoutes = null;
if (!handlerInfos) {
return;
}
for (let i = 0; i < handlerInfos.length; i++) {
route = handlerInfos[i].handler;
let connections = route.connections;
let ownState;
for (let j = 0; j < connections.length; j++) {
let appended = appendLiveRoute(liveRoutes, defaultParentState, connections[j]);
liveRoutes = appended.liveRoutes;
if (appended.ownState.render.name === route.routeName || appended.ownState.render.outlet === 'main') {
ownState = appended.ownState;
}
}
if (connections.length === 0) {
ownState = representEmptyRoute(liveRoutes, defaultParentState, route);
}
defaultParentState = ownState;
}
// when a transitionTo happens after the validation phase
// during the initial transition _setOutlets is called
// when no routes are active. However, it will get called
// again with the correct values during the next turn of
// the runloop
if (!liveRoutes) {
return;
}
if (!this._toplevelView) {
let owner = getOwner(this);
let OutletView = owner.factoryFor('view:-outlet');
this._toplevelView = OutletView.create();
this._toplevelView.setOutletState(liveRoutes);
let instance = owner.lookup('-<API key>:main');
instance.didCreateRootView(this._toplevelView);
} else {
this._toplevelView.setOutletState(liveRoutes);
}
},
/**
Handles notifying any listeners of an impending URL
change.
Triggers the router level `willTransition` hook.
@method willTransition
@public
@since 1.11.0
*/
willTransition(oldInfos, newInfos, transition) {
run.once(this, this.trigger, 'willTransition', transition);
if (DEBUG) {
if (get(this, 'namespace').LOG_TRANSITIONS) {
Logger.log(`Preparing to transition from '${EmberRouter._routePath(oldInfos)}' to '${EmberRouter._routePath(newInfos)}'`);
}
}
},
handleURL(url) {
// Until we have an ember-idiomatic way of accessing #hashes, we need to
// remove it because router.js doesn't know how to handle it.
let _url = url.split(/
return this._doURLTransition('handleURL', _url);
},
_doURLTransition(routerJsMethod, url) {
let transition = this._routerMicrolib[routerJsMethod](url || '/');
didBeginTransition(transition, this);
return transition;
},
transitionTo(...args) {
let queryParams;
let arg = args[0];
if (resemblesURL(arg)) {
return this._doURLTransition('transitionTo', arg);
}
let possibleQueryParams = args[args.length - 1];
if (possibleQueryParams && possibleQueryParams.hasOwnProperty('queryParams')) {
queryParams = args.pop().queryParams;
} else {
queryParams = {};
}
let targetRouteName = args.shift();
return this._doTransition(targetRouteName, args, queryParams);
},
<API key>() {
this._routerMicrolib.<API key>(...arguments);
updatePaths(this);
if (DEBUG) {
let infos = this._routerMicrolib.currentHandlerInfos;
if (get(this, 'namespace').LOG_TRANSITIONS) {
Logger.log(`<API key> into '${EmberRouter._routePath(infos)}'`);
}
}
},
replaceWith() {
return this.transitionTo(...arguments).method('replace');
},
generate() {
let url = this._routerMicrolib.generate(...arguments);
return this.location.formatURL(url);
},
/**
Determines if the supplied route is currently active.
@method isActive
@param routeName
@return {Boolean}
@private
*/
isActive() {
return this._routerMicrolib.isActive(...arguments);
},
/**
An alternative form of `isActive` that doesn't require
manual concatenation of the arguments into a single
array.
@method isActiveIntent
@param routeName
@param models
@param queryParams
@return {Boolean}
@private
@since 1.7.0
*/
isActiveIntent(routeName, models, queryParams) {
return this.currentState.isActiveIntent(routeName, models, queryParams);
},
send() { /*name, context*/
this._routerMicrolib.trigger(...arguments);
},
/**
Does this router instance have the given route.
@method hasRoute
@return {Boolean}
@private
*/
hasRoute(route) {
return this._routerMicrolib.hasRoute(route);
},
/**
Resets the state of the router by clearing the current route
handlers and deactivating them.
@private
@method reset
*/
reset() {
if (this._routerMicrolib) {
this._routerMicrolib.reset();
}
},
willDestroy() {
if (this._toplevelView) {
this._toplevelView.destroy();
this._toplevelView = null;
}
this._super(...arguments);
this.reset();
let instances = this._engineInstances;
for (let name in instances) {
for (let id in instances[name]) {
run(instances[name][id], 'destroy');
}
}
},
/*
Called when an active route's query parameter has changed.
These changes are batched into a runloop run and trigger
a single transition.
*/
_activeQPChanged(queryParameterName, newValue) {
this._queuedQPChanges[queryParameterName] = newValue;
run.once(this, this.<API key>);
},
_updatingQPChanged(queryParameterName) {
if (!this._qpUpdates) {
this._qpUpdates = {};
}
this._qpUpdates[queryParameterName] = true;
},
/*
Triggers a transition to a route based on query parameter changes.
This is called once per runloop, to batch changes.
e.g.
if these methods are called in succession:
this._activeQPChanged('foo', '10');
// results in _queuedQPChanges = { foo: '10' }
this._activeQPChanged('bar', false);
// results in _queuedQPChanges = { foo: '10', bar: false }
_queuedQPChanges will represent both of these changes
and the transition using `transitionTo` will be triggered
once.
*/
<API key>() {
this.transitionTo({ queryParams: this._queuedQPChanges });
this.<API key>();
},
_setupLocation() {
let location = get(this, 'location');
let rootURL = get(this, 'rootURL');
let owner = getOwner(this);
if ('string' === typeof location && owner) {
let resolvedLocation = owner.lookup(`location:${location}`);
if (resolvedLocation !== undefined) {
location = set(this, 'location', resolvedLocation);
} else {
// Allow for deprecated registration of custom location API's
let options = {
implementation: location
};
location = set(this, 'location', EmberLocation.create(options));
}
}
if (location !== null && typeof location === 'object') {
if (rootURL) {
set(location, 'rootURL', rootURL);
}
// Allow the location to do any feature detection, such as AutoLocation
// detecting history support. This gives it a chance to set its
// `cancelRouterSetup` property which aborts routing.
if (typeof location.detect === 'function') {
location.detect();
}
// ensure that initState is called AFTER the rootURL is set on
// the location instance
if (typeof location.initState === 'function') {
location.initState();
}
}
},
_getHandlerFunction() {
let seen = Object.create(null);
let owner = getOwner(this);
return name => {
let routeName = name;
let routeOwner = owner;
let engineInfo = this._engineInfoByRoute[routeName];
if (engineInfo) {
let engineInstance = this._getEngineInstance(engineInfo);
routeOwner = engineInstance;
routeName = engineInfo.localFullName;
}
let fullRouteName = `route:${routeName}`;
let handler = routeOwner.lookup(fullRouteName);
if (seen[name]) {
return handler;
}
seen[name] = true;
if (!handler) {
let DefaultRoute = routeOwner.factoryFor('route:basic').class;
routeOwner.register(fullRouteName, DefaultRoute.extend());
handler = routeOwner.lookup(fullRouteName);
if (DEBUG) {
if (get(this, 'namespace.<API key>')) {
info(`generated -> ${fullRouteName}`, { fullName: fullRouteName });
}
}
}
handler._setRouteName(routeName);
if (engineInfo && !hasDefaultSerialize(handler)) {
throw new Error('Defining a custom serialize method on an Engine route is not supported.');
}
return handler;
};
},
<API key>() {
return name => {
let engineInfo = this._engineInfoByRoute[name];
// If this is not an Engine route, we fall back to the handler for serialization
if (!engineInfo) {
return;
}
return engineInfo.serializeMethod || defaultSerialize;
};
},
_setupRouter(location) {
let lastURL;
let routerMicrolib = this._routerMicrolib;
routerMicrolib.getHandler = this._getHandlerFunction();
routerMicrolib.getSerializer = this.<API key>();
let doUpdateURL = () => {
location.setURL(lastURL);
set(this, 'currentURL', lastURL);
};
routerMicrolib.updateURL = path => {
lastURL = path;
run.once(doUpdateURL);
};
if (location.replaceURL) {
let doReplaceURL = () => {
location.replaceURL(lastURL);
set(this, 'currentURL', lastURL);
};
routerMicrolib.replaceURL = path => {
lastURL = path;
run.once(doReplaceURL);
};
}
routerMicrolib.didTransition = infos => {
this.didTransition(infos);
};
routerMicrolib.willTransition = (oldInfos, newInfos, transition) => {
this.willTransition(oldInfos, newInfos, transition);
};
},
/**
Serializes the given query params according to their QP meta information.
@private
@method <API key>
@param {Arrray<HandlerInfo>} handlerInfos
@param {Object} queryParams
@return {Void}
*/
<API key>(handlerInfos, queryParams) {
forEachQueryParam(this, handlerInfos, queryParams, (key, value, qp) => {
if (qp) {
delete queryParams[key];
queryParams[qp.urlKey] = qp.route.serializeQueryParam(value, qp.urlKey, qp.type);
} else if (value === undefined) {
return; // We don't serialize undefined values
} else {
queryParams[key] = this.<API key>(value, typeOf(value));
}
});
},
/**
Serializes the value of a query parameter based on a type
@private
@method <API key>
@param {Object} value
@param {String} type
*/
<API key>(value, type) {
if (type === 'array') {
return JSON.stringify(value);
}
return `${value}`;
},
/**
Deserializes the given query params according to their QP meta information.
@private
@method <API key>
@param {Array<HandlerInfo>} handlerInfos
@param {Object} queryParams
@return {Void}
*/
<API key>(handlerInfos, queryParams) {
forEachQueryParam(this, handlerInfos, queryParams, (key, value, qp) => {
// If we don't have QP meta info for a given key, then we do nothing
// because all values will be treated as strings
if (qp) {
delete queryParams[key];
queryParams[qp.prop] = qp.route.<API key>(value, qp.urlKey, qp.type);
}
});
},
/**
Deserializes the value of a query parameter based on a default type
@private
@method <API key>
@param {Object} value
@param {String} defaultType
*/
<API key>(value, defaultType) {
if (defaultType === 'boolean') {
return value === 'true';
} else if (defaultType === 'number') {
return (Number(value)).valueOf();
} else if (defaultType === 'array') {
return emberA(JSON.parse(value));
}
return value;
},
/**
Removes (prunes) any query params with default values from the given QP
object. Default values are determined from the QP meta information per key.
@private
@method <API key>
@param {Array<HandlerInfo>} handlerInfos
@param {Object} queryParams
@return {Void}
*/
<API key>(handlerInfos, queryParams) {
let qps = this._queryParamsFor(handlerInfos);
for (let key in queryParams) {
let qp = qps.map[key];
if (qp && qp.<API key> === queryParams[key]) {
delete queryParams[key];
}
}
},
_doTransition(_targetRouteName, models, _queryParams, <API key>) {
let targetRouteName = _targetRouteName || getActiveTargetName(this._routerMicrolib);
assert(`The route ${targetRouteName} was not found`, targetRouteName && this._routerMicrolib.hasRoute(targetRouteName));
let queryParams = {};
this.<API key>(targetRouteName, models, queryParams, _queryParams);
assign(queryParams, _queryParams);
this._prepareQueryParams(targetRouteName, models, queryParams, <API key>);
let transitionArgs = routeArgs(targetRouteName, models, queryParams);
let transition = this._routerMicrolib.transitionTo(...transitionArgs);
didBeginTransition(transition, this);
return transition;
},
<API key>(targetRouteName, models, queryParams, _queryParams) {
// merge in any queryParams from the active transition which could include
// queryParams from the url on initial load.
if (!this._routerMicrolib.activeTransition) { return; }
let unchangedQPs = {};
let qpUpdates = this._qpUpdates || {};
let params = this._routerMicrolib.activeTransition.queryParams;
for (let key in params) {
if (!qpUpdates[key]) {
unchangedQPs[key] = params[key];
}
}
// We need to fully scope queryParams so that we can create one object
// that represents both passed-in queryParams and ones that aren't changed
// from the active transition.
this.<API key>(targetRouteName, models, _queryParams);
this.<API key>(targetRouteName, models, unchangedQPs);
assign(queryParams, unchangedQPs);
},
/**
Prepares the query params for a URL or Transition. Restores any undefined QP
keys/values, serializes all values, and then prunes any default values.
@private
@method _prepareQueryParams
@param {String} targetRouteName
@param {Array<Object>} models
@param {Object} queryParams
@param {boolean} <API key>
@return {Void}
*/
_prepareQueryParams(targetRouteName, models, queryParams, _fromRouterService) {
let state = <API key>(this, targetRouteName, models);
this.<API key>(state, queryParams, _fromRouterService);
this.<API key>(state.handlerInfos, queryParams);
if (!_fromRouterService) {
this.<API key>(state.handlerInfos, queryParams);
}
},
/**
Returns the meta information for the query params of a given route. This
will be overridden to allow support for lazy routes.
@private
@method _getQPMeta
@param {HandlerInfo} handlerInfo
@return {Object}
*/
_getQPMeta(handlerInfo) {
let route = handlerInfo.handler;
return route && get(route, '_qp');
},
/**
Returns a merged query params meta object for a given set of handlerInfos.
Useful for knowing what query params are available for a given route hierarchy.
@private
@method _queryParamsFor
@param {Array<HandlerInfo>} handlerInfos
@return {Object}
*/
_queryParamsFor(handlerInfos) {
let handlerInfoLength = handlerInfos.length;
let leafRouteName = handlerInfos[handlerInfoLength - 1].name;
let cached = this._qpCache[leafRouteName];
if (cached) {
return cached;
}
let shouldCache = true;
let qpsByUrlKey = {};
let map = {};
let qps = [];
for (let i = 0; i < handlerInfoLength; ++i) {
let qpMeta = this._getQPMeta(handlerInfos[i]);
if (!qpMeta) {
shouldCache = false;
continue;
}
// Loop over each QP to make sure we don't have any collisions by urlKey
for (let i = 0; i < qpMeta.qps.length; i++) {
let qp = qpMeta.qps[i];
let urlKey = qp.urlKey;
let qpOther = qpsByUrlKey[urlKey];
if (qpOther && qpOther.controllerName !== qp.controllerName) {
let otherQP = qpsByUrlKey[urlKey];
assert(`You're not allowed to have more than one controller property map to the same query param key, but both \`${otherQP.scopedPropertyName}\` and \`${qp.scopedPropertyName}\` map to \`${urlKey}\`. You can fix this by mapping one of the controller properties to a different query param key via the \`as\` config option, e.g. \`${otherQP.prop}: { as: \'other-${otherQP.prop}\' }\``, false);
}
qpsByUrlKey[urlKey] = qp;
qps.push(qp);
}
assign(map, qpMeta.map);
}
let finalQPMeta = { qps, map };
if (shouldCache) {
this._qpCache[leafRouteName] = finalQPMeta;
}
return finalQPMeta;
},
/**
Maps all query param keys to their fully scoped property name of the form
`controllerName:propName`.
@private
@method <API key>
@param {String} leafRouteName
@param {Array<Object>} contexts
@param {Object} queryParams
@return {Void}
*/
<API key>(leafRouteName, contexts, queryParams) {
let state = <API key>(this, leafRouteName, contexts);
let handlerInfos = state.handlerInfos;
for (let i = 0, len = handlerInfos.length; i < len; ++i) {
let qpMeta = this._getQPMeta(handlerInfos[i]);
if (!qpMeta) { continue; }
for (let j = 0, qpLen = qpMeta.qps.length; j < qpLen; ++j) {
let qp = qpMeta.qps[j];
let presentProp = qp.prop in queryParams && qp.prop ||
qp.scopedPropertyName in queryParams && qp.scopedPropertyName ||
qp.urlKey in queryParams && qp.urlKey;
if (presentProp) {
if (presentProp !== qp.scopedPropertyName) {
queryParams[qp.scopedPropertyName] = queryParams[presentProp];
delete queryParams[presentProp];
}
}
}
}
},
/**
Hydrates (adds/restores) any query params that have pre-existing values into
the given queryParams hash. This is what allows query params to be "sticky"
and restore their last known values for their scope.
@private
@method <API key>
@param {TransitionState} state
@param {Object} queryParams
@return {Void}
*/
<API key>(state, queryParams, _fromRouterService) {
let handlerInfos = state.handlerInfos;
let appCache = this._bucketCache;
for (let i = 0; i < handlerInfos.length; ++i) {
let qpMeta = this._getQPMeta(handlerInfos[i]);
if (!qpMeta) { continue; }
for (let j = 0, qpLen = qpMeta.qps.length; j < qpLen; ++j) {
var qp = qpMeta.qps[j];
var presentProp = qp.prop in queryParams && qp.prop ||
qp.scopedPropertyName in queryParams && qp.scopedPropertyName ||
qp.urlKey in queryParams && qp.urlKey;
assert(
`You passed the \`${presentProp}\` query parameter during a transition into ${qp.route.routeName}, please update to ${qp.urlKey}`,
(function() {
if (qp.urlKey === presentProp) {
return true;
}
if (_fromRouterService) {
return false;
}
return true;
})()
);
if (presentProp) {
if (presentProp !== qp.scopedPropertyName) {
queryParams[qp.scopedPropertyName] = queryParams[presentProp];
delete queryParams[presentProp];
}
} else {
let cacheKey = calculateCacheKey(qp.route.fullRouteName, qp.parts, state.params);
queryParams[qp.scopedPropertyName] = appCache.lookup(cacheKey, qp.prop, qp.defaultValue);
}
}
}
},
<API key>(transition, originRoute) {
this.<API key>();
this.<API key> = run.scheduleOnce('routerTransitions', this, '<API key>', transition, originRoute);
},
currentState: null,
targetState: null,
<API key>(transition, originRoute) {
if (!this._routerMicrolib.activeTransition) {
// Don't fire an event if we've since moved on from
// the transition that put us in a loading state.
return;
}
this.set('targetState', RouterState.create({
emberRouter: this,
routerJs: this._routerMicrolib,
routerJsState: this._routerMicrolib.activeTransition.state
}));
transition.trigger(true, 'loading', transition, originRoute);
},
<API key>() {
if (this.<API key>) {
run.cancel(this.<API key>);
}
this.<API key> = null;
},
// These three helper functions are used to ensure errors aren't
// re-raised if they're handled in a route's error action.
_markErrorAsHandled(errorGuid) {
this._handledErrors[errorGuid] = true;
},
_isErrorHandled(errorGuid) {
return this._handledErrors[errorGuid];
},
_clearHandledError(errorGuid) {
delete this._handledErrors[errorGuid];
},
_getEngineInstance({ name, instanceId, mountPoint }) {
let engineInstances = this._engineInstances;
if (!engineInstances[name]) {
engineInstances[name] = Object.create(null);
}
let engineInstance = engineInstances[name][instanceId];
if (!engineInstance) {
let owner = getOwner(this);
assert(
`You attempted to mount the engine '${name}' in your router map, but the engine can not be found.`,
owner.hasRegistration(`engine:${name}`)
);
engineInstance = owner.<API key>(name, {
routable: true,
mountPoint
});
engineInstance.boot();
engineInstances[name][instanceId] = engineInstance;
}
return engineInstance;
}
});
function forEachRouteAbove(originRoute, handlerInfos, callback) {
let originRouteFound = false;
for (let i = handlerInfos.length - 1; i >= 0; --i) {
let handlerInfo = handlerInfos[i];
let route = handlerInfo.handler;
if (originRoute === route) {
originRouteFound = true;
}
if (!originRouteFound) {
continue;
}
if (callback(route) !== true) {
return;
}
}
}
// These get invoked when an action bubbles above ApplicationRoute
// and are not meant to be overridable.
let <API key> = {
willResolveModel(transition, originRoute) {
originRoute.router.<API key>(transition, originRoute);
},
// Attempt to find an appropriate error route or substate to enter.
error(error, transition, originRoute) {
let handlerInfos = transition.state.handlerInfos;
let router = originRoute.router;
forEachRouteAbove(originRoute, handlerInfos, route => {
// Check for the existence of an 'error' route.
// We don't check for an 'error' route on the originRoute, since that would
// technically be below where we're at in the route hierarchy.
if (originRoute !== route) {
let errorRouteName = findRouteStateName(route, 'error');
if (errorRouteName) {
router.<API key>(errorRouteName, error);
return false;
}
}
// Check for an 'error' substate route
let errorSubstateName = <API key>(route, 'error');
if (errorSubstateName) {
router.<API key>(errorSubstateName, error);
return false;
}
return true;
});
logError(error, `Error while processing route: ${transition.targetName}`);
},
// Attempt to find an appropriate loading route or substate to enter.
loading(transition, originRoute) {
let handlerInfos = transition.state.handlerInfos;
let router = originRoute.router;
forEachRouteAbove(originRoute, handlerInfos, route => {
// Check for the existence of a 'loading' route.
// We don't check for a 'loading' route on the originRoute, since that would
// technically be below where we're at in the route hierarchy.
if (originRoute !== route) {
let loadingRouteName = findRouteStateName(route, 'loading');
if (loadingRouteName) {
router.<API key>(loadingRouteName);
return false;
}
}
// Check for loading substate
let loadingSubstateName = <API key>(route, 'loading');
if (loadingSubstateName) {
router.<API key>(loadingSubstateName);
return false;
}
// Don't bubble above pivot route.
return transition.pivotHandler !== route;
});
}
};
function logError(_error, initialMessage) {
let errorArgs = [];
let error;
if (_error && typeof _error === 'object' && typeof _error.errorThrown === 'object') {
error = _error.errorThrown;
} else {
error = _error;
}
if (initialMessage) { errorArgs.push(initialMessage); }
if (error) {
if (error.message) { errorArgs.push(error.message); }
if (error.stack) { errorArgs.push(error.stack); }
if (typeof error === 'string') { errorArgs.push(error); }
}
Logger.error.apply(this, errorArgs);
}
/**
Finds the name of the substate route if it exists for the given route. A
substate route is of the form `route_state`, such as `foo_loading`.
@private
@param {Route} route
@param {String} state
@return {String}
*/
function <API key>(route, state) {
let owner = getOwner(route);
let { routeName, fullRouteName, router } = route;
let substateName = `${routeName}_${state}`;
let substateNameFull = `${fullRouteName}_${state}`;
return routeHasBeenDefined(owner, router, substateName, substateNameFull) ?
substateNameFull :
'';
}
/**
Finds the name of the state route if it exists for the given route. A state
route is of the form `route.state`, such as `foo.loading`. Properly Handles
`application` named routes.
@private
@param {Route} route
@param {String} state
@return {String}
*/
function findRouteStateName(route, state) {
let owner = getOwner(route);
let { routeName, fullRouteName, router } = route;
let stateName = routeName === 'application' ? state : `${routeName}.${state}`;
let stateNameFull = fullRouteName === 'application' ? state : `${fullRouteName}.${state}`;
return routeHasBeenDefined(owner, router, stateName, stateNameFull) ?
stateNameFull :
'';
}
/**
Determines whether or not a route has been defined by checking that the route
is in the Router's map and the owner has a registration for that route.
@private
@param {Owner} owner
@param {Ember.Router} router
@param {String} localName
@param {String} fullName
@return {Boolean}
*/
function routeHasBeenDefined(owner, router, localName, fullName) {
let routerHasRoute = router.hasRoute(fullName);
let ownerHasRoute = owner.hasRegistration(`template:${localName}`) || owner.hasRegistration(`route:${localName}`);
return routerHasRoute && ownerHasRoute;
}
export function triggerEvent(handlerInfos, ignoreFailure, args) {
let name = args.shift();
if (!handlerInfos) {
if (ignoreFailure) { return; }
throw new EmberError(`Can't trigger action '${name}' because your app hasn't finished transitioning into its first route. To trigger an action on destination routes during a transition, you can call \`.send()\` on the \`Transition\` object passed to the \`model/beforeModel/afterModel\` hooks.`);
}
let eventWasHandled = false;
let handlerInfo, handler, actionHandler;
for (let i = handlerInfos.length - 1; i >= 0; i
handlerInfo = handlerInfos[i];
handler = handlerInfo.handler;
actionHandler = handler && handler.actions && handler.actions[name];
if (actionHandler) {
if (actionHandler.apply(handler, args) === true) {
eventWasHandled = true;
} else {
// Should only hit here if a non-bubbling error action is triggered on a route.
if (name === 'error') {
let errorId = guidFor(args[0]);
handler.router._markErrorAsHandled(errorId);
}
return;
}
}
}
let defaultHandler = <API key>[name]
if (defaultHandler) {
defaultHandler.apply(null, args);
return;
}
if (!eventWasHandled && !ignoreFailure) {
throw new EmberError(`Nothing handled the action '${name}'. If you did handle the action, this error can be caused by returning true from an action handler in a controller, causing the action to bubble.`);
}
}
function <API key>(emberRouter, leafRouteName, contexts) {
let state = emberRouter._routerMicrolib.applyIntent(leafRouteName, contexts);
let { handlerInfos, params } = state;
for (let i = 0; i < handlerInfos.length; ++i) {
let handlerInfo = handlerInfos[i];
// If the handlerInfo is not resolved, we serialize the context into params
if (!handlerInfo.isResolved) {
params[handlerInfo.name] = handlerInfo.serialize(handlerInfo.context);
} else {
params[handlerInfo.name] = handlerInfo.params;
}
}
return state;
}
function updatePaths(router) {
let infos = router._routerMicrolib.currentHandlerInfos;
if (infos.length === 0) { return; }
let path = EmberRouter._routePath(infos);
let currentRouteName = infos[infos.length - 1].name;
let currentURL = router.get('location').getURL();
set(router, 'currentPath', path);
set(router, 'currentRouteName', currentRouteName);
set(router, 'currentURL', currentURL);
let appController = getOwner(router).lookup('controller:application');
if (!appController) {
// appController might not exist when top-level loading/error
// substates have been entered since ApplicationRoute hasn't
// actually been entered at that point.
return;
}
if (!('currentPath' in appController)) {
defineProperty(appController, 'currentPath');
}
set(appController, 'currentPath', path);
if (!('currentRouteName' in appController)) {
defineProperty(appController, 'currentRouteName');
}
set(appController, 'currentRouteName', currentRouteName);
}
EmberRouter.reopenClass({
router: null,
map(callback) {
if (!this.dslCallbacks) {
this.dslCallbacks = [];
this.reopenClass({ dslCallbacks: this.dslCallbacks });
}
this.dslCallbacks.push(callback);
return this;
},
_routePath(handlerInfos) {
let path = [];
// We have to handle coalescing resource names that
// are prefixed with their parent's names, e.g.
// ['foo', 'foo.bar.baz'] => 'foo.bar.baz', not 'foo.foo.bar.baz'
function intersectionMatches(a1, a2) {
for (let i = 0; i < a1.length; ++i) {
if (a1[i] !== a2[i]) {
return false;
}
}
return true;
}
let name, nameParts, oldNameParts;
for (let i = 1; i < handlerInfos.length; i++) {
name = handlerInfos[i].name;
nameParts = name.split('.');
oldNameParts = slice.call(path);
while (oldNameParts.length) {
if (intersectionMatches(oldNameParts, nameParts)) {
break;
}
oldNameParts.shift();
}
path.push(...nameParts.slice(oldNameParts.length));
}
return path.join('.');
}
});
function didBeginTransition(transition, router) {
let routerState = RouterState.create({
emberRouter: router,
routerJs: router._routerMicrolib,
routerJsState: transition.state
});
if (!router.currentState) {
router.set('currentState', routerState);
}
router.set('targetState', routerState);
transition.promise = transition.catch(error => {
let errorId = guidFor(error);
if (router._isErrorHandled(errorId)) {
router._clearHandledError(errorId);
} else {
throw error;
}
});
}
function resemblesURL(str) {
return typeof str === 'string' && (str === '' || str[0] === '/');
}
function forEachQueryParam(router, handlerInfos, queryParams, callback) {
let qpCache = router._queryParamsFor(handlerInfos);
for (let key in queryParams) {
if (!queryParams.hasOwnProperty(key)) { continue; }
let value = queryParams[key];
let qp = qpCache.map[key];
callback(key, value, qp);
}
}
function findLiveRoute(liveRoutes, name) {
if (!liveRoutes) { return; }
let stack = [liveRoutes];
while (stack.length > 0) {
let test = stack.shift();
if (test.render.name === name) {
return test;
}
let outlets = test.outlets;
for (let outletName in outlets) {
stack.push(outlets[outletName]);
}
}
}
function appendLiveRoute(liveRoutes, defaultParentState, renderOptions) {
let target;
let myState = {
render: renderOptions,
outlets: Object.create(null),
wasUsed: false
};
if (renderOptions.into) {
target = findLiveRoute(liveRoutes, renderOptions.into);
} else {
target = defaultParentState;
}
if (target) {
set(target.outlets, renderOptions.outlet, myState);
} else {
if (renderOptions.into) {
deprecate(
`Rendering into a {{render}} helper that resolves to an {{outlet}} is deprecated.`,
false,
{
id: 'ember-routing.<API key>',
until: '3.0.0',
url: 'https://emberjs.com/deprecations/v2.x/#<API key>'
}
);
// Megahax time. Post-3.0-breaking-changes, we will just assert
// right here that the user tried to target a nonexistent
// thing. But for now we still need to support the `render`
// helper, and people are allowed to target templates rendered
// by the render helper. So instead we defer doing anyting with
// these orphan renders until afterRender.
appendOrphan(liveRoutes, renderOptions.into, myState);
} else {
liveRoutes = myState;
}
}
return {
liveRoutes,
ownState: myState
};
}
function appendOrphan(liveRoutes, into, myState) {
if (!liveRoutes.outlets.__ember_orphans__) {
liveRoutes.outlets.__ember_orphans__ = {
render: {
name: '__ember_orphans__'
},
outlets: Object.create(null)
};
}
liveRoutes.outlets.__ember_orphans__.outlets[into] = myState;
run.schedule('afterRender', () => {
// `wasUsed` gets set by the render helper.
assert(`You attempted to render into '${into}' but it was not found`,
liveRoutes.outlets.__ember_orphans__.outlets[into].wasUsed);
});
}
function representEmptyRoute(liveRoutes, defaultParentState, route) {
// the route didn't render anything
let alreadyAppended = findLiveRoute(liveRoutes, route.routeName);
if (alreadyAppended) {
// But some other route has already rendered our default
// template, so that becomes the default target for any
// children we may have.
return alreadyAppended;
} else {
// Create an entry to represent our default template name,
// just so other routes can target it and inherit its place
// in the outlet hierarchy.
defaultParentState.outlets.main = {
render: {
name: route.routeName,
outlet: 'main'
},
outlets: {}
};
return defaultParentState;
}
}
deprecateProperty(EmberRouter.prototype, 'router', '_routerMicrolib', {
id: 'ember-router.router',
until: '2.16',
url: 'https://emberjs.com/deprecations/v2.x/#<API key>'
});
export default EmberRouter; |
package main
/**
* Definition for a binary tree node.
* type TreeNode struct {
* Val int
* Left *TreeNode
* Right *TreeNode
* }
*/
type TreeNode struct {
Val int
Left *TreeNode
Right *TreeNode
}
func sufficientSubset(root *TreeNode, limit int) *TreeNode {
var dfs func(node *TreeNode, sum int) (*TreeNode)
dfs = func(node *TreeNode, sum int) (*TreeNode) {
if node.Left == nil && node.Right == nil {
if node.Val + sum >= limit {
return node
}
return nil
}
var left, right *TreeNode
if node.Left != nil {
left = dfs(node.Left, node.Val + sum)
}
if node.Right != nil {
right = dfs(node.Right, node.Val + sum)
}
if left == nil && right == nil {
return nil
}
return node
}
return dfs(root, 0)
}
func main() {
} |
class VotesController < <API key>
def create
Vote.create(user_id: session[:user_id], answer_id: params["answer_id"].to_i)
redirect_to "/users/#{session[:user_id]}"
end
end |
using System;
using System.Collections.Generic;
using System.Configuration;
using System.Data;
using System.Linq;
using System.Threading.Tasks;
using System.Windows;
namespace EPAtoTV {
<summary>
Interaction logic for App.xaml
</summary>
public partial class App :Application {
}
} |
import 'bulma/css/bulma.css';
import 'highlight.js/styles/atom-one-dark.css';
import './index.css';
import React from 'react';
import ReactDOM from 'react-dom';
import {Provider} from 'react-redux';
import marked from 'marked';
import App from './App';
import store from './store';
marked.setOptions({
highlight: function (code) {
return require('highlight.js').highlightAuto(code).value;
}
});
const elem = (
<Provider store={store}>
<App />
</Provider>
);
ReactDOM.render(elem, document.getElementById('root')); |
import { MessageDispatcher, Envelope } from 'message-dispatcher';
import ActorRef from './ActorRef';
export default class ActorSystem {
constructor(dispatcher) {
this.actors = new Map();
this.dispatcher = dispatcher;
}
actorOf(ActorType, name = ActorType.name.toLowerCase()) {
if (this.actors.has(name)) {
return this.actors.get(name);
}
const actor = new ActorType(this);
const ref = new ActorRef(actor);
const mailbox = this.dispatcher.mailboxOf(ActorType.getMailboxType());
mailbox.register(({ message, sender }) => {
actor.receive(message, sender);
});
this.actors.set(name, ref);
return actor;
}
dispatch(message, sender) {
const envelope = new Envelope(message, sender);
this.dispatcher.dispatch(envelope);
}
} |
require 'spec_helper'
# There's a slow test in here somewhere.
describe <API key> do
render_views
it_behaves_like "remote duplicate support" do
let(:resource) { FactoryGirl.create(:activity) }
end
let (:admin) { FactoryGirl.create(:admin) }
let (:author) { FactoryGirl.create(:author) }
let (:page) { FactoryGirl.create(:page, name: "Page 1" ) }
# act.pages.create!(:name => "Page 1") }
let (:theme) { FactoryGirl.create(:theme) }
let (:project) { FactoryGirl.create(:project) }
let (:act) {
activity = FactoryGirl.create(:public_activity,
user: author, theme: theme, project: project, pages: [page])
}
let (:private_act) { FactoryGirl.create(:activity)}
let (:ar_run) { FactoryGirl.create(:run, :activity_id => act.id, :user_id => nil) }
# let (:page) { act.pages.create!(:name => "Page 1") }
let (:sequence) { FactoryGirl.create(:sequence) }
let (:user) { FactoryGirl.create(:user) }
describe 'routing' do
it 'recognizes and generates #show' do
expect({:get => "activities/3"}).to route_to(:controller => '<API key>', :action => 'show', :id => "3")
end
end
describe '#show' do
it 'renders 404 when the activity does not exist' do
expect{
get :show, :id => 9876548376394
}.to raise_error(ActiveRecord::RecordNotFound)
end
it_behaves_like "runnable resource launchable by the portal", Run do
let(:action) { :show }
let(:resource_template) { '<API key>/show' }
let(:base_params) { {id: act.id} }
let(:base_factory_params) { {activity_id: act.id}}
let(:run_path_helper) { :<API key> }
let(:run_key_param_name) { :run_key }
let(:run_variable_name) { :run }
end
describe "when the run has a page" do
let(:last_page) { page }
before(:each) do
ar_run.set_last_page(last_page)
end
describe "when the URL has a run_key" do
subject { get :show, :id => act.id, :run_key => ar_run.key}
it "should redirect to the run page" do
# page_with_run_path(@activity.id, @run.last_page.id, @run)
expect(subject).to redirect_to(page_with_run_path(act.id, page.id, ar_run.key))
end
describe "when the run page is hidden" do
let(:page) { FactoryGirl.create(:page, name: "Page 1", is_hidden: true) }
it "should not redirect to the run page" do
expect(subject).not_to redirect_to(page_with_run_path(act.id, page.id, ar_run.key))
expect(response).to render_template('<API key>/show')
end
end
describe "when the run page is for a different activity" do
let(:other_act) { FactoryGirl.create(:public_activity) }
let(:other_page) { FactoryGirl.create(:page, name: "Page 2", <API key>: other_act) }
let(:last_page) { other_page }
it "should redirect to Act 2 run page." do
expect(subject).to redirect_to(page_with_run_path(other_act.id, other_page.id, ar_run.key))
end
end
describe 'when activity has a single page layout' do
before(:each) do
act.layout = LightweightActivity::LAYOUT_SINGLE_PAGE
act.save
end
it 'should redirect to the single page view instead' do
get :show, :id => act.id
expect(subject).to redirect_to(<API key>(act.id, ar_run.key))
end
describe "when the URL has portal properties" do
before(:each) do
ar_run.remote_endpoint = 'https://example.com'
ar_run.remote_id = 1
ar_run.user = user
ar_run.save
sign_in user
end
subject { get :show, id: act.id,
returnUrl: 'https://example.com', externalId: 1 }
it "should redirect to the single page with a run key" do
expect(subject).to redirect_to(<API key>(act.id, ar_run.key))
end
end
end
end
end
describe 'when it is part of a sequence' do
let (:seq_run) { FactoryGirl.create(:sequence_run, :sequence_id => sequence.id, :user_id => nil) }
before(:each) do
# Add the activity to the sequence
act.sequences = [sequence]
act.save
end
it_behaves_like "runnable resource not launchable by the portal", Run do
let(:action) { :show }
let(:resource_template) { '<API key>/show' }
let(:base_params) { {id: act.id, sequence_id: sequence.id} }
let(:base_factory_params) { {activity_id: act.id, sequence_id: sequence.id,
sequence_run: seq_run }}
let(:run_path_helper) { :<API key> }
let(:run_key_param_name) { :run_key }
let(:run_variable_name) { :run }
end
it 'creates a sequence run and activity run if not specificied' do
get :show, :id => act.id, :sequence_id => sequence.id
expect(assigns(:sequence_run)).not_to be_nil
end
describe "when an anonymous run with a sequence run already exists" do
before(:each) do
ar_run.sequence = sequence
ar_run.sequence_run = seq_run
ar_run.save
end
it "assigns a sequence even if the URL doesn't have one" do
ar_run.sequence = sequence
ar_run.sequence_run = seq_run
ar_run.save
get :show, :id => act.id, :run_key => ar_run.key
expect(assigns(:sequence)).to eq(sequence)
end
# this is mostly duplicated in the runnable_resource shared examples but those
# examples don't currently check that the sequencerun is created too
describe "when the activity is loaded without a run_key" do
# build is used here so this new_seq_run cannot be accidentally found during a
# broken lookup
let(:new_seq_run) { FactoryGirl.build(:sequence_run, sequence_id: sequence.id) }
it 'creates a new run, it does not reuse the existing run' do
expect(new_seq_run).to_not be_persisted
# we need to save this sequence run so the runs.create can be called later
expect(SequenceRun).to receive(:create!) { new_seq_run.save; new_seq_run }
get :show, sequence_id: sequence.id, id: act.id
expect(assigns[:sequence_run]).to eq(new_seq_run)
expect(assigns[:run].sequence_run).to eq(new_seq_run)
expect(assigns[:run]).to_not eq(ar_run)
end
end
end
it 'assigns a sequence if one is in the URL' do
get :show, :id => act.id, :sequence_id => sequence.id
expect(assigns(:sequence)).not_to be_nil
end
describe 'when the current_user has a run with portal properties with this sequence' do
before(:each) do
ar_run.sequence_run = seq_run
ar_run.sequence = sequence
ar_run.user = user
ar_run.remote_endpoint = 'http://example.com'
ar_run.remote_id = 1
ar_run.save
sign_in user
end
# this is mostly duplicated by the runnable_resource shared examples but those
# examples don't check if the SequenceRun is created
describe 'when the URL has no parameters' do
# build is used here so this new_seq_run cannot be accidentally found during a
# broken lookup
let(:new_seq_run) { FactoryGirl.build(:sequence_run, sequence_id: sequence.id) }
it 'creates a new run, it does not reuse the existing run' do
expect(new_seq_run).to_not be_persisted
# we need to save this sequence run so the runs.create can be called later
expect(SequenceRun).to receive(:create!) { new_seq_run.save; new_seq_run }
get :show, sequence_id: sequence.id, id: act.id
expect(assigns[:sequence_run]).to eq(new_seq_run)
expect(assigns[:run].sequence_run).to eq(new_seq_run)
expect(assigns[:run]).to_not eq(ar_run)
end
end
end
it 'fails if URL has a sequence but the run does not' do
ar_run.sequence = nil
ar_run.sequence_run = seq_run
ar_run.save
ar_run.reload
expect {
get :show, :id => act.id, :run_key => ar_run.key, :sequence_id => sequence.id
}.to raise_error(ActiveRecord::RecordNotFound)
end
it "fails if the run's sequence doesn't match the URL sequence" do
other_activity = FactoryGirl.create(:activity)
other_sequence = FactoryGirl.create(:sequence, <API key>: [other_activity])
ar_run.sequence = sequence
ar_run.sequence_run = seq_run
ar_run.save
ar_run.reload
expect {
get :show, :id => other_activity.id, :run_key => ar_run.key, :sequence_id => other_sequence.id
}.to raise_error(ActiveRecord::RecordNotFound)
end
it 'fails if the activity is not part of the sequence' do
other_activity = FactoryGirl.create(:activity)
expect {
get :show, :id => other_activity.id, :sequence_id => sequence.id
}.to raise_error(ActiveRecord::RecordNotFound)
end
end
end
describe '#preview' do
before(:each) {
sign_in author
}
it 'calls clear_answers on the run' do
expect(Run).to receive(:lookup).and_return(ar_run)
expect(ar_run).to receive(:clear_answers).and_return(:true)
get :preview, :id => act.id
end
it 'renders show' do
get :preview, :id => act.id
expect(response).to render_template('<API key>/show')
end
end
describe "#summary" do
before(:each) do
allow(ENV).to receive(:[]).and_call_original
allow(ENV).to receive(:[]).with("<API key>").and_return("http://test.host")
allow(ENV).to receive(:[]).with("REPORT_SERVICE_URL").and_return("https://<API key>.cloudfunctions.net/api")
allow(ENV).to receive(:[]).with("REPORT_URL").and_return("https://portal-report.concord.org/branch/master/index.html")
allow(ENV).to receive(:[]).with("<API key>").and_return("authoring.test.concord.org")
end
it "redirects to external portal with the provided run" do
get :summary, { :id => act.id, :run_key => ar_run.key }
expect(response).to redirect_to "https://portal-report.concord.org/branch/master/index.html" +
"?firebase-app=report-service-dev" +
"&sourceKey=authoring.test.concord.org" +
"&runKey=#{ar_run.key}" +
"&activity=http%3A%2F%2Ftest.host%2Factivities%2F#{act.id}" +
"&resourceUrl=http%3A%2F%2Ftest.host%2Factivities%2F#{act.id}"
end
end
describe '#single_page' do
it_behaves_like "runnable resource not launchable by the portal", Run do
let(:action) { :single_page }
let(:resource_template) { '<API key>/single' }
let(:base_params) { {id: act.id } }
let(:base_factory_params) { {activity_id: act.id }}
let(:run_path_helper) { :<API key> }
let(:run_key_param_name) { :run_key }
let(:run_variable_name) { :run }
end
end
describe '#print_blank' do
it 'renders print_blank' do
get :print_blank, :id => act.id
expect(response).to render_template('<API key>/print_blank')
end
end
context 'when the current user is an author' do
# Access control/authorization is tested in spec/models/user_spec.rb
before(:each) do
sign_in author
<API key>(:activity,3, :publication_status => 'public', :is_official => false)
<API key>(:activity,4, :publication_status => 'public', :is_official => true)
end
describe '#index' do
it 'has a list of public and owned activities' do
# User is an admin, so all public activities will be shown
get :index
expect(assigns(:<API key>).size).to be >= 3
expect(assigns(:official_activities).size).to eq(4)
expect(assigns(:<API key>)).to be_ordered_by 'updated_at_desc'
expect(assigns(:official_activities)).to be_ordered_by 'updated_at_desc'
end
end
describe '#new' do
it 'should return success' do
get :new
expect(assigns(:activity)).not_to be_nil
expect(response).to be_success
end
end
describe '#create' do
it 'creates a new Lightweight Activity when submitted with valid data' do
existing_activities = LightweightActivity.count
post :create, {:<API key> => {:name => 'Test Activity', :description => "Test Activity's description"}}
expect(flash[:notice]).to eq("Lightweight Activity Test Activity was created.")
expect(response).to redirect_to(edit_activity_path(assigns(:activity)))
expect(LightweightActivity.count).to equal existing_activities + 1
end
it 'creates <API key> owned by the current_user' do
existing_activities = LightweightActivity.count(:conditions => {:user_id => author.id})
post :create, {:<API key> => {:name => 'Owned Activity', :description => "Test Activity's description", :user_id => 10}}
expect(LightweightActivity.count(:conditions => {:user_id => author.id})).to equal existing_activities + 1
end
it 'returns to the form with an error message when submitted with invalid data' do
<API key>(LightweightActivity).to receive(:save).and_return(false)
existing_activities = LightweightActivity.count
post :create, {:<API key> => { :name => 'This update will fail.'} }
expect(flash[:warning]).to eq('There was a problem creating the new Lightweight Activity.')
expect(response.body).to match /<form[^<]+action="\/activities"[^<]+method="post"[^<]*>/
expect(response.body).to match /<input[^<]+id="<API key>"[^<]+name="<API key>\[name\]"[^<]+type="text"[^<]*\/>/
expect(response.body).to match /<textarea[^<]+id="<API key>"[^<]+name="<API key>\[description\]"[^<]*>[^<]*<\/textarea>/
expect(LightweightActivity.count).to equal existing_activities
end
end
describe 'edit' do
it 'should assign an activity and return success' do
act
get :edit, {:id => act.id}
expect(assigns(:activity)).not_to be_nil
expect(assigns(:activity)).to eq(act)
expect(response).to be_success
end
end
describe 'update' do
it "should change the activity's database record to show submitted data" do
act
existing_activities = LightweightActivity.count
post :update, {:_method => 'put', :id => act.id, :<API key> => { :name => 'This name has been edited', :description => 'Activity which was edited' }}
expect(LightweightActivity.count).to eq(existing_activities)
updated = LightweightActivity.find(act.id)
expect(updated.name).to eq('This name has been edited')
expect(updated.description).to eq('Activity which was edited')
expect(flash[:notice]).to eq("Activity #{updated.name} was updated.")
end
it "should redirect to the activity's edit page on error" do
<API key>(LightweightActivity).to receive(:save).and_return(false)
act
post :update, {:_method => 'put', :id => act.id, :<API key> => { :name => 'This update will fail' } }
expect(flash[:warning]).to eq("There was a problem updating your activity.")
expect(response).to redirect_to(edit_activity_path(act))
end
it 'should change single attributes in response to XHR-submitted data' do
act
request.accept = "application/json"
xhr :post, :update, {:id => act.id, "<API key>" => { "name" => "I'm editing this name with an Ajax request" } }
expect(response.body).to match /I'm editing this name with an Ajax request/
end
end
describe 'delete' do
it 'removes the specified activity from the database with a message' do
act
existing_activities = LightweightActivity.count
post :destroy, {:_method => 'delete', :id => act.id}
expect(LightweightActivity.count).to eq(existing_activities - 1)
expect(response).to redirect_to(activities_path)
expect(flash[:notice]).to eq("Activity #{act.name} was deleted.")
begin
LightweightActivity.find(act.id)
throw "Should not have found #{act.name}."
rescue ActiveRecord::RecordNotFound
end
end
end
describe 'move_up' do
before do
# TODO: Instead of creating three new pages each time, can we use let?
[1,2,3].each do |i|
act.pages.create!(:name => "Page #{i}", :sidebar => "This is the #{ActiveSupport::Inflector.ordinalize(i)} page.")
end
request.env["HTTP_REFERER"] = "/activities/#{act.id}/edit"
end
it 'decrements the position value of the page' do
page = act.pages[2]
old_position = page.position
get :move_up, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page.position).to eq(old_position - 1)
expect(page).to be === act.pages[1]
end
it 'does not change the position of the first item' do
page = act.pages.first
old_position = page.position
get :move_up, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page.position).to eq(old_position)
expect(page).to be === act.pages.first
end
it 'adjusts the positions of surrounding items correctly' do
page = act.pages[2]
page_before = page.higher_item
get :move_up, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page_before).to be === act.pages[2]
end
end
describe 'move_down' do
before do
# TODO: Instead of creating three new pages each time, can we use let?
[1,2,3].each do |i|
act.pages.create!(:name => "Page #{i}", :sidebar => "This is the #{ActiveSupport::Inflector.ordinalize(i)} page.")
end
request.env["HTTP_REFERER"] = "/activities/#{act.id}/edit"
end
it 'increments the position value of the page' do
page = act.pages[0]
old_position = page.position
get :move_down, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page.position).to eq(old_position + 1)
expect(page).to be === act.pages[1]
end
it 'does not change the position of the last item' do
page = act.pages.last
old_position = page.position
get :move_down, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page.position).to eq(old_position)
expect(page).to be === act.pages.last
end
it 'adjusts the positions of surrounding items correctly' do
page = act.pages.first
page_after = page.lower_item
get :move_down, {:activity_id => act.id, :id => page.id}
page.reload
act.reload
expect(page_after).to be === act.pages.first
end
end
describe 'reorder_pages' do
before do
# TODO: Instead of creating three new pages each time, can we use let?
[1,2,3].each do |i|
act.pages.create!(:name => "Page #{i}", :sidebar => "This is the #{ActiveSupport::Inflector.ordinalize(i)} page.")
end
end
it 'rearranges activity pages to match order in request' do
# Format: <API key>[]=1&<API key>[]=3&<API key>[]=11&<API key>[]=12&<API key>[]=13&<API key>[]=21&<API key>[]=20&<API key>[]=2
# Should provide a list of IDs in reverse order
get :reorder_pages, {:id => act.id, :<API key> => act.pages.map { |p| p.id }.reverse }
act.reload
expect(act.pages.first.name).to eq("Page 3")
expect(act.pages.last.name).to eq("Page 1")
end
end
describe '#duplicate' do
let (:duplicate_act) { FactoryGirl.build(:activity) }
it "should call 'duplicate' on the activity" do
allow(LightweightActivity).to receive(:find).and_return(act)
expect(act).to receive(:duplicate).and_return(duplicate_act)
get :duplicate, { :id => act.id }
end
it 'should redirect to edit the new activity' do
get :duplicate, { :id => act.id }
expect(response).to redirect_to(edit_activity_url(assigns(:new_activity)))
end
let (:portal_url) { "https://fake.portal.com" }
it "should publish the new activity if asked to do so" do
allow(LightweightActivity).to receive(:find).and_return(act)
allow(act).to receive(:duplicate).and_return(duplicate_act)
expect(duplicate_act).to receive(:portal_publish).with(author, portal_url, "#{request.protocol}#{request.host_with_port}")
get :duplicate, { :id => act.id, :add_to_portal => portal_url }
end
end
end
context 'when the user is an admin' do
before(:each) do
sign_in admin
end
describe '#export' do
it "should call 'export' on the activity" do
get :export, { :id => act.id }
expect(response).to be_success
end
end
describe '#export_for_portal' do
it "should be routed correctly" do
expect(get: "/activities/1/export_for_portal").to route_to(
controller: '<API key>', action: 'export_for_portal', id: '1'
)
end
it "should call 'export' on the activity" do
get :export_for_portal, { :id => act.id }
expect(response).to be_success
json_response = JSON.parse(response.body)
expect(json_response["<API key>"]).to_not be_nil
end
end
describe '#resubmit_answers' do
context 'without a run key' do
it 'redirects to activities list' do
get :resubmit_answers, { :id => act.id }
expect(response).to redirect_to activities_path
end
end
context 'with a run key' do
let (:answer1) { FactoryGirl.create(:<API key>, :run => ar_run)}
let (:answer2) { FactoryGirl.create(:<API key>, :run => ar_run)}
before(:each) do
allow(act).to receive_messages(:answers => [answer1, answer2])
allow(LightweightActivity).to receive_messages(:find => act)
request.env["HTTP_REFERER"] = 'http://localhost:3000/activities'
end
it 'marks answers as dirty' do
[answer1, answer2]
expect(ar_run.answers.length).not_to be(0)
expect(answer1).to receive(:mark_dirty)
expect(answer1).not_to receive(:send_to_portal)
get :resubmit_answers, { :id => act.id, :run_key => ar_run.key }
end
it 'calls send_to_portal for the last answer' do
[answer1, answer2]
expect(ar_run.answers.length).not_to be(0)
expect(answer2).to receive(:send_to_portal)
get :resubmit_answers, { :id => act.id, :run_key => ar_run.key }
end
it 'sets a flash notice for success' do
get :resubmit_answers, { :id => act.id, :run_key => ar_run.key }
expect(flash[:notice]).to match /requeued for submission/
end
end
end
end
end |
package com.plugin.core;
import com.plugin.content.PluginDescriptor;
import android.content.Context;
import android.os.Build;
public class PluginCompat {
//private static final String MAIN_STYLE = "main_style_";
/**
*
* @param pluginContext
* @param resId ID
* @param clazz
*/
public static void setTheme(Context pluginContext, int resId, @SuppressWarnings("rawtypes") Class clazz) {
boolean <API key> = false;
try {
//public.xml,
//String themeEntryName = PluginLoader.getApplicatoin().getResources().<API key>(resId);
//LogUtil.d("themeEntryName", themeEntryName);
//if (themeEntryName != null && !themeEntryName.startsWith(MAIN_STYLE)) {
// <API key> = true;
//openatlasExtentoin
if (resId >> 24 != 0x7f) {
<API key> = true;
}
} catch (Exception e) {
}
if (<API key>) {
pluginContext.setTheme(resId);
} else {
if (Build.VERSION.SDK_INT >= 14 && Build.VERSION.SDK_INT <= 20) {
pluginContext.setTheme(resId);
} else {
PluginDescriptor pd = PluginLoader.<API key>(clazz.getName());
((PluginContextTheme)pluginContext).mResources = PluginCreator.<API key>(PluginLoader.getApplicatoin(), pd.getInstalledPath());
((PluginContextTheme)pluginContext).mTheme = null;
pluginContext.setTheme(resId);
}
}
}
} |
<?php
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;
class CreateTeamsTable extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('teams', function (Blueprint $table) {
$table->increments('id');
$table->string('name');
$table->integer('university_id')->unsigned();
$table->foreign('university_id')->references('id')->on('universities')->onDelete('cascade');
$table->timestamps();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::drop('teams');
}
} |
#include "Person.h"
Person::Person()
{
m_name = "";
m_verified = false;
}
Person::~Person()
{
}
void Person::setFriend(const int& friendID) {
m_isFriendWith[friendID] = 1;
}
void Person::setPersonName(const QString& name) {
m_name = name;
}
void Person::setPersonalID(const int& idNumber) {
m_personalID = idNumber;
}
void Person::setVerification(const bool &state) {
m_verified = state;
}
QString Person::name() const {
return m_name;
}
int Person::personalID() const {
return m_personalID;
}
bool Person::isVerified() const {
return m_verified;
}
int Person::isFriendWith(const int& personNum) const
{
return m_isFriendWith[personNum];
} |
<?xml version="1.0" ?><!DOCTYPE TS><TS language="da" version="2.0">
<defaultcodec>UTF-8</defaultcodec>
<context>
<name>AboutDialog</name>
<message>
<location filename="../forms/aboutdialog.ui" line="+14"/>
<source>About DigitalDirham</source>
<translation>Om DigitalDirham</translation>
</message>
<message>
<location line="+39"/>
<source><b>DigitalDirham</b> version</source>
<translation><b>DigitalDirham</b> version</translation>
</message>
<message>
<location line="+57"/>
<source>
This is experimental software.
Distributed under the MIT/X11 software license, see the accompanying file COPYING or http:
This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http:
<translation>
Dette program er ekperimentielt.
Det er gjort tilgængeligt under MIT/<API key>. Se den tilhørende fil "COPYING" eller http:
Produktet indeholder software som er udviklet af OpenSSL Project til brug i OpenSSL Toolkit (http:
</message>
<message>
<location filename="../aboutdialog.cpp" line="+14"/>
<source>Copyright</source>
<translation>Copyright</translation>
</message>
<message>
<location line="+0"/>
<source>The DigitalDirham developers</source>
<translation><API key></translation>
</message>
</context>
<context>
<name>AddressBookPage</name>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>Address Book</source>
<translation>Adressebog</translation>
</message>
<message>
<location line="+19"/>
<source>Double-click to edit address or label</source>
<translation>Dobbeltklik for at redigere adresse eller mærkat</translation>
</message>
<message>
<location line="+27"/>
<source>Create a new address</source>
<translation>Opret en ny adresse</translation>
</message>
<message>
<location line="+14"/>
<source>Copy the currently selected address to the system clipboard</source>
<translation>Kopier den valgte adresse til systemets udklipsholder</translation>
</message>
<message>
<location line="-11"/>
<source>&New Address</source>
<translation>Ny adresse</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="+63"/>
<source>These are your DigitalDirham addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source>
<translation>Dette er dine <API key> til at modtage betalinger med. Du kan give en forskellig adresse til hver afsender, så du kan holde styr på, hvem der betaler dig.</translation>
</message>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>&Copy Address</source>
<translation>Kopier adresse</translation>
</message>
<message>
<location line="+11"/>
<source>Show &QR Code</source>
<translation>Vis QR-kode</translation>
</message>
<message>
<location line="+11"/>
<source>Sign a message to prove you own a DigitalDirham address</source>
<translation>Underskriv en besked for at bevise, at en <API key> tilhører dig</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation>Underskriv besked</translation>
</message>
<message>
<location line="+25"/>
<source>Delete the currently selected address from the list</source>
<translation>Slet den markerede adresse fra listen</translation>
</message>
<message>
<location line="+27"/>
<source>Export the data in the current tab to a file</source>
<translation>Eksportér den aktuelle visning til en fil</translation>
</message>
<message>
<location line="+3"/>
<source>&Export</source>
<translation>Eksporter</translation>
</message>
<message>
<location line="-44"/>
<source>Verify a message to ensure it was signed with a specified DigitalDirham address</source>
<translation>Efterprøv en besked for at sikre, at den er underskrevet med den angivne <API key></translation>
</message>
<message>
<location line="+3"/>
<source>&Verify Message</source>
<translation>Efterprøv besked</translation>
</message>
<message>
<location line="+14"/>
<source>&Delete</source>
<translation>Slet</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="-5"/>
<source>These are your DigitalDirham addresses for sending payments. Always check the amount and the receiving address before sending coins.</source>
<translation>Disse er dine <API key> for at sende betalinger. Tjek altid beløb og modtageradresse, inden du sender digitaldirhams.</translation>
</message>
<message>
<location line="+13"/>
<source>Copy &Label</source>
<translation>Kopier mærkat</translation>
</message>
<message>
<location line="+1"/>
<source>&Edit</source>
<translation>Rediger</translation>
</message>
<message>
<location line="+1"/>
<source>Send &Coins</source>
<translation>Send digitaldirhams</translation>
</message>
<message>
<location line="+260"/>
<source>Export Address Book Data</source>
<translation>Eksporter adressebogsdata</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Kommasepareret fil (*.csv)</translation>
</message>
<message>
<location line="+13"/>
<source>Error exporting</source>
<translation>Fejl under eksport</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>Kunne ikke skrive til filen %1.</translation>
</message>
</context>
<context>
<name>AddressTableModel</name>
<message>
<location filename="../addresstablemodel.cpp" line="+144"/>
<source>Label</source>
<translation>Mærkat</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>Adresse</translation>
</message>
<message>
<location line="+36"/>
<source>(no label)</source>
<translation>(ingen mærkat)</translation>
</message>
</context>
<context>
<name>AskPassphraseDialog</name>
<message>
<location filename="../forms/askpassphrasedialog.ui" line="+26"/>
<source>Passphrase Dialog</source>
<translation>Adgangskodedialog</translation>
</message>
<message>
<location line="+21"/>
<source>Enter passphrase</source>
<translation>Indtast adgangskode</translation>
</message>
<message>
<location line="+14"/>
<source>New passphrase</source>
<translation>Ny adgangskode</translation>
</message>
<message>
<location line="+14"/>
<source>Repeat new passphrase</source>
<translation>Gentag ny adgangskode</translation>
</message>
<message>
<location filename="../askpassphrasedialog.cpp" line="+33"/>
<source>Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>.</source>
<translation>Indtast den nye adgangskode til tegnebogen.<br/>Brug venligst en adgangskode på <b>10 eller flere tilfældige tegn</b> eller <b>otte eller flere ord</b>.</translation>
</message>
<message>
<location line="+1"/>
<source>Encrypt wallet</source>
<translation>Krypter tegnebog</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to unlock the wallet.</source>
<translation>Denne funktion har brug for din tegnebogs adgangskode for at låse tegnebogen op.</translation>
</message>
<message>
<location line="+5"/>
<source>Unlock wallet</source>
<translation>Lås tegnebog op</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to decrypt the wallet.</source>
<translation>Denne funktion har brug for din tegnebogs adgangskode for at dekryptere tegnebogen.</translation>
</message>
<message>
<location line="+5"/>
<source>Decrypt wallet</source>
<translation>Dekrypter tegnebog</translation>
</message>
<message>
<location line="+3"/>
<source>Change passphrase</source>
<translation>Skift adgangskode</translation>
</message>
<message>
<location line="+1"/>
<source>Enter the old and new passphrase to the wallet.</source>
<translation>Indtast den gamle og den nye adgangskode til tegnebogen.</translation>
</message>
<message>
<location line="+46"/>
<source>Confirm wallet encryption</source>
<translation>Bekræft tegnebogskryptering</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DIGITALDIRHAMSS</b>!</source>
<translation>Advarsel: Hvis du krypterer din tegnebog og mister din adgangskode, vil du <b>MISTE ALLE DINE DIGITALDIRHAMSS</b>!</translation>
</message>
<message>
<location line="+0"/>
<source>Are you sure you wish to encrypt your wallet?</source>
<translation>Er du sikker på, at du ønsker at kryptere din tegnebog?</translation>
</message>
<message>
<location line="+15"/>
<source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source>
<translation>VIGTIGT: Enhver tidligere sikkerhedskopi, som du har lavet af tegnebogsfilen, bør blive erstattet af den nyligt genererede, krypterede tegnebogsfil. Af sikkerhedsmæssige årsager vil tidligere sikkerhedskopier af den ikke-krypterede tegnebogsfil blive ubrugelig i det øjeblik, du starter med at anvende den nye, krypterede tegnebog.</translation>
</message>
<message>
<location line="+100"/>
<location line="+24"/>
<source>Warning: The Caps Lock key is on!</source>
<translation>Advarsel: Caps Lock-tasten er aktiveret!</translation>
</message>
<message>
<location line="-130"/>
<location line="+58"/>
<source>Wallet encrypted</source>
<translation>Tegnebog krypteret</translation>
</message>
<message>
<location line="-56"/>
<source>DigitalDirham will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your digitaldirhams from being stolen by malware infecting your computer.</source>
<translation>DigitalDirham vil nu lukke for at gennemføre <API key>. Husk på, at kryptering af din tegnebog vil ikke beskytte dine digitaldirhams fuldt ud mod at blive stjålet af malware på din computer.</translation>
</message>
<message>
<location line="+13"/>
<location line="+7"/>
<location line="+42"/>
<location line="+6"/>
<source>Wallet encryption failed</source>
<translation>Tegnebogskryptering mislykkedes</translation>
</message>
<message>
<location line="-54"/>
<source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source>
<translation>Tegnebogskryptering mislykkedes på grund af en intern fejl. Din tegnebog blev ikke krypteret.</translation>
</message>
<message>
<location line="+7"/>
<location line="+48"/>
<source>The supplied passphrases do not match.</source>
<translation>De angivne adgangskoder stemmer ikke overens.</translation>
</message>
<message>
<location line="-37"/>
<source>Wallet unlock failed</source>
<translation>Tegnebogsoplåsning mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<location line="+11"/>
<location line="+19"/>
<source>The passphrase entered for the wallet decryption was incorrect.</source>
<translation>Den angivne adgangskode for <API key> er forkert.</translation>
</message>
<message>
<location line="-20"/>
<source>Wallet decryption failed</source>
<translation><API key> mislykkedes</translation>
</message>
<message>
<location line="+14"/>
<source>Wallet passphrase was successfully changed.</source>
<translation>Tegnebogens adgangskode blev ændret.</translation>
</message>
</context>
<context>
<name>BitcoinGUI</name>
<message>
<location filename="../bitcoingui.cpp" line="+233"/>
<source>Sign &message...</source>
<translation>Underskriv besked...</translation>
</message>
<message>
<location line="+280"/>
<source>Synchronizing with network...</source>
<translation>Synkroniserer med netværk...</translation>
</message>
<message>
<location line="-349"/>
<source>&Overview</source>
<translation>Oversigt</translation>
</message>
<message>
<location line="+1"/>
<source>Show general overview of wallet</source>
<translation>Vis generel oversigt over tegnebog</translation>
</message>
<message>
<location line="+20"/>
<source>&Transactions</source>
<translation>Transaktioner</translation>
</message>
<message>
<location line="+1"/>
<source>Browse transaction history</source>
<translation>Gennemse <API key></translation>
</message>
<message>
<location line="+7"/>
<source>Edit the list of stored addresses and labels</source>
<translation>Rediger listen over gemte adresser og mærkater</translation>
</message>
<message>
<location line="-14"/>
<source>Show the list of addresses for receiving payments</source>
<translation>Vis listen over adresser for at modtage betalinger</translation>
</message>
<message>
<location line="+31"/>
<source>E&xit</source>
<translation>Luk</translation>
</message>
<message>
<location line="+1"/>
<source>Quit application</source>
<translation>Afslut program</translation>
</message>
<message>
<location line="+4"/>
<source>Show information about DigitalDirham</source>
<translation>Vis informationer om DigitalDirham</translation>
</message>
<message>
<location line="+2"/>
<source>About &Qt</source>
<translation>Om Qt</translation>
</message>
<message>
<location line="+1"/>
<source>Show information about Qt</source>
<translation>Vis informationer om Qt</translation>
</message>
<message>
<location line="+2"/>
<source>&Options...</source>
<translation>Indstillinger...</translation>
</message>
<message>
<location line="+6"/>
<source>&Encrypt Wallet...</source>
<translation>Krypter tegnebog...</translation>
</message>
<message>
<location line="+3"/>
<source>&Backup Wallet...</source>
<translation>Sikkerhedskopier tegnebog...</translation>
</message>
<message>
<location line="+2"/>
<source>&Change Passphrase...</source>
<translation>Skift adgangskode...</translation>
</message>
<message>
<location line="+285"/>
<source>Importing blocks from disk...</source>
<translation>Importerer blokke fra disken...</translation>
</message>
<message>
<location line="+3"/>
<source>Reindexing blocks on disk...</source>
<translation>Genindekserer blokke på disken...</translation>
</message>
<message>
<location line="-347"/>
<source>Send coins to a DigitalDirham address</source>
<translation>Send digitaldirhams til en <API key></translation>
</message>
<message>
<location line="+49"/>
<source>Modify configuration options for DigitalDirham</source>
<translation>Rediger <API key> af DigitalDirham</translation>
</message>
<message>
<location line="+9"/>
<source>Backup wallet to another location</source>
<translation>Lav sikkerhedskopi af tegnebogen til et andet sted</translation>
</message>
<message>
<location line="+2"/>
<source>Change the passphrase used for wallet encryption</source>
<translation>Skift adgangskode anvendt til tegnebogskryptering</translation>
</message>
<message>
<location line="+6"/>
<source>&Debug window</source>
<translation>Fejlsøgningsvindue</translation>
</message>
<message>
<location line="+1"/>
<source>Open debugging and diagnostic console</source>
<translation>Åbn fejlsøgnings- og <API key></translation>
</message>
<message>
<location line="-4"/>
<source>&Verify message...</source>
<translation>Efterprøv besked...</translation>
</message>
<message>
<location line="-165"/>
<location line="+530"/>
<source>DigitalDirham</source>
<translation>DigitalDirham</translation>
</message>
<message>
<location line="-530"/>
<source>Wallet</source>
<translation>Tegnebog</translation>
</message>
<message>
<location line="+101"/>
<source>&Send</source>
<translation>Send</translation>
</message>
<message>
<location line="+7"/>
<source>&Receive</source>
<translation>Modtag</translation>
</message>
<message>
<location line="+14"/>
<source>&Addresses</source>
<translation>Adresser</translation>
</message>
<message>
<location line="+22"/>
<source>&About DigitalDirham</source>
<translation>Om DigitalDirham</translation>
</message>
<message>
<location line="+9"/>
<source>&Show / Hide</source>
<translation>Vis/skjul</translation>
</message>
<message>
<location line="+1"/>
<source>Show or hide the main Window</source>
<translation>Vis eller skjul hovedvinduet</translation>
</message>
<message>
<location line="+3"/>
<source>Encrypt the private keys that belong to your wallet</source>
<translation>Krypter de private nøgler, der hører til din tegnebog</translation>
</message>
<message>
<location line="+7"/>
<source>Sign messages with your DigitalDirham addresses to prove you own them</source>
<translation>Underskriv beskeder med dine <API key> for at bevise, at de tilhører dig</translation>
</message>
<message>
<location line="+2"/>
<source>Verify messages to ensure they were signed with specified DigitalDirham addresses</source>
<translation>Efterprøv beskeder for at sikre, at de er underskrevet med de(n) angivne <API key>(r)</translation>
</message>
<message>
<location line="+28"/>
<source>&File</source>
<translation>Fil</translation>
</message>
<message>
<location line="+7"/>
<source>&Settings</source>
<translation>Indstillinger</translation>
</message>
<message>
<location line="+6"/>
<source>&Help</source>
<translation>Hjælp</translation>
</message>
<message>
<location line="+9"/>
<source>Tabs toolbar</source>
<translation>Faneværktøjslinje</translation>
</message>
<message>
<location line="+17"/>
<location line="+10"/>
<source>[testnet]</source>
<translation>[testnetværk]</translation>
</message>
<message>
<location line="+47"/>
<source>DigitalDirham client</source>
<translation><API key></translation>
</message>
<message numerus="yes">
<location line="+141"/>
<source>%n active connection(s) to DigitalDirham network</source>
<translation><numerusform>%n aktiv(e) forbindelse(r) til DigitalDirham-netværket</numerusform><numerusform>%n aktiv(e) forbindelse(r) til DigitalDirham-netværket</numerusform></translation>
</message>
<message>
<location line="+22"/>
<source>No block source available...</source>
<translation>Ingen blokkilde tilgængelig...</translation>
</message>
<message>
<location line="+12"/>
<source>Processed %1 of %2 (estimated) blocks of transaction history.</source>
<translation>%1 ud af %2 (estimeret) blokke af <API key> er blevet behandlet.</translation>
</message>
<message>
<location line="+4"/>
<source>Processed %1 blocks of transaction history.</source>
<translation>%1 blokke af <API key> er blevet behandlet.</translation>
</message>
<message numerus="yes">
<location line="+20"/>
<source>%n hour(s)</source>
<translation><numerusform>%n time(r)</numerusform><numerusform>%n time(r)</numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n day(s)</source>
<translation><numerusform>%n dag(e)</numerusform><numerusform>%n dag(e)</numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n week(s)</source>
<translation><numerusform>%n uge(r)</numerusform><numerusform>%n uge(r)</numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>%1 behind</source>
<translation>%1 bagefter</translation>
</message>
<message>
<location line="+14"/>
<source>Last received block was generated %1 ago.</source>
<translation>Senest modtagne blok blev genereret for %1 siden.</translation>
</message>
<message>
<location line="+2"/>
<source>Transactions after this will not yet be visible.</source>
<translation>Transaktioner herefter vil endnu ikke være synlige.</translation>
</message>
<message>
<location line="+22"/>
<source>Error</source>
<translation>Fejl</translation>
</message>
<message>
<location line="+3"/>
<source>Warning</source>
<translation>Advarsel</translation>
</message>
<message>
<location line="+3"/>
<source>Information</source>
<translation>Information</translation>
</message>
<message>
<location line="+70"/>
<source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source>
<translation>Transaktionen overskrider størrelsesgrænsen. Du kan stadig sende den for et gebyr på %1, hvilket går til de knuder, der behandler din transaktion og hjælper med at understøtte netværket. Vil du betale gebyret?</translation>
</message>
<message>
<location line="-140"/>
<source>Up to date</source>
<translation>Opdateret</translation>
</message>
<message>
<location line="+31"/>
<source>Catching up...</source>
<translation>Indhenter...</translation>
</message>
<message>
<location line="+113"/>
<source>Confirm transaction fee</source>
<translation>Bekræft transaktionsgebyr</translation>
</message>
<message>
<location line="+8"/>
<source>Sent transaction</source>
<translation>Afsendt transaktion</translation>
</message>
<message>
<location line="+0"/>
<source>Incoming transaction</source>
<translation>Indgående transaktion</translation>
</message>
<message>
<location line="+1"/>
<source>Date: %1
Amount: %2
Type: %3
Address: %4
</source>
<translation>Dato: %1
Beløb: %2
Type: %3
Adresse: %4
</translation>
</message>
<message>
<location line="+33"/>
<location line="+23"/>
<source>URI handling</source>
<translation>URI-håndtering</translation>
</message>
<message>
<location line="-23"/>
<location line="+23"/>
<source>URI can not be parsed! This can be caused by an invalid DigitalDirham address or malformed URI parameters.</source>
<translation>URI kan ikke fortolkes! Dette kan skyldes en ugyldig <API key> eller misdannede URI-parametre.</translation>
</message>
<message>
<location line="+17"/>
<source>Wallet is <b>encrypted</b> and currently <b>unlocked</b></source>
<translation>Tegnebog er <b>krypteret</b> og i øjeblikket <b>ulåst</b></translation>
</message>
<message>
<location line="+8"/>
<source>Wallet is <b>encrypted</b> and currently <b>locked</b></source>
<translation>Tegnebog er <b>krypteret</b> og i øjeblikket <b>låst</b></translation>
</message>
<message>
<location filename="../bitcoin.cpp" line="+111"/>
<source>A fatal error occurred. DigitalDirham can no longer continue safely and will quit.</source>
<translation>Der opstod en fatal fejl. DigitalDirham kan ikke længere fortsætte sikkert og vil afslutte.</translation>
</message>
</context>
<context>
<name>ClientModel</name>
<message>
<location filename="../clientmodel.cpp" line="+104"/>
<source>Network Alert</source>
<translation>Netværksadvarsel</translation>
</message>
</context>
<context>
<name>EditAddressDialog</name>
<message>
<location filename="../forms/editaddressdialog.ui" line="+14"/>
<source>Edit Address</source>
<translation>Rediger adresse</translation>
</message>
<message>
<location line="+11"/>
<source>&Label</source>
<translation>Mærkat</translation>
</message>
<message>
<location line="+10"/>
<source>The label associated with this address book entry</source>
<translation>Mærkaten forbundet med denne post i adressebogen</translation>
</message>
<message>
<location line="+7"/>
<source>&Address</source>
<translation>Adresse</translation>
</message>
<message>
<location line="+10"/>
<source>The address associated with this address book entry. This can only be modified for sending addresses.</source>
<translation>Adressen tilknyttet til denne post i adressebogen. Dette kan kun ændres for afsendelsesadresser.</translation>
</message>
<message>
<location filename="../editaddressdialog.cpp" line="+21"/>
<source>New receiving address</source>
<translation>Ny modtagelsesadresse</translation>
</message>
<message>
<location line="+4"/>
<source>New sending address</source>
<translation>Ny afsendelsesadresse</translation>
</message>
<message>
<location line="+3"/>
<source>Edit receiving address</source>
<translation>Rediger modtagelsesadresse</translation>
</message>
<message>
<location line="+4"/>
<source>Edit sending address</source>
<translation>Rediger afsendelsesadresse</translation>
</message>
<message>
<location line="+76"/>
<source>The entered address "%1" is already in the address book.</source>
<translation>Den indtastede adresse "%1" er allerede i adressebogen.</translation>
</message>
<message>
<location line="-5"/>
<source>The entered address "%1" is not a valid DigitalDirham address.</source>
<translation>Den indtastede adresse "%1" er ikke en gyldig <API key>.</translation>
</message>
<message>
<location line="+10"/>
<source>Could not unlock wallet.</source>
<translation>Kunne ikke låse tegnebog op.</translation>
</message>
<message>
<location line="+5"/>
<source>New key generation failed.</source>
<translation>Ny nøglegenerering mislykkedes.</translation>
</message>
</context>
<context>
<name>GUIUtil::HelpMessageBox</name>
<message>
<location filename="../guiutil.cpp" line="+424"/>
<location line="+12"/>
<source>DigitalDirham-Qt</source>
<translation>DigitalDirham-Qt</translation>
</message>
<message>
<location line="-12"/>
<source>version</source>
<translation>version</translation>
</message>
<message>
<location line="+2"/>
<source>Usage:</source>
<translation>Anvendelse:</translation>
</message>
<message>
<location line="+1"/>
<source>command-line options</source>
<translation><API key></translation>
</message>
<message>
<location line="+4"/>
<source>UI options</source>
<translation>Brugergrænsefladeindstillinger</translation>
</message>
<message>
<location line="+1"/>
<source>Set language, for example "de_DE" (default: system locale)</source>
<translation>Angiv sprog, f.eks "de_DE" (standard: systemlokalitet)</translation>
</message>
<message>
<location line="+1"/>
<source>Start minimized</source>
<translation>Start minimeret</translation>
</message>
<message>
<location line="+1"/>
<source>Show splash screen on startup (default: 1)</source>
<translation>Vis opstartsbillede ved start (standard: 1)</translation>
</message>
</context>
<context>
<name>OptionsDialog</name>
<message>
<location filename="../forms/optionsdialog.ui" line="+14"/>
<source>Options</source>
<translation>Indstillinger</translation>
</message>
<message>
<location line="+16"/>
<source>&Main</source>
<translation>Generelt</translation>
</message>
<message>
<location line="+6"/>
<source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB.</source>
<translation>Valgfrit transaktionsgebyr pr. kB, der hjælper dine transaktioner med at blive behandlet hurtigt. De fleste transaktioner er på 1 kB.</translation>
</message>
<message>
<location line="+15"/>
<source>Pay transaction &fee</source>
<translation>Betal transaktionsgebyr</translation>
</message>
<message>
<location line="+31"/>
<source>Automatically start DigitalDirham after logging in to the system.</source>
<translation>Start DigitalDirham automatisk, når der logges ind på systemet</translation>
</message>
<message>
<location line="+3"/>
<source>&Start DigitalDirham on system login</source>
<translation>Start DigitalDirham, når systemet startes</translation>
</message>
<message>
<location line="+35"/>
<source>Reset all client options to default.</source>
<translation>Nulstil alle klientindstillinger til deres standard.</translation>
</message>
<message>
<location line="+3"/>
<source>&Reset Options</source>
<translation>Nulstil indstillinger</translation>
</message>
<message>
<location line="+13"/>
<source>&Network</source>
<translation>Netværk</translation>
</message>
<message>
<location line="+6"/>
<source>Automatically open the DigitalDirham client port on the router. This only works when your router supports UPnP and it is enabled.</source>
<translation>Åbn <API key> port på routeren automatisk. Dette virker kun, når din router understøtter UPnP og UPnP er aktiveret.</translation>
</message>
<message>
<location line="+3"/>
<source>Map port using &UPnP</source>
<translation>Konfigurer port vha. UPnP</translation>
</message>
<message>
<location line="+7"/>
<source>Connect to the DigitalDirham network through a SOCKS proxy (e.g. when connecting through Tor).</source>
<translation>Opret forbindelse til DigitalDirham-netværket via en SOCKS-proxy (f.eks. ved tilslutning gennem Tor)</translation>
</message>
<message>
<location line="+3"/>
<source>&Connect through SOCKS proxy:</source>
<translation>Forbind gennem SOCKS-proxy:</translation>
</message>
<message>
<location line="+9"/>
<source>Proxy &IP:</source>
<translation>Proxy-IP:</translation>
</message>
<message>
<location line="+19"/>
<source>IP address of the proxy (e.g. 127.0.0.1)</source>
<translation>IP-adressen på proxyen (f.eks. 127.0.0.1)</translation>
</message>
<message>
<location line="+7"/>
<source>&Port:</source>
<translation>Port:</translation>
</message>
<message>
<location line="+19"/>
<source>Port of the proxy (e.g. 9050)</source>
<translation>Porten på proxyen (f.eks. 9050)</translation>
</message>
<message>
<location line="+7"/>
<source>SOCKS &Version:</source>
<translation>SOCKS-version</translation>
</message>
<message>
<location line="+13"/>
<source>SOCKS version of the proxy (e.g. 5)</source>
<translation>SOCKS-version af proxyen (f.eks. 5)</translation>
</message>
<message>
<location line="+36"/>
<source>&Window</source>
<translation>Vindue</translation>
</message>
<message>
<location line="+6"/>
<source>Show only a tray icon after minimizing the window.</source>
<translation>Vis kun et statusikon efter minimering af vinduet.</translation>
</message>
<message>
<location line="+3"/>
<source>&Minimize to the tray instead of the taskbar</source>
<translation>Minimer til statusfeltet i stedet for proceslinjen</translation>
</message>
<message>
<location line="+7"/>
<source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source>
<translation>Minimer i stedet for at afslutte programmet, når vinduet lukkes. Når denne indstilling er valgt, vil programmet kun blive lukket, når du har valgt Afslut i menuen.</translation>
</message>
<message>
<location line="+3"/>
<source>M&inimize on close</source>
<translation>Minimer ved lukning</translation>
</message>
<message>
<location line="+21"/>
<source>&Display</source>
<translation>Visning</translation>
</message>
<message>
<location line="+8"/>
<source>User Interface &language:</source>
<translation>Brugergrænsefladesprog:</translation>
</message>
<message>
<location line="+13"/>
<source>The user interface language can be set here. This setting will take effect after restarting DigitalDirham.</source>
<translation>Brugergrænsefladesproget kan angives her. Denne indstilling træder først i kraft, når DigitalDirham genstartes.</translation>
</message>
<message>
<location line="+11"/>
<source>&Unit to show amounts in:</source>
<translation>Enhed at vise beløb i:</translation>
</message>
<message>
<location line="+13"/>
<source>Choose the default subdivision unit to show in the interface and when sending coins.</source>
<translation>Vælg den standard underopdelingsenhed, som skal vises i brugergrænsefladen og ved afsendelse af digitaldirhams.</translation>
</message>
<message>
<location line="+9"/>
<source>Whether to show DigitalDirham addresses in the transaction list or not.</source>
<translation>Afgør hvorvidt <API key> skal vises i transaktionslisten eller ej.</translation>
</message>
<message>
<location line="+3"/>
<source>&Display addresses in transaction list</source>
<translation>Vis adresser i transaktionsliste</translation>
</message>
<message>
<location line="+71"/>
<source>&OK</source>
<translation>OK</translation>
</message>
<message>
<location line="+7"/>
<source>&Cancel</source>
<translation>Annuller</translation>
</message>
<message>
<location line="+10"/>
<source>&Apply</source>
<translation>Anvend</translation>
</message>
<message>
<location filename="../optionsdialog.cpp" line="+53"/>
<source>default</source>
<translation>standard</translation>
</message>
<message>
<location line="+130"/>
<source>Confirm options reset</source>
<translation>Bekræft nulstilling af indstillinger</translation>
</message>
<message>
<location line="+1"/>
<source>Some settings may require a client restart to take effect.</source>
<translation>Nogle indstillinger kan kræve, at klienten genstartes, før de træder i kraft.</translation>
</message>
<message>
<location line="+0"/>
<source>Do you want to proceed?</source>
<translation>Ønsker du at fortsætte?</translation>
</message>
<message>
<location line="+42"/>
<location line="+9"/>
<source>Warning</source>
<translation>Advarsel</translation>
</message>
<message>
<location line="-9"/>
<location line="+9"/>
<source>This setting will take effect after restarting DigitalDirham.</source>
<translation>Denne indstilling træder i kraft, efter DigitalDirham genstartes.</translation>
</message>
<message>
<location line="+29"/>
<source>The supplied proxy address is invalid.</source>
<translation>Ugyldig proxy-adresse</translation>
</message>
</context>
<context>
<name>OverviewPage</name>
<message>
<location filename="../forms/overviewpage.ui" line="+14"/>
<source>Form</source>
<translation>Formular</translation>
</message>
<message>
<location line="+50"/>
<location line="+166"/>
<source>The displayed information may be out of date. Your wallet automatically synchronizes with the DigitalDirham network after a connection is established, but this process has not completed yet.</source>
<translation>Den viste information kan være forældet. Din tegnebog synkroniserer automatisk med DigitalDirham-netværket, når en forbindelse etableres, men denne proces er ikke gennemført endnu.</translation>
</message>
<message>
<location line="-124"/>
<source>Balance:</source>
<translation>Saldo:</translation>
</message>
<message>
<location line="+29"/>
<source>Unconfirmed:</source>
<translation>Ubekræftede:</translation>
</message>
<message>
<location line="-78"/>
<source>Wallet</source>
<translation>Tegnebog</translation>
</message>
<message>
<location line="+107"/>
<source>Immature:</source>
<translation>Umodne:</translation>
</message>
<message>
<location line="+13"/>
<source>Mined balance that has not yet matured</source>
<translation>Udvunden saldo, som endnu ikke er modnet</translation>
</message>
<message>
<location line="+46"/>
<source><b>Recent transactions</b></source>
<translation><b>Nyeste transaktioner</b></translation>
</message>
<message>
<location line="-101"/>
<source>Your current balance</source>
<translation>Din nuværende saldo</translation>
</message>
<message>
<location line="+29"/>
<source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source>
<translation>Summen af transaktioner, der endnu ikke er bekræftet og endnu ikke er inkluderet i den nuværende saldo</translation>
</message>
<message>
<location filename="../overviewpage.cpp" line="+116"/>
<location line="+1"/>
<source>out of sync</source>
<translation>ikke synkroniseret</translation>
</message>
</context>
<context>
<name>PaymentServer</name>
<message>
<location filename="../paymentserver.cpp" line="+107"/>
<source>Cannot start digitaldirham: click-to-pay handler</source>
<translation>Kan ikke starte digitaldirham: click-to-pay-håndtering</translation>
</message>
</context>
<context>
<name>QRCodeDialog</name>
<message>
<location filename="../forms/qrcodedialog.ui" line="+14"/>
<source>QR Code Dialog</source>
<translation>QR-kode-dialog</translation>
</message>
<message>
<location line="+59"/>
<source>Request Payment</source>
<translation>Anmod om betaling</translation>
</message>
<message>
<location line="+56"/>
<source>Amount:</source>
<translation>Beløb:</translation>
</message>
<message>
<location line="-44"/>
<source>Label:</source>
<translation>Mærkat:</translation>
</message>
<message>
<location line="+19"/>
<source>Message:</source>
<translation>Besked:</translation>
</message>
<message>
<location line="+71"/>
<source>&Save As...</source>
<translation>Gem som...</translation>
</message>
<message>
<location filename="../qrcodedialog.cpp" line="+62"/>
<source>Error encoding URI into QR Code.</source>
<translation>Fejl ved kodning fra URI til QR-kode</translation>
</message>
<message>
<location line="+40"/>
<source>The entered amount is invalid, please check.</source>
<translation>Det indtastede beløb er ugyldig, tjek venligst.</translation>
</message>
<message>
<location line="+23"/>
<source>Resulting URI too long, try to reduce the text for label / message.</source>
<translation>Resulterende URI var for lang; prøv at forkorte teksten til mærkaten/beskeden.</translation>
</message>
<message>
<location line="+25"/>
<source>Save QR Code</source>
<translation>Gem QR-kode</translation>
</message>
<message>
<location line="+0"/>
<source>PNG Images (*.png)</source>
<translation>PNG-billeder (*.png)</translation>
</message>
</context>
<context>
<name>RPCConsole</name>
<message>
<location filename="../forms/rpcconsole.ui" line="+46"/>
<source>Client name</source>
<translation>Klientnavn</translation>
</message>
<message>
<location line="+10"/>
<location line="+23"/>
<location line="+26"/>
<location line="+23"/>
<location line="+23"/>
<location line="+36"/>
<location line="+53"/>
<location line="+23"/>
<location line="+23"/>
<location filename="../rpcconsole.cpp" line="+339"/>
<source>N/A</source>
<translation>N/A</translation>
</message>
<message>
<location line="-217"/>
<source>Client version</source>
<translation>Klientversion</translation>
</message>
<message>
<location line="-45"/>
<source>&Information</source>
<translation>Information</translation>
</message>
<message>
<location line="+68"/>
<source>Using OpenSSL version</source>
<translation>Anvendt OpenSSL-version</translation>
</message>
<message>
<location line="+49"/>
<source>Startup time</source>
<translation>Opstartstid</translation>
</message>
<message>
<location line="+29"/>
<source>Network</source>
<translation>Netværk</translation>
</message>
<message>
<location line="+7"/>
<source>Number of connections</source>
<translation>Antal forbindelser</translation>
</message>
<message>
<location line="+23"/>
<source>On testnet</source>
<translation>Tilsluttet testnetværk</translation>
</message>
<message>
<location line="+23"/>
<source>Block chain</source>
<translation>Blokkæde</translation>
</message>
<message>
<location line="+7"/>
<source>Current number of blocks</source>
<translation>Nuværende antal blokke</translation>
</message>
<message>
<location line="+23"/>
<source>Estimated total blocks</source>
<translation>Estimeret antal blokke</translation>
</message>
<message>
<location line="+23"/>
<source>Last block time</source>
<translation>Tidsstempel for seneste blok</translation>
</message>
<message>
<location line="+52"/>
<source>&Open</source>
<translation>Åbn</translation>
</message>
<message>
<location line="+16"/>
<source>Command-line options</source>
<translation><API key></translation>
</message>
<message>
<location line="+7"/>
<source>Show the DigitalDirham-Qt help message to get a list with possible DigitalDirham command-line options.</source>
<translation>Vis DigitalDirham-Qt-hjælpebeskeden for at få en liste over de tilgængelige <API key>.</translation>
</message>
<message>
<location line="+3"/>
<source>&Show</source>
<translation>Vis</translation>
</message>
<message>
<location line="+24"/>
<source>&Console</source>
<translation>Konsol</translation>
</message>
<message>
<location line="-260"/>
<source>Build date</source>
<translation>Byggedato</translation>
</message>
<message>
<location line="-104"/>
<source>DigitalDirham - Debug window</source>
<translation>DigitalDirham - Fejlsøgningsvindue</translation>
</message>
<message>
<location line="+25"/>
<source>DigitalDirham Core</source>
<translation>DigitalDirham Core</translation>
</message>
<message>
<location line="+279"/>
<source>Debug log file</source>
<translation>Fejlsøgningslogfil</translation>
</message>
<message>
<location line="+7"/>
<source>Open the DigitalDirham debug log file from the current data directory. This can take a few seconds for large log files.</source>
<translation>Åbn DigitalDirham-fejlsøgningslogfilen fra det nuværende datakatalog. Dette kan tage nogle få sekunder for en store logfiler.</translation>
</message>
<message>
<location line="+102"/>
<source>Clear console</source>
<translation>Ryd konsol</translation>
</message>
<message>
<location filename="../rpcconsole.cpp" line="-30"/>
<source>Welcome to the DigitalDirham RPC console.</source>
<translation>Velkommen til DigitalDirham RPC-konsollen</translation>
</message>
<message>
<location line="+1"/>
<source>Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.</source>
<translation>Brug op og ned-piletasterne til at navigere historikken og <b>Ctrl-L</b> til at rydde skærmen.</translation>
</message>
<message>
<location line="+1"/>
<source>Type <b>help</b> for an overview of available commands.</source>
<translation>Tast <b>help</b> for en oversigt over de tilgængelige kommandoer.</translation>
</message>
</context>
<context>
<name>SendCoinsDialog</name>
<message>
<location filename="../forms/sendcoinsdialog.ui" line="+14"/>
<location filename="../sendcoinsdialog.cpp" line="+124"/>
<location line="+5"/>
<location line="+5"/>
<location line="+5"/>
<location line="+6"/>
<location line="+5"/>
<location line="+5"/>
<source>Send Coins</source>
<translation>Send digitaldirhams</translation>
</message>
<message>
<location line="+50"/>
<source>Send to multiple recipients at once</source>
<translation>Send til flere modtagere på en gang</translation>
</message>
<message>
<location line="+3"/>
<source>Add &Recipient</source>
<translation>Tilføj modtager</translation>
</message>
<message>
<location line="+20"/>
<source>Remove all transaction fields</source>
<translation>Fjern alle transaktionsfelter</translation>
</message>
<message>
<location line="+3"/>
<source>Clear &All</source>
<translation>Ryd alle</translation>
</message>
<message>
<location line="+22"/>
<source>Balance:</source>
<translation>Saldo:</translation>
</message>
<message>
<location line="+10"/>
<source>123.456 BTC</source>
<translation>123,456 BTC</translation>
</message>
<message>
<location line="+31"/>
<source>Confirm the send action</source>
<translation>Bekræft afsendelsen</translation>
</message>
<message>
<location line="+3"/>
<source>S&end</source>
<translation>Afsend</translation>
</message>
<message>
<location filename="../sendcoinsdialog.cpp" line="-59"/>
<source><b>%1</b> to %2 (%3)</source>
<translation><b>%1</b> til %2 (%3)</translation>
</message>
<message>
<location line="+5"/>
<source>Confirm send coins</source>
<translation>Bekræft afsendelse af digitaldirhams</translation>
</message>
<message>
<location line="+1"/>
<source>Are you sure you want to send %1?</source>
<translation>Er du sikker på, at du vil sende %1?</translation>
</message>
<message>
<location line="+0"/>
<source> and </source>
<translation> og </translation>
</message>
<message>
<location line="+23"/>
<source>The recipient address is not valid, please recheck.</source>
<translation>Modtagerens adresse er ikke gyldig. Tjek venligst adressen igen.</translation>
</message>
<message>
<location line="+5"/>
<source>The amount to pay must be larger than 0.</source>
<translation>Beløbet til betaling skal være større end 0.</translation>
</message>
<message>
<location line="+5"/>
<source>The amount exceeds your balance.</source>
<translation>Beløbet overstiger din saldo.</translation>
</message>
<message>
<location line="+5"/>
<source>The total exceeds your balance when the %1 transaction fee is included.</source>
<translation>Totalen overstiger din saldo, når %1 transaktionsgebyr er inkluderet.</translation>
</message>
<message>
<location line="+6"/>
<source>Duplicate address found, can only send to each address once per send operation.</source>
<translation>Duplikeret adresse fundet. Du kan kun sende til hver adresse en gang pr. afsendelse.</translation>
</message>
<message>
<location line="+5"/>
<source>Error: Transaction creation failed!</source>
<translation>Fejl: Oprettelse af transaktionen mislykkedes!</translation>
</message>
<message>
<location line="+5"/>
<source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation>Fejl: Transaktionen blev afvist. Dette kan ske, hvis nogle af dine digitaldirhams i din tegnebog allerede er brugt, som hvis du brugte en kopi af wallet.dat og dine digitaldirhams er blevet brugt i kopien, men ikke er markeret som brugt her.</translation>
</message>
</context>
<context>
<name>SendCoinsEntry</name>
<message>
<location filename="../forms/sendcoinsentry.ui" line="+14"/>
<source>Form</source>
<translation>Formular</translation>
</message>
<message>
<location line="+15"/>
<source>A&mount:</source>
<translation>Beløb:</translation>
</message>
<message>
<location line="+13"/>
<source>Pay &To:</source>
<translation>Betal til:</translation>
</message>
<message>
<location line="+34"/>
<source>The address to send the payment to (e.g. <API key>)</source>
<translation><API key> som betalingen skal sendes til (f.eks. <API key>)</translation>
</message>
<message>
<location line="+60"/>
<location filename="../sendcoinsentry.cpp" line="+26"/>
<source>Enter a label for this address to add it to your address book</source>
<translation>Indtast en mærkat for denne adresse for at føje den til din adressebog</translation>
</message>
<message>
<location line="-78"/>
<source>&Label:</source>
<translation>Mærkat:</translation>
</message>
<message>
<location line="+28"/>
<source>Choose address from address book</source>
<translation>Vælg adresse fra adressebog</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="+7"/>
<source>Paste address from clipboard</source>
<translation>Indsæt adresse fra udklipsholderen</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+7"/>
<source>Remove this recipient</source>
<translation>Fjern denne modtager</translation>
</message>
<message>
<location filename="../sendcoinsentry.cpp" line="+1"/>
<source>Enter a DigitalDirham address (e.g. <API key>)</source>
<translation>Indtast en <API key> (f.eks. <API key>)</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Signatures - Sign / Verify a Message</source>
<translation>Underskrifter - Underskriv/efterprøv en besked</translation>
</message>
<message>
<location line="+13"/>
<source>&Sign Message</source>
<translation>Underskriv besked</translation>
</message>
<message>
<location line="+6"/>
<source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source>
<translation>Du kan underskrive beskeder med dine <API key> for at bevise, at de tilhører dig. Pas på ikke at underskrive noget vagt, da phisingangreb kan narre dig til at overdrage din identitet. Underskriv kun fuldt detaljerede udsagn, du er enig i.</translation>
</message>
<message>
<location line="+18"/>
<source>The address to sign the message with (e.g. <API key>)</source>
<translation><API key> som beskeden skal underskrives med (f.eks. <API key>)</translation>
</message>
<message>
<location line="+10"/>
<location line="+213"/>
<source>Choose an address from the address book</source>
<translation>Vælg adresse fra adressebog</translation>
</message>
<message>
<location line="-203"/>
<location line="+213"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="-203"/>
<source>Paste address from clipboard</source>
<translation>Indsæt adresse fra udklipsholderen</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+12"/>
<source>Enter the message you want to sign here</source>
<translation>Indtast beskeden, du ønsker at underskrive</translation>
</message>
<message>
<location line="+7"/>
<source>Signature</source>
<translation>Underskrift</translation>
</message>
<message>
<location line="+27"/>
<source>Copy the current signature to the system clipboard</source>
<translation>Kopier den nuværende underskrift til systemets udklipsholder</translation>
</message>
<message>
<location line="+21"/>
<source>Sign the message to prove you own this DigitalDirham address</source>
<translation>Underskriv denne besked for at bevise, at <API key> tilhører dig</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation>Underskriv besked</translation>
</message>
<message>
<location line="+14"/>
<source>Reset all sign message fields</source>
<translation>Nulstil alle underskriv <API key></translation>
</message>
<message>
<location line="+3"/>
<location line="+146"/>
<source>Clear &All</source>
<translation>Ryd alle</translation>
</message>
<message>
<location line="-87"/>
<source>&Verify Message</source>
<translation>Efterprøv besked</translation>
</message>
<message>
<location line="+6"/>
<source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source>
<translation>Indtast den underskrevne adresse, beskeden (inkluder linjeskift, mellemrum mv. nøjagtigt, som de fremgår) og underskriften for at efterprøve beskeden. Vær forsigtig med ikke at lægge mere i underskriften end besked selv, så du undgår at blive narret af et <API key>.</translation>
</message>
<message>
<location line="+21"/>
<source>The address the message was signed with (e.g. <API key>)</source>
<translation><API key> som beskeden er underskrevet med (f.eks. <API key>)</translation>
</message>
<message>
<location line="+40"/>
<source>Verify the message to ensure it was signed with the specified DigitalDirham address</source>
<translation>Efterprøv beskeden for at sikre, at den er underskrevet med den angivne <API key></translation>
</message>
<message>
<location line="+3"/>
<source>Verify &Message</source>
<translation>Efterprøv besked</translation>
</message>
<message>
<location line="+14"/>
<source>Reset all verify message fields</source>
<translation>Nulstil alle efterprøv <API key></translation>
</message>
<message>
<location filename="../<API key>.cpp" line="+27"/>
<location line="+3"/>
<source>Enter a DigitalDirham address (e.g. <API key>)</source>
<translation>Indtast en <API key> (f.eks. <API key>)</translation>
</message>
<message>
<location line="-2"/>
<source>Click "Sign Message" to generate signature</source>
<translation>Klik "Underskriv besked" for at generere underskriften</translation>
</message>
<message>
<location line="+3"/>
<source>Enter DigitalDirham signature</source>
<translation>Indtast <API key></translation>
</message>
<message>
<location line="+82"/>
<location line="+81"/>
<source>The entered address is invalid.</source>
<translation>Den indtastede adresse er ugyldig.</translation>
</message>
<message>
<location line="-81"/>
<location line="+8"/>
<location line="+73"/>
<location line="+8"/>
<source>Please check the address and try again.</source>
<translation>Tjek venligst adressen, og forsøg igen.</translation>
</message>
<message>
<location line="-81"/>
<location line="+81"/>
<source>The entered address does not refer to a key.</source>
<translation>Den indtastede adresse henviser ikke til en nøgle.</translation>
</message>
<message>
<location line="-73"/>
<source>Wallet unlock was cancelled.</source>
<translation>Tegnebogsoplåsning annulleret.</translation>
</message>
<message>
<location line="+8"/>
<source>Private key for the entered address is not available.</source>
<translation>Den private nøgle for den indtastede adresse er ikke tilgængelig.</translation>
</message>
<message>
<location line="+12"/>
<source>Message signing failed.</source>
<translation>Underskrivning af besked mislykkedes.</translation>
</message>
<message>
<location line="+5"/>
<source>Message signed.</source>
<translation>Besked underskrevet.</translation>
</message>
<message>
<location line="+59"/>
<source>The signature could not be decoded.</source>
<translation>Underskriften kunne ikke afkodes.</translation>
</message>
<message>
<location line="+0"/>
<location line="+13"/>
<source>Please check the signature and try again.</source>
<translation>Tjek venligst underskriften, og forsøg igen.</translation>
</message>
<message>
<location line="+0"/>
<source>The signature did not match the message digest.</source>
<translation>Underskriften matcher ikke beskedens indhold.</translation>
</message>
<message>
<location line="+7"/>
<source>Message verification failed.</source>
<translation>Efterprøvelse af besked mislykkedes.</translation>
</message>
<message>
<location line="+5"/>
<source>Message verified.</source>
<translation>Besked efterprøvet.</translation>
</message>
</context>
<context>
<name>SplashScreen</name>
<message>
<location filename="../splashscreen.cpp" line="+22"/>
<source>The DigitalDirham developers</source>
<translation><API key></translation>
</message>
<message>
<location line="+1"/>
<source>[testnet]</source>
<translation>[testnet]</translation>
</message>
</context>
<context>
<name>TransactionDesc</name>
<message>
<location filename="../transactiondesc.cpp" line="+20"/>
<source>Open until %1</source>
<translation>Åben indtil %1</translation>
</message>
<message>
<location line="+6"/>
<source>%1/offline</source>
<translation>%1/offline</translation>
</message>
<message>
<location line="+2"/>
<source>%1/unconfirmed</source>
<translation>%1/ubekræftet</translation>
</message>
<message>
<location line="+2"/>
<source>%1 confirmations</source>
<translation>%1 bekræftelser</translation>
</message>
<message>
<location line="+18"/>
<source>Status</source>
<translation>Status</translation>
</message>
<message numerus="yes">
<location line="+7"/>
<source>, broadcast through %n node(s)</source>
<translation><numerusform>, transmitteret igennem %n knude(r)</numerusform><numerusform>, transmitteret igennem %n knude(r)</numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>Date</source>
<translation>Dato</translation>
</message>
<message>
<location line="+7"/>
<source>Source</source>
<translation>Kilde</translation>
</message>
<message>
<location line="+0"/>
<source>Generated</source>
<translation>Genereret</translation>
</message>
<message>
<location line="+5"/>
<location line="+17"/>
<source>From</source>
<translation>Fra</translation>
</message>
<message>
<location line="+1"/>
<location line="+22"/>
<location line="+58"/>
<source>To</source>
<translation>Til</translation>
</message>
<message>
<location line="-77"/>
<location line="+2"/>
<source>own address</source>
<translation>egen adresse</translation>
</message>
<message>
<location line="-2"/>
<source>label</source>
<translation>mærkat</translation>
</message>
<message>
<location line="+37"/>
<location line="+12"/>
<location line="+45"/>
<location line="+17"/>
<location line="+30"/>
<source>Credit</source>
<translation>Kredit</translation>
</message>
<message numerus="yes">
<location line="-102"/>
<source>matures in %n more block(s)</source>
<translation><numerusform>modner efter yderligere %n blok(ke)</numerusform><numerusform>modner efter yderligere %n blok(ke)</numerusform></translation>
</message>
<message>
<location line="+2"/>
<source>not accepted</source>
<translation>ikke accepteret</translation>
</message>
<message>
<location line="+44"/>
<location line="+8"/>
<location line="+15"/>
<location line="+30"/>
<source>Debit</source>
<translation>Debet</translation>
</message>
<message>
<location line="-39"/>
<source>Transaction fee</source>
<translation>Transaktionsgebyr</translation>
</message>
<message>
<location line="+16"/>
<source>Net amount</source>
<translation>Nettobeløb</translation>
</message>
<message>
<location line="+6"/>
<source>Message</source>
<translation>Besked</translation>
</message>
<message>
<location line="+2"/>
<source>Comment</source>
<translation>Kommentar</translation>
</message>
<message>
<location line="+2"/>
<source>Transaction ID</source>
<translation>Transaktionens ID</translation>
</message>
<message>
<location line="+3"/>
<source>Generated coins must mature 120 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source>
<translation>Genererede digitaldirhams skal vente 120 blokke, før de kan blive brugt. Da du genererede denne blok, blev den transmitteret til netværket for at blive føjet til blokkæden. Hvis det mislykkes at komme ind i kæden, vil den skifte til "ikke godkendt" og ikke blive kunne bruges. Dette kan lejlighedsvis ske, hvis en anden knude genererer en blok inden for få sekunder af din.</translation>
</message>
<message>
<location line="+7"/>
<source>Debug information</source>
<translation>Fejlsøgningsinformation</translation>
</message>
<message>
<location line="+8"/>
<source>Transaction</source>
<translation>Transaktion</translation>
</message>
<message>
<location line="+3"/>
<source>Inputs</source>
<translation>Input</translation>
</message>
<message>
<location line="+23"/>
<source>Amount</source>
<translation>Beløb</translation>
</message>
<message>
<location line="+1"/>
<source>true</source>
<translation>sand</translation>
</message>
<message>
<location line="+0"/>
<source>false</source>
<translation>falsk</translation>
</message>
<message>
<location line="-209"/>
<source>, has not been successfully broadcast yet</source>
<translation>, er ikke blevet transmitteret endnu</translation>
</message>
<message numerus="yes">
<location line="-35"/>
<source>Open for %n more block(s)</source>
<translation><numerusform>Åben %n blok yderligere</numerusform><numerusform>Åben %n blokke yderligere</numerusform></translation>
</message>
<message>
<location line="+70"/>
<source>unknown</source>
<translation>ukendt</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Transaction details</source>
<translation><API key></translation>
</message>
<message>
<location line="+6"/>
<source>This pane shows a detailed description of the transaction</source>
<translation>Denne rude viser en detaljeret beskrivelse af transaktionen</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../<API key>.cpp" line="+225"/>
<source>Date</source>
<translation>Dato</translation>
</message>
<message>
<location line="+0"/>
<source>Type</source>
<translation>Type</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>Adresse</translation>
</message>
<message>
<location line="+0"/>
<source>Amount</source>
<translation>Beløb</translation>
</message>
<message numerus="yes">
<location line="+57"/>
<source>Open for %n more block(s)</source>
<translation><numerusform>Åben %n blok(ke) yderligere</numerusform><numerusform>Åben %n blok(ke) yderligere</numerusform></translation>
</message>
<message>
<location line="+3"/>
<source>Open until %1</source>
<translation>Åben indtil %1</translation>
</message>
<message>
<location line="+3"/>
<source>Offline (%1 confirmations)</source>
<translation>Offline (%1 bekræftelser)</translation>
</message>
<message>
<location line="+3"/>
<source>Unconfirmed (%1 of %2 confirmations)</source>
<translation>Ubekræftet (%1 af %2 bekræftelser)</translation>
</message>
<message>
<location line="+3"/>
<source>Confirmed (%1 confirmations)</source>
<translation>Bekræftet (%1 bekræftelser)</translation>
</message>
<message numerus="yes">
<location line="+8"/>
<source>Mined balance will be available when it matures in %n more block(s)</source>
<translation><numerusform>Udvunden saldo, som vil være tilgængelig, når den modner efter yderligere %n blok(ke)</numerusform><numerusform>Udvunden saldo, som vil være tilgængelig, når den modner efter yderligere %n blok(ke)</numerusform></translation>
</message>
<message>
<location line="+5"/>
<source>This block was not received by any other nodes and will probably not be accepted!</source>
<translation>Denne blok blev ikke modtaget af nogen andre knuder og vil formentlig ikke blive accepteret!</translation>
</message>
<message>
<location line="+3"/>
<source>Generated but not accepted</source>
<translation>Genereret, men ikke accepteret</translation>
</message>
<message>
<location line="+43"/>
<source>Received with</source>
<translation>Modtaget med</translation>
</message>
<message>
<location line="+2"/>
<source>Received from</source>
<translation>Modtaget fra</translation>
</message>
<message>
<location line="+3"/>
<source>Sent to</source>
<translation>Sendt til</translation>
</message>
<message>
<location line="+2"/>
<source>Payment to yourself</source>
<translation>Betaling til dig selv</translation>
</message>
<message>
<location line="+2"/>
<source>Mined</source>
<translation>Udvundne</translation>
</message>
<message>
<location line="+38"/>
<source>(n/a)</source>
<translation>(n/a)</translation>
</message>
<message>
<location line="+199"/>
<source>Transaction status. Hover over this field to show number of confirmations.</source>
<translation>Transaktionsstatus. Hold musen over dette felt for at vise antallet af bekræftelser.</translation>
</message>
<message>
<location line="+2"/>
<source>Date and time that the transaction was received.</source>
<translation>Dato og klokkeslæt for modtagelse af transaktionen.</translation>
</message>
<message>
<location line="+2"/>
<source>Type of transaction.</source>
<translation>Transaktionstype.</translation>
</message>
<message>
<location line="+2"/>
<source>Destination address of transaction.</source>
<translation>Destinationsadresse for transaktion.</translation>
</message>
<message>
<location line="+2"/>
<source>Amount removed from or added to balance.</source>
<translation>Beløb fjernet eller tilføjet balance.</translation>
</message>
</context>
<context>
<name>TransactionView</name>
<message>
<location filename="../transactionview.cpp" line="+52"/>
<location line="+16"/>
<source>All</source>
<translation>Alle</translation>
</message>
<message>
<location line="-15"/>
<source>Today</source>
<translation>I dag</translation>
</message>
<message>
<location line="+1"/>
<source>This week</source>
<translation>Denne uge</translation>
</message>
<message>
<location line="+1"/>
<source>This month</source>
<translation>Denne måned</translation>
</message>
<message>
<location line="+1"/>
<source>Last month</source>
<translation>Sidste måned</translation>
</message>
<message>
<location line="+1"/>
<source>This year</source>
<translation>Dette år</translation>
</message>
<message>
<location line="+1"/>
<source>Range...</source>
<translation>Interval...</translation>
</message>
<message>
<location line="+11"/>
<source>Received with</source>
<translation>Modtaget med</translation>
</message>
<message>
<location line="+2"/>
<source>Sent to</source>
<translation>Sendt til</translation>
</message>
<message>
<location line="+2"/>
<source>To yourself</source>
<translation>Til dig selv</translation>
</message>
<message>
<location line="+1"/>
<source>Mined</source>
<translation>Udvundne</translation>
</message>
<message>
<location line="+1"/>
<source>Other</source>
<translation>Andet</translation>
</message>
<message>
<location line="+7"/>
<source>Enter address or label to search</source>
<translation>Indtast adresse eller mærkat for at søge</translation>
</message>
<message>
<location line="+7"/>
<source>Min amount</source>
<translation>Minimumsbeløb</translation>
</message>
<message>
<location line="+34"/>
<source>Copy address</source>
<translation>Kopier adresse</translation>
</message>
<message>
<location line="+1"/>
<source>Copy label</source>
<translation>Kopier mærkat</translation>
</message>
<message>
<location line="+1"/>
<source>Copy amount</source>
<translation>Kopier beløb</translation>
</message>
<message>
<location line="+1"/>
<source>Copy transaction ID</source>
<translation>Kopier transaktionens ID</translation>
</message>
<message>
<location line="+1"/>
<source>Edit label</source>
<translation>Rediger mærkat</translation>
</message>
<message>
<location line="+1"/>
<source>Show transaction details</source>
<translation>Vis <API key></translation>
</message>
<message>
<location line="+139"/>
<source>Export Transaction Data</source>
<translation>Eksporter transaktionsdata</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Kommasepareret fil (*.csv)</translation>
</message>
<message>
<location line="+8"/>
<source>Confirmed</source>
<translation>Bekræftet</translation>
</message>
<message>
<location line="+1"/>
<source>Date</source>
<translation>Dato</translation>
</message>
<message>
<location line="+1"/>
<source>Type</source>
<translation>Type</translation>
</message>
<message>
<location line="+1"/>
<source>Label</source>
<translation>Mærkat</translation>
</message>
<message>
<location line="+1"/>
<source>Address</source>
<translation>Adresse</translation>
</message>
<message>
<location line="+1"/>
<source>Amount</source>
<translation>Beløb</translation>
</message>
<message>
<location line="+1"/>
<source>ID</source>
<translation>ID</translation>
</message>
<message>
<location line="+4"/>
<source>Error exporting</source>
<translation>Fejl under eksport</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>Kunne ikke skrive til filen %1.</translation>
</message>
<message>
<location line="+100"/>
<source>Range:</source>
<translation>Interval:</translation>
</message>
<message>
<location line="+8"/>
<source>to</source>
<translation>til</translation>
</message>
</context>
<context>
<name>WalletModel</name>
<message>
<location filename="../walletmodel.cpp" line="+193"/>
<source>Send Coins</source>
<translation>Send digitaldirhams</translation>
</message>
</context>
<context>
<name>WalletView</name>
<message>
<location filename="../walletview.cpp" line="+42"/>
<source>&Export</source>
<translation>Eksporter</translation>
</message>
<message>
<location line="+1"/>
<source>Export the data in the current tab to a file</source>
<translation>Eksportér den aktuelle visning til en fil</translation>
</message>
<message>
<location line="+193"/>
<source>Backup Wallet</source>
<translation>Sikkerhedskopier tegnebog</translation>
</message>
<message>
<location line="+0"/>
<source>Wallet Data (*.dat)</source>
<translation>Tegnebogsdata (*.dat)</translation>
</message>
<message>
<location line="+3"/>
<source>Backup Failed</source>
<translation>Foretagelse af sikkerhedskopi fejlede</translation>
</message>
<message>
<location line="+0"/>
<source>There was an error trying to save the wallet data to the new location.</source>
<translation>Der opstod en fejl i forbindelse med at gemme tegnebogsdata til det nye sted</translation>
</message>
<message>
<location line="+4"/>
<source>Backup Successful</source>
<translation>Sikkerhedskopieret problemfri</translation>
</message>
<message>
<location line="+0"/>
<source>The wallet data was successfully saved to the new location.</source>
<translation>Tegnebogsdata blev problemfrit gemt til det nye sted.</translation>
</message>
</context>
<context>
<name>bitcoin-core</name>
<message>
<location filename="../bitcoinstrings.cpp" line="+94"/>
<source>DigitalDirham version</source>
<translation><API key></translation>
</message>
<message>
<location line="+102"/>
<source>Usage:</source>
<translation>Anvendelse:</translation>
</message>
<message>
<location line="-29"/>
<source>Send command to -server or digitaldirhamd</source>
<translation>Send kommando til -server eller digitaldirhamd</translation>
</message>
<message>
<location line="-23"/>
<source>List commands</source>
<translation>Liste over kommandoer</translation>
</message>
<message>
<location line="-12"/>
<source>Get help for a command</source>
<translation>Få hjælp til en kommando</translation>
</message>
<message>
<location line="+24"/>
<source>Options:</source>
<translation>Indstillinger:</translation>
</message>
<message>
<location line="+24"/>
<source>Specify configuration file (default: digitaldirham.conf)</source>
<translation>Angiv konfigurationsfil (standard: digitaldirham.conf)</translation>
</message>
<message>
<location line="+3"/>
<source>Specify pid file (default: digitaldirhamd.pid)</source>
<translation>Angiv pid-fil (default: digitaldirhamd.pid)</translation>
</message>
<message>
<location line="-1"/>
<source>Specify data directory</source>
<translation>Angiv datakatalog</translation>
</message>
<message>
<location line="-9"/>
<source>Set database cache size in megabytes (default: 25)</source>
<translation>Angiv databasecachestørrelse i megabytes (standard: 25)</translation>
</message>
<message>
<location line="-28"/>
<source>Listen for connections on <port> (default: 9933 or testnet: 19933)</source>
<translation>Lyt til forbindelser på <port> (standard: 9933 eller testnetværk: 19933)</translation>
</message>
<message>
<location line="+5"/>
<source>Maintain at most <n> connections to peers (default: 125)</source>
<translation>Oprethold højest <n> forbindelser til andre i netværket (standard: 125)</translation>
</message>
<message>
<location line="-48"/>
<source>Connect to a node to retrieve peer addresses, and disconnect</source>
<translation>Forbind til en knude for at modtage adresse, og afbryd</translation>
</message>
<message>
<location line="+82"/>
<source>Specify your own public address</source>
<translation>Angiv din egen offentlige adresse</translation>
</message>
<message>
<location line="+3"/>
<source>Threshold for disconnecting misbehaving peers (default: 100)</source>
<translation>Grænse for afbrydelse til dårlige forbindelser (standard: 100)</translation>
</message>
<message>
<location line="-134"/>
<source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source>
<translation>Antal sekunder dårlige forbindelser skal vente før reetablering (standard: 86400)</translation>
</message>
<message>
<location line="-29"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source>
<translation>Der opstod en fejl ved angivelse af RPC-porten %u til at lytte på IPv4: %s</translation>
</message>
<message>
<location line="+27"/>
<source>Listen for JSON-RPC connections on <port> (default: 9932 or testnet: 19932)</source>
<translation>Lyt til <API key> på <port> (standard: 9932 eller testnetværk: 19932)</translation>
</message>
<message>
<location line="+37"/>
<source>Accept command line and JSON-RPC commands</source>
<translation>Accepter kommandolinje- og JSON-RPC-kommandoer</translation>
</message>
<message>
<location line="+76"/>
<source>Run in the background as a daemon and accept commands</source>
<translation>Kør i baggrunden som en service, og accepter kommandoer</translation>
</message>
<message>
<location line="+37"/>
<source>Use the test network</source>
<translation>Brug testnetværket</translation>
</message>
<message>
<location line="-112"/>
<source>Accept connections from outside (default: 1 if no -proxy or -connect)</source>
<translation>Accepter forbindelser udefra (standard: 1 hvis hverken -proxy eller -connect)</translation>
</message>
<message>
<location line="-80"/>
<source>%s, you must set a rpcpassword in the configuration file:
%s
It is recommended you use the following random password:
rpcuser=digitaldirhamrpc
rpcpassword=%s
(you do not need to remember this password)
The username and password MUST NOT be the same.
If the file does not exist, create it with owner-readable-only file permissions.
It is also recommended to set alertnotify so you are notified of problems;
for example: alertnotify=echo %%s | mail -s "DigitalDirham Alert" admin@foo.com
</source>
<translation>%s, du skal angive en RPC-adgangskode i konfigurationsfilen:
%s
Det anbefales, at du bruger nedenstående, tilfældige adgangskode:
rpcuser=digitaldirhamrpc
rpcpassword=%s
(du behøver ikke huske denne adgangskode)
Brugernavnet og adgangskode MÅ IKKE være det samme.
Hvis filen ikke eksisterer, opret den og giv ingen andre end ejeren læserettighed.
Det anbefales også at angive alertnotify, så du påmindes om problemer;
f.eks.: alertnotify=echo %%s | mail -s "DigitalDirham Alert" admin@foo.com
</translation>
</message>
<message>
<location line="+17"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source>
<translation>Der opstod en fejl ved angivelse af RPC-porten %u til at lytte på IPv6, falder tilbage til IPv4: %s</translation>
</message>
<message>
<location line="+3"/>
<source>Bind to given address and always listen on it. Use [host]:port notation for IPv6</source>
<translation>Tildel til den givne adresse og lyt altid på den. Brug [vært]:port-notation for IPv6</translation>
</message>
<message>
<location line="+3"/>
<source>Cannot obtain a lock on data directory %s. DigitalDirham is probably already running.</source>
<translation>Kan ikke opnå lås på datakatalog %s. DigitalDirham er sandsynligvis allerede startet.</translation>
</message>
<message>
<location line="+3"/>
<source>Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation>Fejl: Transaktionen blev afvist. Dette kan ske, hvis nogle af dine digitaldirhams i din tegnebog allerede er brugt, som hvis du brugte en kopi af wallet.dat og dine digitaldirhams er blevet brugt i kopien, men ikke er markeret som brugt her.</translation>
</message>
<message>
<location line="+4"/>
<source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!</source>
<translation>Fejl: Denne transaktion kræver et transaktionsgebyr på minimum %s pga. dens størrelse, kompleksitet eller anvendelse af nyligt modtagne digitaldirhams!</translation>
</message>
<message>
<location line="+3"/>
<source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source>
<translation>Udfør kommando, når en relevant advarsel modtages (%s i kommandoen erstattes med beskeden)</translation>
</message>
<message>
<location line="+3"/>
<source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source>
<translation>Udfør kommando, når en transaktion i tegnebogen ændres (%s i kommandoen erstattes med TxID)</translation>
</message>
<message>
<location line="+11"/>
<source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source>
<translation>Angiv maksimumstørrelse for høj prioritet/lavt gebyr-transaktioner i bytes (standard: 27000)</translation>
</message>
<message>
<location line="+6"/>
<source>This is a pre-release test build - use at your own risk - do not use for mining or merchant applications</source>
<translation>Dette er en foreløbig testudgivelse - brug på eget ansvar - brug ikke til udvinding eller handelsprogrammer</translation>
</message>
<message>
<location line="+5"/>
<source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source>
<translation>Advarsel: -paytxfee er sat meget højt! Dette er det gebyr du vil betale, hvis du sender en transaktion.</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.</source>
<translation>Advarsel: Viste transaktioner kan være ukorrekte! Du eller andre knuder kan have behov for at opgradere.</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: Please check that your computer's date and time are correct! If your clock is wrong DigitalDirham will not work properly.</source>
<translation>Advarsel: Undersøg venligst, at din computers dato og klokkeslæt er korrekt indstillet! Hvis der er fejl i disse, vil DigitalDirham ikke fungere korrekt.</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source>
<translation>Advarsel: fejl under læsning af wallet.dat! Alle nøgler blev læst korrekt, men transaktionsdata eller adressebogsposter kan mangle eller være forkerte.</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source>
<translation>Advarsel: wallet.dat ødelagt, data reddet! Oprindelig wallet.net gemt som wallet.{timestamp}.bak i %s; hvis din saldo eller dine transaktioner er forkert, bør du genskabe fra en sikkerhedskopi.</translation>
</message>
<message>
<location line="+14"/>
<source>Attempt to recover private keys from a corrupt wallet.dat</source>
<translation>Forsøg at genskabe private nøgler fra ødelagt wallet.dat</translation>
</message>
<message>
<location line="+2"/>
<source>Block creation options:</source>
<translation><API key>:</translation>
</message>
<message>
<location line="+5"/>
<source>Connect only to the specified node(s)</source>
<translation>Tilslut kun til de(n) angivne knude(r)</translation>
</message>
<message>
<location line="+3"/>
<source>Corrupted block database detected</source>
<translation>Ødelagt blokdatabase opdaget</translation>
</message>
<message>
<location line="+1"/>
<source>Discover own IP address (default: 1 when listening and no -externalip)</source>
<translation>Find egen IP-adresse (standard: 1 når lytter og ingen -externalip)</translation>
</message>
<message>
<location line="+1"/>
<source>Do you want to rebuild the block database now?</source>
<translation>Ønsker du at genbygge blokdatabasen nu?</translation>
</message>
<message>
<location line="+2"/>
<source>Error initializing block database</source>
<translation>Klargøring af blokdatabase mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Error initializing wallet database environment %s!</source>
<translation>Klargøring af tegnebogsdatabasemiljøet %s mislykkedes!</translation>
</message>
<message>
<location line="+1"/>
<source>Error loading block database</source>
<translation>Indlæsning af blokdatabase mislykkedes</translation>
</message>
<message>
<location line="+4"/>
<source>Error opening block database</source>
<translation>Åbning af blokdatabase mislykkedes</translation>
</message>
<message>
<location line="+2"/>
<source>Error: Disk space is low!</source>
<translation>Fejl: Mangel på ledig diskplads!</translation>
</message>
<message>
<location line="+1"/>
<source>Error: Wallet locked, unable to create transaction!</source>
<translation>Fejl: Tegnebog låst, kan ikke oprette transaktion!</translation>
</message>
<message>
<location line="+1"/>
<source>Error: system error: </source>
<translation>Fejl: systemfejl: </translation>
</message>
<message>
<location line="+1"/>
<source>Failed to listen on any port. Use -listen=0 if you want this.</source>
<translation>Lytning på enhver port mislykkedes. Brug -listen=0, hvis du ønsker dette.</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to read block info</source>
<translation>Læsning af blokinformation mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to read block</source>
<translation>Læsning af blok mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to sync block index</source>
<translation>Synkronisering af blokindeks mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write block index</source>
<translation>Skrivning af blokindeks mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write block info</source>
<translation>Skrivning af blokinformation mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write block</source>
<translation>Skrivning af blok mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write file info</source>
<translation>Skriving af filinformation mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write to coin database</source>
<translation>Skrivning af <API key> mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write transaction index</source>
<translation>Skrivning af transaktionsindeks mislykkedes</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to write undo data</source>
<translation>Skrivning af genskabelsesdata mislykkedes</translation>
</message>
<message>
<location line="+2"/>
<source>Find peers using DNS lookup (default: 1 unless -connect)</source>
<translation>Find ligeværdige ved DNS-opslag (standard: 1 hvis ikke -connect)</translation>
</message>
<message>
<location line="+1"/>
<source>Generate coins (default: 0)</source>
<translation>Generer digitaldirhams (standard: 0)</translation>
</message>
<message>
<location line="+2"/>
<source>How many blocks to check at startup (default: 288, 0 = all)</source>
<translation>Antal blokke som tjekkes ved opstart (0=alle, standard: 288)</translation>
</message>
<message>
<location line="+1"/>
<source>How thorough the block verification is (0-4, default: 3)</source>
<translation>Grundighed af efterprøvning af blokke (0-4, standard: 3)</translation>
</message>
<message>
<location line="+19"/>
<source>Not enough file descriptors available.</source>
<translation>For få tilgængelige fildeskriptorer.</translation>
</message>
<message>
<location line="+8"/>
<source>Rebuild block chain index from current blk000??.dat files</source>
<translation>Genbyg blokkædeindeks fra nuværende blk000??.dat filer</translation>
</message>
<message>
<location line="+16"/>
<source>Set the number of threads to service RPC calls (default: 4)</source>
<translation>Angiv antallet af tråde til at håndtere RPC-kald (standard: 4)</translation>
</message>
<message>
<location line="+26"/>
<source>Verifying blocks...</source>
<translation>Efterprøver blokke...</translation>
</message>
<message>
<location line="+1"/>
<source>Verifying wallet...</source>
<translation>Efterprøver tegnebog...</translation>
</message>
<message>
<location line="-69"/>
<source>Imports blocks from external blk000??.dat file</source>
<translation>Importerer blokke fra ekstern blk000??.dat fil</translation>
</message>
<message>
<location line="-76"/>
<source>Set the number of script verification threads (up to 16, 0 = auto, <0 = leave that many cores free, default: 0)</source>
<translation>Angiv nummeret af skriptefterprøvningstråde (op til 16, 0 = automatisk, <0 = efterlad det antal kerner tilgængelige, standard: 0)</translation>
</message>
<message>
<location line="+77"/>
<source>Information</source>
<translation>Information</translation>
</message>
<message>
<location line="+3"/>
<source>Invalid -tor address: '%s'</source>
<translation>Ugyldig -tor adresse: '%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -minrelaytxfee=<amount>: '%s'</source>
<translation>Ugyldigt beløb til -minrelaytxfee=<beløb>:'%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -mintxfee=<amount>: '%s'</source>
<translation>Ugyldigt beløb til -mintxfee=<beløb>:'%s'</translation>
</message>
<message>
<location line="+8"/>
<source>Maintain a full transaction index (default: 0)</source>
<translation>Vedligehold et komplet transaktionsindeks (standard: 0)</translation>
</message>
<message>
<location line="+2"/>
<source>Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000)</source>
<translation>Maksimum for modtagelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 5000)</translation>
</message>
<message>
<location line="+1"/>
<source>Maximum per-connection send buffer, <n>*1000 bytes (default: 1000)</source>
<translation>Maksimum for afsendelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 1000)</translation>
</message>
<message>
<location line="+2"/>
<source>Only accept block chain matching built-in checkpoints (default: 1)</source>
<translation>Accepter kun blokkæde, som matcher indbyggede kontrolposter (standard: 1)</translation>
</message>
<message>
<location line="+1"/>
<source>Only connect to nodes in network <net> (IPv4, IPv6 or Tor)</source>
<translation>Tilslut kun til knuder i netværk <net> (IPv4, IPv6 eller Tor)</translation>
</message>
<message>
<location line="+2"/>
<source>Output extra debugging information. Implies all other -debug* options</source>
<translation>Skriv ekstra fejlsøgningsinformation. Indebærer alle andre -debug* tilvalg</translation>
</message>
<message>
<location line="+1"/>
<source>Output extra network debugging information</source>
<translation>Skriv ekstra netværksfejlsøgningsinformation</translation>
</message>
<message>
<location line="+2"/>
<source>Prepend debug output with timestamp</source>
<translation>Tilføj fejlsøgningsoutput med tidsstempel</translation>
</message>
<message>
<location line="+5"/>
<source>SSL options: (see the DigitalDirham Wiki for SSL setup instructions)</source>
<translation>SSL-indstillinger: (se DigitalDirham Wiki for SSL-opsætningsinstruktioner)</translation>
</message>
<message>
<location line="+1"/>
<source>Select the version of socks proxy to use (4-5, default: 5)</source>
<translation>Angiv version af SOCKS-proxyen (4-5, standard: 5)</translation>
</message>
<message>
<location line="+3"/>
<source>Send trace/debug info to console instead of debug.log file</source>
<translation>Send sporings-/fejlsøgningsinformation til konsollen i stedet for debug.log filen</translation>
</message>
<message>
<location line="+1"/>
<source>Send trace/debug info to debugger</source>
<translation>Send sporings-/fejlsøgningsinformation til fejlsøgningprogrammet</translation>
</message>
<message>
<location line="+5"/>
<source>Set maximum block size in bytes (default: 250000)</source>
<translation>Angiv maksimumblokstørrelse i bytes (standard: 250000)</translation>
</message>
<message>
<location line="+1"/>
<source>Set minimum block size in bytes (default: 0)</source>
<translation>Angiv minimumsblokstørrelse i bytes (standard: 0)</translation>
</message>
<message>
<location line="+2"/>
<source>Shrink debug.log file on client startup (default: 1 when no -debug)</source>
<translation>Formindsk debug.log filen ved klientopstart (standard: 1 hvis ikke -debug)</translation>
</message>
<message>
<location line="+1"/>
<source>Signing transaction failed</source>
<translation>Underskrift af transaktion mislykkedes</translation>
</message>
<message>
<location line="+2"/>
<source>Specify connection timeout in milliseconds (default: 5000)</source>
<translation>Angiv tilslutningstimeout i millisekunder (standard: 5000)</translation>
</message>
<message>
<location line="+4"/>
<source>System error: </source>
<translation>Systemfejl: </translation>
</message>
<message>
<location line="+4"/>
<source>Transaction amount too small</source>
<translation>Transaktionsbeløb er for lavt</translation>
</message>
<message>
<location line="+1"/>
<source>Transaction amounts must be positive</source>
<translation>Transaktionsbeløb skal være positive</translation>
</message>
<message>
<location line="+1"/>
<source>Transaction too large</source>
<translation>Transaktionen er for stor</translation>
</message>
<message>
<location line="+7"/>
<source>Use UPnP to map the listening port (default: 0)</source>
<translation>Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 0)</translation>
</message>
<message>
<location line="+1"/>
<source>Use UPnP to map the listening port (default: 1 when listening)</source>
<translation>Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 1 når lytter)</translation>
</message>
<message>
<location line="+1"/>
<source>Use proxy to reach tor hidden services (default: same as -proxy)</source>
<translation>Brug proxy til at tilgå Tor Hidden Services (standard: som -proxy)</translation>
</message>
<message>
<location line="+2"/>
<source>Username for JSON-RPC connections</source>
<translation>Brugernavn til <API key></translation>
</message>
<message>
<location line="+4"/>
<source>Warning</source>
<translation>Advarsel</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: This version is obsolete, upgrade required!</source>
<translation>Advarsel: Denne version er forældet, opgradering påkrævet!</translation>
</message>
<message>
<location line="+1"/>
<source>You need to rebuild the databases using -reindex to change -txindex</source>
<translation>Du skal genbygge databaserne med -reindex for at ændre -txindex</translation>
</message>
<message>
<location line="+1"/>
<source>wallet.dat corrupt, salvage failed</source>
<translation>wallet.dat ødelagt, redning af data mislykkedes</translation>
</message>
<message>
<location line="-50"/>
<source>Password for JSON-RPC connections</source>
<translation>Adgangskode til <API key></translation>
</message>
<message>
<location line="-67"/>
<source>Allow JSON-RPC connections from specified IP address</source>
<translation>Tillad <API key> fra bestemt IP-adresse</translation>
</message>
<message>
<location line="+76"/>
<source>Send commands to node running on <ip> (default: 127.0.0.1)</source>
<translation>Send kommandoer til knude, der kører på <ip> (standard: 127.0.0.1)</translation>
</message>
<message>
<location line="-120"/>
<source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source>
<translation>Udfør kommando, når den bedste blok ændres (%s i kommandoen erstattes med blokhash)</translation>
</message>
<message>
<location line="+147"/>
<source>Upgrade wallet to latest format</source>
<translation>Opgrader tegnebog til seneste format</translation>
</message>
<message>
<location line="-21"/>
<source>Set key pool size to <n> (default: 100)</source>
<translation>Angiv nøglepoolstørrelse til <n> (standard: 100)</translation>
</message>
<message>
<location line="-12"/>
<source>Rescan the block chain for missing wallet transactions</source>
<translation>Gennemsøg blokkæden for manglende <API key></translation>
</message>
<message>
<location line="+35"/>
<source>Use OpenSSL (https) for JSON-RPC connections</source>
<translation>Brug OpenSSL (https) for <API key></translation>
</message>
<message>
<location line="-26"/>
<source>Server certificate file (default: server.cert)</source>
<translation><API key> (standard: server.cert)</translation>
</message>
<message>
<location line="+1"/>
<source>Server private key (default: server.pem)</source>
<translation>Serverens private nøgle (standard: server.pem)</translation>
</message>
<message>
<location line="-151"/>
<source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source>
<translation>Acceptable ciphers (standard: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</translation>
</message>
<message>
<location line="+165"/>
<source>This help message</source>
<translation>Denne hjælpebesked</translation>
</message>
<message>
<location line="+6"/>
<source>Unable to bind to %s on this computer (bind returned error %d, %s)</source>
<translation>Kunne ikke tildele %s på denne computer (bind returnerede fejl %d, %s)</translation>
</message>
<message>
<location line="-91"/>
<source>Connect through socks proxy</source>
<translation>Tilslut via SOCKS-proxy</translation>
</message>
<message>
<location line="-10"/>
<source>Allow DNS lookups for -addnode, -seednode and -connect</source>
<translation>Tillad DNS-opslag for -addnode, -seednode og -connect</translation>
</message>
<message>
<location line="+55"/>
<source>Loading addresses...</source>
<translation>Indlæser adresser...</translation>
</message>
<message>
<location line="-35"/>
<source>Error loading wallet.dat: Wallet corrupted</source>
<translation>Fejl ved indlæsning af wallet.dat: Tegnebog ødelagt</translation>
</message>
<message>
<location line="+1"/>
<source>Error loading wallet.dat: Wallet requires newer version of DigitalDirham</source>
<translation>Fejl ved indlæsning af wallet.dat: Tegnebog kræver en nyere version af DigitalDirham</translation>
</message>
<message>
<location line="+93"/>
<source>Wallet needed to be rewritten: restart DigitalDirham to complete</source>
<translation>Det var nødvendigt at genskrive tegnebogen: genstart DigitalDirham for at gennemføre</translation>
</message>
<message>
<location line="-95"/>
<source>Error loading wallet.dat</source>
<translation>Fejl ved indlæsning af wallet.dat</translation>
</message>
<message>
<location line="+28"/>
<source>Invalid -proxy address: '%s'</source>
<translation>Ugyldig -proxy adresse: '%s'</translation>
</message>
<message>
<location line="+56"/>
<source>Unknown network specified in -onlynet: '%s'</source>
<translation>Ukendt netværk anført i -onlynet: '%s'</translation>
</message>
<message>
<location line="-1"/>
<source>Unknown -socks proxy version requested: %i</source>
<translation>Ukendt -socks proxy-version: %i</translation>
</message>
<message>
<location line="-96"/>
<source>Cannot resolve -bind address: '%s'</source>
<translation>Kan ikke finde -bind adressen: '%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Cannot resolve -externalip address: '%s'</source>
<translation>Kan ikke finde -externalip adressen: '%s'</translation>
</message>
<message>
<location line="+44"/>
<source>Invalid amount for -paytxfee=<amount>: '%s'</source>
<translation>Ugyldigt beløb for -paytxfee=<amount>: '%s'</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount</source>
<translation>Ugyldigt beløb</translation>
</message>
<message>
<location line="-6"/>
<source>Insufficient funds</source>
<translation>Manglende dækning</translation>
</message>
<message>
<location line="+10"/>
<source>Loading block index...</source>
<translation>Indlæser blokindeks...</translation>
</message>
<message>
<location line="-57"/>
<source>Add a node to connect to and attempt to keep the connection open</source>
<translation>Tilføj en knude til at forbinde til og forsøg at holde forbindelsen åben</translation>
</message>
<message>
<location line="-25"/>
<source>Unable to bind to %s on this computer. DigitalDirham is probably already running.</source>
<translation>Kunne ikke tildele %s på denne computer. DigitalDirham kører sikkert allerede.</translation>
</message>
<message>
<location line="+64"/>
<source>Fee per KB to add to transactions you send</source>
<translation>Gebyr pr. kB, som skal tilføjes til transaktioner, du sender</translation>
</message>
<message>
<location line="+19"/>
<source>Loading wallet...</source>
<translation>Indlæser tegnebog...</translation>
</message>
<message>
<location line="-52"/>
<source>Cannot downgrade wallet</source>
<translation>Kan ikke nedgradere tegnebog</translation>
</message>
<message>
<location line="+3"/>
<source>Cannot write default address</source>
<translation>Kan ikke skrive standardadresse</translation>
</message>
<message>
<location line="+64"/>
<source>Rescanning...</source>
<translation>Genindlæser...</translation>
</message>
<message>
<location line="-57"/>
<source>Done loading</source>
<translation>Indlæsning gennemført</translation>
</message>
<message>
<location line="+82"/>
<source>To use the %s option</source>
<translation>For at bruge %s mulighed</translation>
</message>
<message>
<location line="-74"/>
<source>Error</source>
<translation>Fejl</translation>
</message>
<message>
<location line="-31"/>
<source>You must set rpcpassword=<password> in the configuration file:
%s
If the file does not exist, create it with owner-readable-only file permissions.</source>
<translation>Du skal angive rpcpassword=<password> i konfigurationsfilen:
%s
Hvis filen ikke eksisterer, opret den og giv ingen andre end ejeren læserettighed.</translation>
</message>
</context>
</TS> |
#pragma once
#include <ostream> // for std::ostream
#include <type_traits> // for std::enable_if_t
#include <utility> // for std::forward, std::move
#include "fmt/format.h" // for fmt::formatter
template <typename F, std::enable_if_t<std::is_invocable<F&>::value, int> = 0>
auto eval(F&& invocable) {
return invocable();
}
template <typename Val, std::enable_if_t<not std::is_invocable<Val&>::value, int> = 0>
auto eval(Val&& val) {
return std::forward<Val>(val);
}
template <typename L>
class lazy_eval {
const L& lambda;
public:
using type = decltype(std::declval<L>()());
lazy_eval(const L& lambda) : lambda(lambda) {}
lazy_eval(lazy_eval&& other) : lambda(std::move(other.lambda)) { }
lazy_eval& operator=(lazy_eval&& other) {
lambda = std::move(other.lambda);
}
lazy_eval(const lazy_eval&) = delete;
lazy_eval& operator=(const lazy_eval&) = delete;
type operator()() const { return lambda(); }
explicit operator type() const { return lambda(); }
friend std::ostream& operator<<(std::ostream& os, const lazy_eval<L>& obj) {
return os << obj();
}
};
template <typename L>
struct fmt::formatter<lazy_eval<L>> : fmt::formatter<typename lazy_eval<L>::type> {
auto format(const lazy_eval<L>& val, format_context& ctx) {
return fmt::formatter<typename lazy_eval<L>::type>::format(val(), ctx);
}
};
template <typename L>
auto
make_lazy_eval(L&& lambda) {
return lazy_eval<L>{std::forward<L>(lambda)};
}
#define LAZY(Expr) make_lazy_eval([&]() { return eval(Expr); }) |
using System.Collections.Generic;
using System.Collections.ObjectModel;
namespace TwoFactor.API.Areas.HelpPage.ModelDescriptions
{
public class <API key> : ModelDescription
{
public <API key>()
{
Values = new Collection<<API key>>();
}
public Collection<<API key>> Values { get; private set; }
}
} |
extern int foo(void);
int main() {
return foo();
} |
// <auto-generated>
// This code was generated by a tool.
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
// This source code was auto-generated by Microsoft.VSDesigner, Version 4.0.30319.296.
#pragma warning disable 1591
namespace MSNPSharp.MSNWS.<API key> {
using System;
using System.Web.Services;
using System.Diagnostics;
using System.Web.Services.Protocols;
using System.ComponentModel;
using System.Xml.Serialization;
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Web.Services", "4.0.30319.1")]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Web.Services.<API key>(Name="Security<API key>, Namespace="http://schemas.microsoft.com/Passport/SoapServices/PPCRL")]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(DerivedKeyTokenType))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(NotUnderstoodType))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(Fault))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(Envelope))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(ManifestType))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(ProblemActionType))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(errorType))]
public partial class <API key> : System.Web.Services.Protocols.<API key> {
private SecurityHeaderType securityField;
private AuthInfoType authInfoField;
private Action actionValueField;
private To toValueField;
private AttributedURIType messageIDField;
private ppHeaderType ppField;
private System.Threading.SendOrPostCallback <API key><API key>;
private AttributedURI actionField;
private Relationship relatesToField;
private RelatesToType relatesTo1Field;
private System.Threading.SendOrPostCallback RequestSecurity<API key>;
private bool <API key>;
<remarks/>
public <API key>() {
this.SoapVersion = System.Web.Services.Protocols.SoapProtocolVersion.Soap12;
this.Url = "https://login.live.com/RST2.srf";
if ((this.<API key>(this.Url) == true)) {
this.<API key> = true;
this.<API key> = false;
}
else {
this.<API key> = true;
}
}
public SecurityHeaderType Security {
get {
return this.securityField;
}
set {
this.securityField = value;
}
}
public AuthInfoType AuthInfo {
get {
return this.authInfoField;
}
set {
this.authInfoField = value;
}
}
public Action ActionValue {
get {
return this.actionValueField;
}
set {
this.actionValueField = value;
}
}
public To ToValue {
get {
return this.toValueField;
}
set {
this.toValueField = value;
}
}
public AttributedURIType MessageID {
get {
return this.messageIDField;
}
set {
this.messageIDField = value;
}
}
public ppHeaderType pp {
get {
return this.ppField;
}
set {
this.ppField = value;
}
}
public AttributedURI Action {
get {
return this.actionField;
}
set {
this.actionField = value;
}
}
public Relationship RelatesTo {
get {
return this.relatesToField;
}
set {
this.relatesToField = value;
}
}
public RelatesToType RelatesTo1 {
get {
return this.relatesTo1Field;
}
set {
this.relatesTo1Field = value;
}
}
public new string Url {
get {
return base.Url;
}
set {
if ((((this.<API key>(base.Url) == true)
&& (this.<API key> == false))
&& (this.<API key>(value) == false))) {
base.<API key> = false;
}
base.Url = value;
}
}
public new bool <API key> {
get {
return base.<API key>;
}
set {
base.<API key> = value;
this.<API key> = true;
}
}
<remarks/>
public event <API key><API key> <API key>;
<remarks/>
public event RequestSecurity<API key> <API key>;
<remarks/>
[System.Web.Services.Protocols.SoapHeaderAttribute("Security", Direction=System.Web.Services.Protocols.SoapHeaderDirection.InOut)]
[System.Web.Services.Protocols.SoapHeaderAttribute("MessageID")]
[System.Web.Services.Protocols.SoapHeaderAttribute("ToValue", Direction=System.Web.Services.Protocols.SoapHeaderDirection.InOut)]
[System.Web.Services.Protocols.SoapHeaderAttribute("ActionValue", Direction=System.Web.Services.Protocols.SoapHeaderDirection.InOut)]
[System.Web.Services.Protocols.SoapHeaderAttribute("pp", Direction=System.Web.Services.Protocols.SoapHeaderDirection.Out)]
[System.Web.Services.Protocols.SoapHeaderAttribute("AuthInfo")]
[System.Web.Services.Protocols.<API key>("", Use=System.Web.Services.Description.SoapBindingUse.Literal, ParameterStyle=System.Web.Services.Protocols.SoapParameterStyle.Bare)]
[return: System.Xml.Serialization.XmlArrayAttribute("RequestSecurity<API key>, Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
[return: System.Xml.Serialization.<API key>("<API key>", IsNullable=false)]
public <API key>[] <API key>([System.Xml.Serialization.XmlElementAttribute("<API key>", Namespace="http://schemas.microsoft.com/Passport/SoapServices/PPCRL")] <API key> <API key>) {
object[] results = this.Invoke("<API key>", new object[] {
<API key>});
return ((<API key>[])(results[0]));
}
<remarks/>
public void <API key>(<API key> <API key>) {
this.<API key>(<API key>, null);
}
<remarks/>
public void <API key>(<API key> <API key>, object userState) {
if ((this.<API key><API key> == null)) {
this.<API key><API key> = new System.Threading.SendOrPostCallback(this.<API key><API key>);
}
this.InvokeAsync("<API key>", new object[] {
<API key>}, this.<API key><API key>, userState);
}
private void <API key><API key>(object arg) {
if ((this.<API key> != null)) {
System.Web.Services.Protocols.<API key> invokeArgs = ((System.Web.Services.Protocols.<API key>)(arg));
this.<API key>(this, new <API key><API key>(invokeArgs.Results, invokeArgs.Error, invokeArgs.Cancelled, invokeArgs.UserState));
}
}
<remarks/>
[System.Web.Services.Protocols.SoapHeaderAttribute("Security")]
[System.Web.Services.Protocols.SoapHeaderAttribute("RelatesTo", Direction=System.Web.Services.Protocols.SoapHeaderDirection.Out)]
[System.Web.Services.Protocols.SoapHeaderAttribute("Action", Direction=System.Web.Services.Protocols.SoapHeaderDirection.Out)]
[System.Web.Services.Protocols.SoapHeaderAttribute("MessageID")]
[System.Web.Services.Protocols.SoapHeaderAttribute("ToValue")]
[System.Web.Services.Protocols.SoapHeaderAttribute("ActionValue", Direction=System.Web.Services.Protocols.SoapHeaderDirection.InOut)]
[System.Web.Services.Protocols.SoapHeaderAttribute("pp", Direction=System.Web.Services.Protocols.SoapHeaderDirection.Out)]
[System.Web.Services.Protocols.SoapHeaderAttribute("RelatesTo1", Direction=System.Web.Services.Protocols.SoapHeaderDirection.Out)]
[System.Web.Services.Protocols.SoapHeaderAttribute("AuthInfo")]
[System.Web.Services.Protocols.<API key>("", Use=System.Web.Services.Description.SoapBindingUse.Literal, ParameterStyle=System.Web.Services.Protocols.SoapParameterStyle.Bare)]
[return: System.Xml.Serialization.XmlElementAttribute("<API key>", Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public <API key> <API key>([System.Xml.Serialization.XmlElementAttribute("<API key>", Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")] <API key> <API key>) {
object[] results = this.Invoke("<API key>", new object[] {
<API key>});
return ((<API key>)(results[0]));
}
<remarks/>
public void <API key>(<API key> <API key>) {
this.<API key>(<API key>, null);
}
<remarks/>
public void <API key>(<API key> <API key>, object userState) {
if ((this.RequestSecurity<API key> == null)) {
this.RequestSecurity<API key> = new System.Threading.SendOrPostCallback(this.OnRequestSecurity<API key>);
}
this.InvokeAsync("<API key>", new object[] {
<API key>}, this.RequestSecurity<API key>, userState);
}
private void OnRequestSecurity<API key>(object arg) {
if ((this.<API key> != null)) {
System.Web.Services.Protocols.<API key> invokeArgs = ((System.Web.Services.Protocols.<API key>)(arg));
this.<API key>(this, new RequestSecurity<API key>(invokeArgs.Results, invokeArgs.Error, invokeArgs.Cancelled, invokeArgs.UserState));
}
}
<remarks/>
public new void CancelAsync(object userState) {
base.CancelAsync(userState);
}
private bool <API key>(string url) {
if (((url == null)
|| (url == string.Empty))) {
return false;
}
System.Uri wsUri = new System.Uri(url);
if (((wsUri.Port >= 1024)
&& (string.Compare(wsUri.Host, "localHost", System.StringComparison.OrdinalIgnoreCase) == 0))) {
return true;
}
return false;
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
[System.Xml.Serialization.XmlRootAttribute("Security", Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"", IsNullable=false)]
public partial class SecurityHeaderType : System.Web.Services.Protocols.SoapHeader {
private UsernameTokenType usernameTokenField;
private TimestampType timestampField;
private AssertionType assertionField;
<remarks/>
public UsernameTokenType UsernameToken {
get {
return this.usernameTokenField;
}
set {
this.usernameTokenField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d")]
public TimestampType Timestamp {
get {
return this.timestampField;
}
set {
this.timestampField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public AssertionType Assertion {
get {
return this.assertionField;
}
set {
this.assertionField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class UsernameTokenType {
private AttributedString usernameField;
private PasswordString passwordField;
private string idField;
<remarks/>
public AttributedString Username {
get {
return this.usernameField;
}
set {
this.usernameField = value;
}
}
<remarks/>
public PasswordString Password {
get {
return this.passwordField;
}
set {
this.passwordField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(Form=System.Xml.Schema.XmlSchemaForm.Qualified, Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d", DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(EncodedString))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(KeyIdentifierType))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(PasswordString))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class AttributedString {
private string idField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class ActionType {
private string namespaceField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Namespace {
get {
return this.namespaceField;
}
set {
this.namespaceField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/sc")]
public partial class PropertiesType {
private System.Xml.XmlElement[] anyField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/sc")]
public partial class DerivedKeyTokenType {
private <API key> <API key>;
private PropertiesType propertiesField;
private ulong generationField;
private bool <API key>;
private ulong offsetField;
private bool <API key>;
private ulong lengthField;
private bool <API key>;
private string labelField;
private byte[] nonceField;
private string idField;
private string algorithmField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public PropertiesType Properties {
get {
return this.propertiesField;
}
set {
this.propertiesField = value;
}
}
<remarks/>
public ulong Generation {
get {
return this.generationField;
}
set {
this.generationField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool GenerationSpecified {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public ulong Offset {
get {
return this.offsetField;
}
set {
this.offsetField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool OffsetSpecified {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public ulong Length {
get {
return this.lengthField;
}
set {
this.lengthField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool LengthSpecified {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public string Label {
get {
return this.labelField;
}
set {
this.labelField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Nonce {
get {
return this.nonceField;
}
set {
this.nonceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(Form=System.Xml.Schema.XmlSchemaForm.Qualified, Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d", DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class <API key> {
private System.Xml.XmlElement anyField;
private ReferenceType[] referenceField;
private string idField;
private string usageField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Reference")]
public ReferenceType[] Reference {
get {
return this.referenceField;
}
set {
this.referenceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Usage {
get {
return this.usageField;
}
set {
this.usageField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class ReferenceType {
private string uRIField;
private System.Xml.XmlQualifiedName valueTypeField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string URI {
get {
return this.uRIField;
}
set {
this.uRIField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlQualifiedName ValueType {
get {
return this.valueTypeField;
}
set {
this.valueTypeField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/sc")]
public partial class <API key> {
private System.Xml.XmlElement[] anyField;
private string idField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(Form=System.Xml.Schema.XmlSchemaForm.Qualified, Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d", DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class SupportedEnvType {
private System.Xml.XmlQualifiedName qnameField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlQualifiedName qname {
get {
return this.qnameField;
}
set {
this.qnameField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class NotUnderstoodType {
private System.Xml.XmlQualifiedName qnameField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlQualifiedName qname {
get {
return this.qnameField;
}
set {
this.qnameField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class detail {
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class reasontext {
private string langField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>(Form=System.Xml.Schema.XmlSchemaForm.Qualified, Namespace="http:
public string lang {
get {
return this.langField;
}
set {
this.langField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class subcode {
private System.Xml.XmlQualifiedName valueField;
private subcode subcodeField;
<remarks/>
public System.Xml.XmlQualifiedName Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
<remarks/>
public subcode Subcode {
get {
return this.subcodeField;
}
set {
this.subcodeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class faultcode {
private System.Xml.XmlQualifiedName valueField;
private subcode subcodeField;
<remarks/>
public System.Xml.XmlQualifiedName Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
<remarks/>
public subcode Subcode {
get {
return this.subcodeField;
}
set {
this.subcodeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class Fault {
private faultcode codeField;
private reasontext[] reasonField;
private string nodeField;
private string roleField;
private detail detailField;
<remarks/>
public faultcode Code {
get {
return this.codeField;
}
set {
this.codeField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>("Text", IsNullable=false)]
public reasontext[] Reason {
get {
return this.reasonField;
}
set {
this.reasonField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="anyURI")]
public string Node {
get {
return this.nodeField;
}
set {
this.nodeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="anyURI")]
public string Role {
get {
return this.roleField;
}
set {
this.roleField = value;
}
}
<remarks/>
public detail Detail {
get {
return this.detailField;
}
set {
this.detailField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class Body {
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class Header {
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class Envelope {
private Header headerField;
private Body bodyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
public Header Header {
get {
return this.headerField;
}
set {
this.headerField = value;
}
}
<remarks/>
public Body Body {
get {
return this.bodyField;
}
set {
this.bodyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class <API key> {
private System.Xml.XmlNode[] anyField;
private string targetField;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Target {
get {
return this.targetField;
}
set {
this.targetField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class <API key> {
private <API key>[] <API key>;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("SignatureProperty")]
public <API key>[] SignatureProperty {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class ManifestType {
private ReferenceType1[] referenceField;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Reference")]
public ReferenceType1[] Reference {
get {
return this.referenceField;
}
set {
this.referenceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(TypeName="ReferenceType", Namespace="http://www.w3.org/2000/09/xmldsig
public partial class ReferenceType1 {
private TransformType[] transformsField;
private DigestMethodType digestMethodField;
private byte[] digestValueField;
private string idField;
private string uRIField;
private string typeField;
<remarks/>
[System.Xml.Serialization.<API key>("Transform", IsNullable=false)]
public TransformType[] Transforms {
get {
return this.transformsField;
}
set {
this.transformsField = value;
}
}
<remarks/>
public DigestMethodType DigestMethod {
get {
return this.digestMethodField;
}
set {
this.digestMethodField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] DigestValue {
get {
return this.digestValueField;
}
set {
this.digestValueField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string URI {
get {
return this.uRIField;
}
set {
this.uRIField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Type {
get {
return this.typeField;
}
set {
this.typeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class TransformType {
private System.Xml.XmlNode[] anyField;
private string[] xPathField;
private string algorithmField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("XPath")]
public string[] XPath {
get {
return this.xPathField;
}
set {
this.xPathField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class DigestMethodType {
private System.Xml.XmlNode[] anyField;
private string algorithmField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class ObjectType {
private System.Xml.XmlNode[] anyField;
private string idField;
private string mimeTypeField;
private string encodingField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string MimeType {
get {
return this.mimeTypeField;
}
set {
this.mimeTypeField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Encoding {
get {
return this.encodingField;
}
set {
this.encodingField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class SignatureValueType {
private string idField;
private byte[] valueField;
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute(DataType="base64Binary")]
public byte[] Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class SignatureMethodType {
private string <API key>;
private System.Xml.XmlNode[] anyField;
private string algorithmField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="integer")]
public string HMACOutputLength {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class <API key> {
private System.Xml.XmlNode[] anyField;
private string algorithmField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class SignedInfoType {
private <API key> <API key>;
private SignatureMethodType <API key>;
private ReferenceType1[] referenceField;
private string idField;
<remarks/>
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public SignatureMethodType SignatureMethod {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Reference")]
public ReferenceType1[] Reference {
get {
return this.referenceField;
}
set {
this.referenceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class SignatureType {
private SignedInfoType signedInfoField;
private SignatureValueType signatureValueField;
private KeyInfoType keyInfoField;
private ObjectType[] objectField;
private string idField;
<remarks/>
public SignedInfoType SignedInfo {
get {
return this.signedInfoField;
}
set {
this.signedInfoField = value;
}
}
<remarks/>
public SignatureValueType SignatureValue {
get {
return this.signatureValueField;
}
set {
this.signatureValueField = value;
}
}
<remarks/>
public KeyInfoType KeyInfo {
get {
return this.keyInfoField;
}
set {
this.keyInfoField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Object")]
public ObjectType[] Object {
get {
return this.objectField;
}
set {
this.objectField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class KeyInfoType {
private string[] keyNameField;
private KeyValueType[] keyValueField;
private RetrievalMethodType[] <API key>;
private X509DataType[] x509DataField;
private PGPDataType[] pGPDataField;
private SPKIDataType[] sPKIDataField;
private string[] mgmtDataField;
private System.Xml.XmlNode[] anyField;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("KeyName")]
public string[] KeyName {
get {
return this.keyNameField;
}
set {
this.keyNameField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("KeyValue")]
public KeyValueType[] KeyValue {
get {
return this.keyValueField;
}
set {
this.keyValueField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("RetrievalMethod")]
public RetrievalMethodType[] RetrievalMethod {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509Data")]
public X509DataType[] X509Data {
get {
return this.x509DataField;
}
set {
this.x509DataField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("PGPData")]
public PGPDataType[] PGPData {
get {
return this.pGPDataField;
}
set {
this.pGPDataField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("SPKIData")]
public SPKIDataType[] SPKIData {
get {
return this.sPKIDataField;
}
set {
this.sPKIDataField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("MgmtData")]
public string[] MgmtData {
get {
return this.mgmtDataField;
}
set {
this.mgmtDataField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class KeyValueType {
private DSAKeyValueType dSAKeyValueField;
private RSAKeyValueType rSAKeyValueField;
private System.Xml.XmlNode[] anyField;
<remarks/>
public DSAKeyValueType DSAKeyValue {
get {
return this.dSAKeyValueField;
}
set {
this.dSAKeyValueField = value;
}
}
<remarks/>
public RSAKeyValueType RSAKeyValue {
get {
return this.rSAKeyValueField;
}
set {
this.rSAKeyValueField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlNode[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class DSAKeyValueType {
private byte[] pField;
private byte[] qField;
private byte[] gField;
private byte[] yField;
private byte[] jField;
private byte[] seedField;
private byte[] pgenCounterField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] P {
get {
return this.pField;
}
set {
this.pField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Q {
get {
return this.qField;
}
set {
this.qField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] G {
get {
return this.gField;
}
set {
this.gField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Y {
get {
return this.yField;
}
set {
this.yField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] J {
get {
return this.jField;
}
set {
this.jField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Seed {
get {
return this.seedField;
}
set {
this.seedField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] PgenCounter {
get {
return this.pgenCounterField;
}
set {
this.pgenCounterField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class RSAKeyValueType {
private byte[] modulusField;
private byte[] exponentField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Modulus {
get {
return this.modulusField;
}
set {
this.modulusField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] Exponent {
get {
return this.exponentField;
}
set {
this.exponentField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class RetrievalMethodType {
private TransformType[] transformsField;
private string uRIField;
private string typeField;
<remarks/>
[System.Xml.Serialization.<API key>("Transform", IsNullable=false)]
public TransformType[] Transforms {
get {
return this.transformsField;
}
set {
this.transformsField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string URI {
get {
return this.uRIField;
}
set {
this.uRIField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Type {
get {
return this.typeField;
}
set {
this.typeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class X509DataType {
private <API key>[] <API key>;
private byte[][] x509SKIField;
private string[] <API key>;
private byte[][] <API key>;
private byte[][] x509CRLField;
private System.Xml.XmlElement anyField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509IssuerSerial")]
public <API key>[] X509IssuerSerial {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509SKI", DataType="base64Binary")]
public byte[][] X509SKI {
get {
return this.x509SKIField;
}
set {
this.x509SKIField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509SubjectName")]
public string[] X509SubjectName {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509Certificate", DataType="base64Binary")]
public byte[][] X509Certificate {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("X509CRL", DataType="base64Binary")]
public byte[][] X509CRL {
get {
return this.x509CRLField;
}
set {
this.x509CRLField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class <API key> {
private string x509IssuerNameField;
private string <API key>;
<remarks/>
public string X509IssuerName {
get {
return this.x509IssuerNameField;
}
set {
this.x509IssuerNameField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="integer")]
public string X509SerialNumber {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class PGPDataType {
private byte[] pGPKeyIDField;
private byte[] pGPKeyPacketField;
private System.Xml.XmlElement[] anyField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] PGPKeyID {
get {
return this.pGPKeyIDField;
}
set {
this.pGPKeyIDField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="base64Binary")]
public byte[] PGPKeyPacket {
get {
return this.pGPKeyPacketField;
}
set {
this.pGPKeyPacketField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public partial class SPKIDataType {
private byte[][] sPKISexpField;
private System.Xml.XmlElement anyField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("SPKISexp", DataType="base64Binary")]
public byte[][] SPKISexp {
get {
return this.sPKISexpField;
}
set {
this.sPKISexpField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(AttributeType))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> {
private string attributeNameField;
private string <API key>;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string AttributeName {
get {
return this.attributeNameField;
}
set {
this.attributeNameField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string AttributeNamespace {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class AttributeType : <API key> {
private object[] attributeValueField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("AttributeValue")]
public object[] AttributeValue {
get {
return this.attributeValueField;
}
set {
this.attributeValueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class EvidenceType {
private string[] <API key>;
private AssertionType[] assertionField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>", DataType="NCName")]
public string[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Assertion")]
public AssertionType[] Assertion {
get {
return this.assertionField;
}
set {
this.assertionField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class AssertionType {
private ConditionsType conditionsField;
private AdviceType adviceField;
private <API key>[] statementField;
private <API key>[] <API key>;
private <API key>[] <API key>;
private <API key>[] <API key>;
private <API key>[] <API key>;
private SignatureType signatureField;
private string majorVersionField;
private string minorVersionField;
private string assertionIDField;
private string issuerField;
private System.DateTime issueInstantField;
<remarks/>
public ConditionsType Conditions {
get {
return this.conditionsField;
}
set {
this.conditionsField = value;
}
}
<remarks/>
public AdviceType Advice {
get {
return this.adviceField;
}
set {
this.adviceField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Statement")]
public <API key>[] Statement {
get {
return this.statementField;
}
set {
this.statementField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("SubjectStatement")]
public <API key>[] SubjectStatement {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>)]
public <API key>[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>)]
public <API key>[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("AttributeStatement")]
public <API key>[] AttributeStatement {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public SignatureType Signature {
get {
return this.signatureField;
}
set {
this.signatureField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="integer")]
public string MajorVersion {
get {
return this.majorVersionField;
}
set {
this.majorVersionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="integer")]
public string MinorVersion {
get {
return this.minorVersionField;
}
set {
this.minorVersionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string AssertionID {
get {
return this.assertionIDField;
}
set {
this.assertionIDField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Issuer {
get {
return this.issuerField;
}
set {
this.issuerField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.DateTime IssueInstant {
get {
return this.issueInstantField;
}
set {
this.issueInstantField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class ConditionsType {
private <API key>[] <API key>;
private <API key>[] <API key>;
private <API key>[] conditionField;
private System.DateTime notBeforeField;
private bool <API key>;
private System.DateTime notOnOrAfterField;
private bool <API key>;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>")]
public <API key>[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("DoNotCacheCondition")]
public <API key>[] DoNotCacheCondition {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Condition")]
public <API key>[] Condition {
get {
return this.conditionField;
}
set {
this.conditionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.DateTime NotBefore {
get {
return this.notBeforeField;
}
set {
this.notBeforeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool NotBeforeSpecified {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.DateTime NotOnOrAfter {
get {
return this.notOnOrAfterField;
}
set {
this.notOnOrAfterField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> : <API key> {
private string[] audienceField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Audience", DataType="anyURI")]
public string[] Audience {
get {
return this.audienceField;
}
set {
this.audienceField = value;
}
}
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public abstract partial class <API key> {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> : <API key> {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class AdviceType {
private string[] <API key>;
private AssertionType[] assertionField;
private System.Xml.XmlElement anyField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>", DataType="NCName")]
public string[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Assertion")]
public AssertionType[] Assertion {
get {
return this.assertionField;
}
set {
this.assertionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public abstract partial class <API key> {
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public abstract partial class <API key> : <API key> {
private SubjectType subjectField;
<remarks/>
public SubjectType Subject {
get {
return this.subjectField;
}
set {
this.subjectField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class SubjectType {
private NameIdentifierType nameIdentifierField;
private <API key> <API key>;
<remarks/>
public NameIdentifierType NameIdentifier {
get {
return this.nameIdentifierField;
}
set {
this.nameIdentifierField = value;
}
}
<remarks/>
public <API key> SubjectConfirmation {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class NameIdentifierType {
private string nameQualifierField;
private string formatField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string NameQualifier {
get {
return this.nameQualifierField;
}
set {
this.nameQualifierField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Format {
get {
return this.formatField;
}
set {
this.formatField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> {
private string[] <API key>;
private object <API key>;
private KeyInfoType keyInfoField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("ConfirmationMethod", DataType="anyURI")]
public string[] ConfirmationMethod {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public object <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public KeyInfoType KeyInfo {
get {
return this.keyInfoField;
}
set {
this.keyInfoField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> : <API key> {
private AttributeType[] attributeField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Attribute")]
public AttributeType[] Attribute {
get {
return this.attributeField;
}
set {
this.attributeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> : <API key> {
private ActionType[] actionField;
private EvidenceType evidenceField;
private string resourceField;
private DecisionType decisionField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("Action")]
public ActionType[] Action {
get {
return this.actionField;
}
set {
this.actionField = value;
}
}
<remarks/>
public EvidenceType Evidence {
get {
return this.evidenceField;
}
set {
this.evidenceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Resource {
get {
return this.resourceField;
}
set {
this.resourceField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public DecisionType Decision {
get {
return this.decisionField;
}
set {
this.decisionField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public enum DecisionType {
<remarks/>
Permit,
<remarks/>
Deny,
<remarks/>
Indeterminate,
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> : <API key> {
private SubjectLocalityType <API key>;
private <API key>[] <API key>;
private string <API key>;
private System.DateTime <API key>;
<remarks/>
public SubjectLocalityType SubjectLocality {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("AuthorityBinding")]
public <API key>[] AuthorityBinding {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.DateTime <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class SubjectLocalityType {
private string iPAddressField;
private string dNSAddressField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string IPAddress {
get {
return this.iPAddressField;
}
set {
this.iPAddressField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string DNSAddress {
get {
return this.dNSAddressField;
}
set {
this.dNSAddressField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public partial class <API key> {
private System.Xml.XmlQualifiedName authorityKindField;
private string locationField;
private string bindingField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlQualifiedName AuthorityKind {
get {
return this.authorityKindField;
}
set {
this.authorityKindField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Location {
get {
return this.locationField;
}
set {
this.locationField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string Binding {
get {
return this.bindingField;
}
set {
this.bindingField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
public partial class ServiceNameType {
private string portNameField;
private System.Xml.XmlAttribute[] anyAttrField;
private System.Xml.XmlQualifiedName valueField;
<remarks/>
[System.Xml.Serialization.<API key>(DataType="NCName")]
public string PortName {
get {
return this.portNameField;
}
set {
this.portNameField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public System.Xml.XmlQualifiedName Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
public partial class AttributedQName {
private System.Xml.XmlAttribute[] anyAttrField;
private System.Xml.XmlQualifiedName valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public System.Xml.XmlQualifiedName Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(TypeName="<API key>", Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
public partial class <API key> {
private System.Xml.XmlElement[] anyField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
public partial class <API key> {
private System.Xml.XmlElement[] anyField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(TypeName="<API key>", Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
public partial class <API key> {
private AttributedURI addressField;
private <API key> <API key>;
private <API key> <API key>;
private AttributedQName portTypeField;
private ServiceNameType serviceNameField;
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
public AttributedURI Address {
get {
return this.addressField;
}
set {
this.addressField = value;
}
}
<remarks/>
public <API key> ReferenceProperties {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public <API key> ReferenceParameters {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public AttributedQName PortType {
get {
return this.portTypeField;
}
set {
this.portTypeField = value;
}
}
<remarks/>
public ServiceNameType ServiceName {
get {
return this.serviceNameField;
}
set {
this.serviceNameField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
[System.Xml.Serialization.XmlRootAttribute("Action", Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing", IsNullable=false)]
public partial class AttributedURI : System.Web.Services.Protocols.SoapHeader {
private System.Xml.XmlAttribute[] anyAttrField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute(DataType="anyURI")]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class ProblemActionType {
private Action actionField;
private string soapActionField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
public Action Action {
get {
return this.actionField;
}
set {
this.actionField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="anyURI")]
public string SoapAction {
get {
return this.soapActionField;
}
set {
this.soapActionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http:
[System.Xml.Serialization.XmlRootAttribute(Namespace="http:
public partial class Action : AttributedURIType {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
[System.Xml.Serialization.XmlRootAttribute("MessageID", Namespace="http:
public partial class AttributedURIType : System.Web.Services.Protocols.SoapHeader {
private System.Xml.XmlAttribute[] anyAttrField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute(DataType="anyURI")]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class errorType {
private uint valueField;
private internalerrorType internalerrorField;
<remarks/>
public uint value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
<remarks/>
public internalerrorType internalerror {
get {
return this.internalerrorField;
}
set {
this.internalerrorField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class internalerrorType {
private uint codeField;
private bool codeFieldSpecified;
private string textField;
<remarks/>
public uint code {
get {
return this.codeField;
}
set {
this.codeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool codeSpecified {
get {
return this.codeFieldSpecified;
}
set {
this.codeFieldSpecified = value;
}
}
<remarks/>
public string text {
get {
return this.textField;
}
set {
this.textField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class extPropertyType {
private bool <API key>;
private bool <API key>;
private string domainsField;
private string expiryField;
private string nameField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public bool IgnoreRememberMe {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Domains {
get {
return this.domainsField;
}
set {
this.domainsField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Expiry {
get {
return this.expiryField;
}
set {
this.expiryField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Name {
get {
return this.nameField;
}
set {
this.nameField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class credPropertyType {
private string nameField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Name {
get {
return this.nameField;
}
set {
this.nameField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class browserCookieType {
private string nameField;
private string uRLField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Name {
get {
return this.nameField;
}
set {
this.nameField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="anyURI")]
public string URL {
get {
return this.uRLField;
}
set {
this.uRLField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
public partial class serverInfoType {
private System.DateTime serverTimeField;
private bool <API key>;
private string locVersionField;
private string <API key>;
private string pathField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.DateTime ServerTime {
get {
return this.serverTimeField;
}
set {
this.serverTimeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool ServerTimeSpecified {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="integer")]
public string LocVersion {
get {
return this.locVersionField;
}
set {
this.locVersionField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string RollingUpgradeState {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Path {
get {
return this.pathField;
}
set {
this.pathField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class BinarySecretType {
private string valueField;
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private BinarySecretType binarySecretField;
<remarks/>
public BinarySecretType BinarySecret {
get {
return this.binarySecretField;
}
set {
this.binarySecretField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private KeyIdentifierType keyIdentifierField;
private ReferenceType referenceField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public KeyIdentifierType KeyIdentifier {
get {
return this.keyIdentifierField;
}
set {
this.keyIdentifierField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public ReferenceType Reference {
get {
return this.referenceField;
}
set {
this.referenceField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class KeyIdentifierType : EncodedString {
}
<remarks/>
[System.Xml.Serialization.XmlIncludeAttribute(typeof(<API key>))]
[System.Xml.Serialization.XmlIncludeAttribute(typeof(KeyIdentifierType))]
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class EncodedString : AttributedString {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class <API key> : EncodedString {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class CipherDataType {
private string cipherValueField;
<remarks/>
public string CipherValue {
get {
return this.cipherValueField;
}
set {
this.cipherValueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private string algorithmField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Algorithm {
get {
return this.algorithmField;
}
set {
this.algorithmField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class EncryptedDataType {
private <API key> <API key>;
private KeyInfoType keyInfoField;
private CipherDataType cipherDataField;
private string idField;
private string typeField;
<remarks/>
public <API key> EncryptionMethod {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://www.w3.org/2000/09/xmldsig
public KeyInfoType KeyInfo {
get {
return this.keyInfoField;
}
set {
this.keyInfoField = value;
}
}
<remarks/>
public CipherDataType CipherData {
get {
return this.cipherDataField;
}
set {
this.cipherDataField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Type {
get {
return this.typeField;
}
set {
this.typeField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private System.Xml.XmlElement anyField;
private EncryptedDataType encryptedDataField;
private <API key> <API key>;
private AssertionType assertionField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
public EncryptedDataType EncryptedData {
get {
return this.encryptedDataField;
}
set {
this.encryptedDataField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public <API key> BinarySecurityToken {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="urn:oasis:names:tc:SAML:1.0:assertion")]
public AssertionType Assertion {
get {
return this.assertionField;
}
set {
this.assertionField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class LifetimeType {
private AttributedDateTime createdField;
private AttributedDateTime expiresField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d")]
public AttributedDateTime Created {
get {
return this.createdField;
}
set {
this.createdField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d")]
public AttributedDateTime Expires {
get {
return this.expiresField;
}
set {
this.expiresField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d")]
public partial class AttributedDateTime {
private string idField;
private System.Xml.XmlAttribute[] anyAttrField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute()]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private string tokenTypeField;
private AppliesTo appliesToField;
private LifetimeType lifetimeField;
private <API key> <API key>;
private <API key> <API key>;
private <API key> <API key>;
private <API key> <API key>;
private <API key> <API key>;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="anyURI")]
public string TokenType {
get {
return this.tokenTypeField;
}
set {
this.tokenTypeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/09/policy")]
public AppliesTo AppliesTo {
get {
return this.appliesToField;
}
set {
this.appliesToField = value;
}
}
<remarks/>
public LifetimeType Lifetime {
get {
return this.lifetimeField;
}
set {
this.lifetimeField = value;
}
}
<remarks/>
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public <API key> RequestedProofToken {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://schemas.xmlsoap.org/ws/2004/09/policy")]
public partial class AppliesTo {
private <API key> <API key>;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http:
public <API key> EndpointReference {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class <API key> {
private AttributedURIType addressField;
private <API key> <API key>;
private MetadataType metadataField;
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
public AttributedURIType Address {
get {
return this.addressField;
}
set {
this.addressField = value;
}
}
<remarks/>
public <API key> ReferenceParameters {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
public MetadataType Metadata {
get {
return this.metadataField;
}
set {
this.metadataField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class <API key> {
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
public partial class MetadataType {
private System.Xml.XmlElement[] anyField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private <API key> <API key>;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private <API key> <API key>;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public <API key> <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public partial class <API key> {
private string tokenTypeField;
private RequestTypeOpenEnum requestTypeField;
private AppliesTo appliesToField;
private PolicyReference <API key>;
private System.Xml.XmlElement[] anyField;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="anyURI")]
public string TokenType {
get {
return this.tokenTypeField;
}
set {
this.tokenTypeField = value;
}
}
<remarks/>
public RequestTypeOpenEnum RequestType {
get {
return this.requestTypeField;
}
set {
this.requestTypeField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/09/policy")]
public AppliesTo AppliesTo {
get {
return this.appliesToField;
}
set {
this.appliesToField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/09/policy")]
public PolicyReference PolicyReference {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement[] Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public enum RequestTypeOpenEnum {
<remarks/>
[System.Xml.Serialization.XmlEnumAttribute("http://schemas.xmlsoap.org/ws/2005/02/trust/Issue")]
<API key>,
<remarks/>
[System.Xml.Serialization.XmlEnumAttribute("http://schemas.xmlsoap.org/ws/2005/02/trust/Renew")]
<API key>,
<remarks/>
[System.Xml.Serialization.XmlEnumAttribute("http://schemas.xmlsoap.org/ws/2005/02/trust/Cancel")]
<API key>,
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://schemas.xmlsoap.org/ws/2004/09/policy")]
public partial class PolicyReference {
private string uRIField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public string URI {
get {
return this.uRIField;
}
set {
this.uRIField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/PPCRL")]
public partial class <API key> {
private <API key>[] <API key>;
private string idField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute("<API key>", Namespace="http://schemas.xmlsoap.org/ws/2005/02/trust")]
public <API key>[] <API key> {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xs" +
"d")]
public partial class TimestampType {
private AttributedDateTime createdField;
private AttributedDateTime expiresField;
private System.Xml.XmlElement anyField;
private string idField;
private System.Xml.XmlAttribute[] anyAttrField;
<remarks/>
public AttributedDateTime Created {
get {
return this.createdField;
}
set {
this.createdField = value;
}
}
<remarks/>
public AttributedDateTime Expires {
get {
return this.expiresField;
}
set {
this.expiresField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlElement Any {
get {
return this.anyField;
}
set {
this.anyField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>(DataType="ID")]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://docs.oasis-open.org/wss/2004/01/<API key>.0.xsd" +
"")]
public partial class PasswordString : AttributedString {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing")]
[System.Xml.Serialization.XmlRootAttribute("RelatesTo", Namespace="http://schemas.xmlsoap.org/ws/2004/08/addressing", IsNullable=false)]
public partial class Relationship : System.Web.Services.Protocols.SoapHeader {
private System.Xml.XmlQualifiedName <API key>;
private System.Xml.XmlAttribute[] anyAttrField;
private string valueField;
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlQualifiedName RelationshipType {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute(DataType="anyURI")]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http:
[System.Xml.Serialization.XmlRootAttribute(Namespace="http:
public partial class To : AttributedURIType {
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault")]
[System.Xml.Serialization.XmlRootAttribute("pp", Namespace="http://schemas.microsoft.com/Passport/SoapServices/SOAPFault", IsNullable=false)]
public partial class ppHeaderType : System.Web.Services.Protocols.SoapHeader {
private string serverVersionField;
private string pUIDField;
private string configVersionField;
private string uiVersionField;
private string authstateField;
private string reqstatusField;
private serverInfoType serverInfoField;
private object cookiesField;
private browserCookieType[] browserCookiesField;
private credPropertyType[] credPropertiesField;
private extPropertyType[] extPropertiesField;
private object responseField;
<remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="integer")]
public string serverVersion {
get {
return this.serverVersionField;
}
set {
this.serverVersionField = value;
}
}
<remarks/>
public string PUID {
get {
return this.pUIDField;
}
set {
this.pUIDField = value;
}
}
<remarks/>
public string configVersion {
get {
return this.configVersionField;
}
set {
this.configVersionField = value;
}
}
<remarks/>
public string uiVersion {
get {
return this.uiVersionField;
}
set {
this.uiVersionField = value;
}
}
<remarks/>
public string authstate {
get {
return this.authstateField;
}
set {
this.authstateField = value;
}
}
<remarks/>
public string reqstatus {
get {
return this.reqstatusField;
}
set {
this.reqstatusField = value;
}
}
<remarks/>
public serverInfoType serverInfo {
get {
return this.serverInfoField;
}
set {
this.serverInfoField = value;
}
}
<remarks/>
public object cookies {
get {
return this.cookiesField;
}
set {
this.cookiesField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>("browserCookie", IsNullable=false)]
public browserCookieType[] browserCookies {
get {
return this.browserCookiesField;
}
set {
this.browserCookiesField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>("credProperty", IsNullable=false)]
public credPropertyType[] credProperties {
get {
return this.credPropertiesField;
}
set {
this.credPropertiesField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>("extProperty", IsNullable=false)]
public extPropertyType[] extProperties {
get {
return this.extPropertiesField;
}
set {
this.extPropertiesField = value;
}
}
<remarks/>
public object response {
get {
return this.responseField;
}
set {
this.responseField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http:
[System.Xml.Serialization.XmlRootAttribute("RelatesTo", Namespace="http:
public partial class RelatesToType : System.Web.Services.Protocols.SoapHeader {
private string <API key>;
private System.Xml.XmlAttribute[] anyAttrField;
private string valueField;
public RelatesToType() {
this.<API key> = "http:
}
<remarks/>
[System.Xml.Serialization.<API key>()]
[System.ComponentModel.<API key>("http:
public string RelationshipType {
get {
return this.<API key>;
}
set {
this.<API key> = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public System.Xml.XmlAttribute[] AnyAttr {
get {
return this.anyAttrField;
}
set {
this.anyAttrField = value;
}
}
<remarks/>
[System.Xml.Serialization.XmlTextAttribute(DataType="anyURI")]
public string Value {
get {
return this.valueField;
}
set {
this.valueField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Xml", "4.0.30319.233")]
[System.<API key>()]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://schemas.microsoft.com/Passport/SoapServices/PPCRL")]
[System.Xml.Serialization.XmlRootAttribute("AuthInfo", Namespace="http://schemas.microsoft.com/Passport/SoapServices/PPCRL", IsNullable=false)]
public partial class AuthInfoType : System.Web.Services.Protocols.SoapHeader {
private string hostingAppField;
private string binaryVersionField;
private string uIVersionField;
private string cookiesField;
private string requestParamsField;
private string idField;
public AuthInfoType() {
this.hostingAppField = "{<API key>}";
this.binaryVersionField = "5";
this.uIVersionField = "1";
this.requestParamsField = "<API key>";
}
<remarks/>
public string HostingApp {
get {
return this.hostingAppField;
}
set {
this.hostingAppField = value;
}
}
<remarks/>
public string BinaryVersion {
get {
return this.binaryVersionField;
}
set {
this.binaryVersionField = value;
}
}
<remarks/>
public string UIVersion {
get {
return this.uIVersionField;
}
set {
this.uIVersionField = value;
}
}
<remarks/>
public string Cookies {
get {
return this.cookiesField;
}
set {
this.cookiesField = value;
}
}
<remarks/>
public string RequestParams {
get {
return this.requestParamsField;
}
set {
this.requestParamsField = value;
}
}
<remarks/>
[System.Xml.Serialization.<API key>()]
public string Id {
get {
return this.idField;
}
set {
this.idField = value;
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Web.Services", "4.0.30319.1")]
public delegate void <API key><API key>(object sender, <API key><API key> e);
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Web.Services", "4.0.30319.1")]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
public partial class <API key><API key> : System.ComponentModel.<API key> {
private object[] results;
internal <API key><API key>(object[] results, System.Exception exception, bool cancelled, object userState) :
base(exception, cancelled, userState) {
this.results = results;
}
<remarks/>
public <API key>[] Result {
get {
this.<API key>();
return ((<API key>[])(this.results[0]));
}
}
}
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Web.Services", "4.0.30319.1")]
public delegate void RequestSecurity<API key>(object sender, RequestSecurity<API key> e);
<remarks/>
[System.CodeDom.Compiler.<API key>("System.Web.Services", "4.0.30319.1")]
[System.Diagnostics.<API key>()]
[System.ComponentModel.<API key>("code")]
public partial class RequestSecurity<API key> : System.ComponentModel.<API key> {
private object[] results;
internal RequestSecurity<API key>(object[] results, System.Exception exception, bool cancelled, object userState) :
base(exception, cancelled, userState) {
this.results = results;
}
<remarks/>
public <API key> Result {
get {
this.<API key>();
return ((<API key>)(this.results[0]));
}
}
}
}
#pragma warning restore 1591 |
#import "Classes/Classes.h" |
body {
padding: 10px 20px;
font-size: 11pt;
font-family: "Century Gothic", arial;
color: #777;
font-weight: 300;
}
a {
color: #39C;
font-weight: 400;
}
a:hover {
color: #FF9900;
}
a.sel {
color: #000;
text-decoration: none;
}
#github {
position: absolute;
right: 30px;
top: 7px;
}
@media only screen and (max-width: 465px) {
#github {
display: none;
}
}
.demoPanel {
float: left;
border: 2px solid #A7C8E2;
margin: 4px 3px;
padding: 10px;
width: 212px;
border-radius: 10px;
-moz-border-radius: 10px;
-<API key>: 10px;
}
.demoPanel input {
width: 100px;
}
.footer {
text-align: center;
font-size: smaller;
color: Gray;
} |
package main
import (
"fmt"
"net/http"
"os"
"github.com/paddycarey/gack"
)
// EchoHandler is the simplest possible implementation of the gack.Handler
// interface, it unconditionally echoes any commands a user types directly back
// at them.
type EchoHandler struct{}
// CanHandle in this case always returns true. This causes this handler to
// unconditionally respond to any command that it is passed.
func (h *EchoHandler) CanHandle(sc *gack.SlashCommand) bool {
return true
}
// Handle concatenates the command and text fields from the incoming
// SlashCommand to reform the text as the user originally typed it within
// Slack.
func (h *EchoHandler) Handle(sc *gack.SlashCommand) (string, error) {
return fmt.Sprintf("%s %s", sc.Command, sc.Text), nil
}
func main() {
mux := http.NewServeMux()
srv := gack.NewServer(
[]string{os.Getenv("SLACK_API_TOKEN")},
[]gack.Handler{&EchoHandler{}},
)
mux.Handle("/", srv)
http.ListenAndServe(":3000", mux)
} |
// Ecma International makes this code available under the terms and conditions set
var obj = {};
Object.defineProperty(obj, "foo", {
value: 1001,
writable: true,
enumerable: true,
configurable: true
});
Object.defineProperty(obj, "foo", {
enumerable: false,
configurable: true
});
verifyEqualTo(obj, "foo", 1001);
verifyWritable(obj, "foo");
verifyNotEnumerable(obj, "foo");
verifyConfigurable(obj, "foo"); |
import Icon from '../components/Icon.vue'
Icon.register({"medkit":{"width":1792,"height":1792,"paths":[{"d":"M1280 <API key> 0-23 9t-9 23v224h-224q-14 0-23 9t-9 23v192q0 14 9 23t23 9h224v224q0 14 9 23t23 9h192q14 0 <API key> 0 23-9t9-23zM640 <API key> 384v1280h-32q-92 <API key> <API key> <API key> 28-68t68-28h576q40 0 68 28t28 68v160h160zM1792 608v832q0 92-66 158t-158 66h-32v-1280h32q92 0 158 66t66 158z"}]}}) |
package softuni;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.<API key>;
@<API key>
public class <API key> {
public static void main(String[] args) {
SpringApplication.run(<API key>.class, args);
}
} |
#
# ifndef <API key>
# define <API key>
# include <lslboost/preprocessor/repetition/repeat.hpp>
# endif |
module.exports = {
"extends": "google",
"rules": {
"max-len": ["error", {
"ignoreStrings": true
}],
"eol-last": ["off"],
"require-jsdoc": ["error", {
"require": {
"FunctionDeclaration": false,
"MethodDefinition": false,
"ClassDeclaration": true,
"<API key>": false
}
}]
},
}; |
{% extends "base.html" %}
{% block content %}
<div class="panel panel-default">
<div class="panel-heading">
<h3 class="panel-title">Random User Data</h3>
</div>
<div class="panel-body">
{% for user in user_data %}
<div class="well well-sm">
<img class = "user-photo" src="{{ user.picture.large}}">
<h3 class="text-capitalize">{{ user.name.first }} {{ user.name.last }}</h3>
<ul class="user-list">
<li>Email: {{ user.email }}</li>
<li>Phone: {{ user.phone }}</li>
</ul>
<hr>
</div>
{% endfor %}
</div> <!-- end panel body -->
</div> <!-- end panel -->
{% endblock %} |
# drComRead.Documentation
Documentation and localization for drComRead and for http://drcomread.com/. |
require "rack/test"
require "minitest/autorun"
this_dir = File.join(File.dirname(__FILE__), "..")
$LOAD_PATH.unshift File.expand_path(this_dir)
require "rulers" |
/**
* @Scrollbar.js
* @author xunxuzhang
* @version
* Created: 15-07-15
*/
LBF.define('qidian.comp.Scrollbar', function (require, exports, module) {
var $ = require('lib.jQuery');
require('{theme}/comp/Scrollbar.css');
/**
* scroll
*
* UIiOS
* scrollscroll
* jQuerynew
* eg.
* $().scroll(options);
* or
* new scroll($(), options);
*/
var CL = 'ui_scroll', prefixScroll = CL + '_';
var timer;
$.fn.scrollbar = function (options) {
return $(this).each(function () {
$(this).data('scrollbar', new Scrollbar($(this), options));
});
};
var Scrollbar = module.exports = exports = function (el, options) {
var defaults = {
damping: 15,
autoRefresh: true
};
var params = $.extend({}, defaults, options || {});
// box
var box = $('<div></div>').addClass(prefixScroll + 'x');
// track
var track = $('<div></div>').addClass(prefixScroll + 'track').hide();
// thumb
var thumb = $('<a></a>').addClass(prefixScroll + 'thumb');
box.append(track.append(thumb));
el.after(box);
var self = this, element = el.get(0);
var _scroll = function (event) {
event = event || window.event;
var top = element.scrollTop;
var delta = (event.wheelDelta) ? event.wheelDelta / 120 : -(event.detail || 0) / 3;
if (delta > 0) {
// scroll up
element.scrollTop -= params.damping;
} else {
element.scrollTop += params.damping;
}
self.position().show();
if (element.scrollTop != top) {
if (event.preventDefault) event.preventDefault();
event.returnValue = false;
}
el.trigger('scroll');
};
var eventType = typeof document.mozHidden == "undefined" ? "mousewheel" : "DOMMouseScroll";
if (window.addEventListener) {
el.get(0).addEventListener(eventType, _scroll);
track.get(0).addEventListener(eventType, _scroll);
} else {
el.get(0).attachEvent("on" + eventType, _scroll);
}
// 2. hover
track.hover(function () {
self.show();
clearTimeout(timer);
}, function () {
if (typeof dataThumb.scrollTop != "number") {
self.show();
}
}).click(function (event) {
if (event.target && /track/.test(event.target.className)) {
if (event.clientY > thumb.offset().top - $(window).scrollTop()) {
// move down
element.scrollTop += params.damping * 2;
} else {
element.scrollTop -= params.damping * 2;
}
self.position().show();
el.trigger('scroll');
}
});
var dataThumb = {};
thumb.mousedown(function (event) {
dataThumb.scrollTop = element.scrollTop;
dataThumb.y = event.clientY;
track.addClass("active");
event.preventDefault();
});
$(document).mousemove(function (event) {
var y = event.clientY;
if (typeof dataThumb.scrollTop == "number") {
var move = y - dataThumb.y;
element.scrollTop = dataThumb.scrollTop + element.scrollHeight * move / element.clientHeight;
self.position();
el.trigger('scroll');
event.preventDefault();
}
});
$(document).mouseup(function () {
if (typeof dataThumb.scrollTop == "number") {
self.show();
}
dataThumb.scrollTop = null;
track.removeClass("active");
});
this.el = {
container: el,
box: box,
track: track,
thumb: thumb
};
this.refresh().show();
if (params.autoRefresh) {
setInterval(function () {
self.refresh();
}, 17);
}
return this;
};
Scrollbar.prototype.size = function () {
//if (this.display == false) return this;
var container = this.el.container,
box = this.el.box,
track = this.el.track,
thumb = this.el.thumb;
var element = container.get(0);
var clientHeight = element.clientHeight, scrollHeight = element.scrollHeight;
if (clientHeight < scrollHeight) {
element.setAttribute("scrollable", "");
} else {
this.hide();
element.removeAttribute("scrollable");
}
// height/position of track
track.css({
right: container.innerWidth() * -1 + parseInt(container.css('borderLeftWidth')) * -1,
bottom: parseInt(container.css('marginBottom')) + parseInt(container.css('borderBottomWidth')),
height: container.innerHeight() - (track.outerHeight() - track.height())
});
// height of thumb
thumb.height(Math.min(clientHeight / scrollHeight, 1) * 100 + "%");
return this;
};
Scrollbar.prototype.position = function () {
var container = this.el.container,
thumb = this.el.thumb;
var element = container.get(0);
// top value according to scrollTop
var scrollTop = element.scrollTop, scrollHeight = element.scrollHeight;
thumb.css('top', 100 * (scrollTop / scrollHeight) + "%");
return this;
};
Scrollbar.prototype.refresh = function () {
this.size().position();
return this;
};
Scrollbar.prototype.show = function () {
var self = this;
clearTimeout(timer);
if (typeof this.el.container.attr('scrollable') == 'string') {
this.el.track.show();
this.display = true;
timer = setTimeout(function () {
self.hide();
}, 2000);
}
return this;
};
Scrollbar.prototype.hide = function () {
var self = this;
this.el.track.fadeOut('fast', function () {
self.display = false;
});
};
}); |
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
// copies or substantial portions of the Software.
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
#ifndef CPPFUL_ANY
#define CPPFUL_ANY
#include <memory>
#include <typeinfo>
#include <iostream>
#include <memory>
namespace cf {
struct any {
private:
struct base_any {
virtual const std::type_info& type() const = 0;
virtual base_any* copy() const = 0;
virtual ~base_any() {}
};
template<typename T>
struct any_impl: base_any {
T value;
const std::type_info& ty;
any_impl() = delete;
any_impl(const T& value)
: value(value)
, ty(typeid(T)) {}
any_impl(T&& value)
: value(std::move(value))
, ty(typeid(T)) {}
~any_impl() = default;
base_any* copy() const
{ return new any_impl<T>(value); }
const std::type_info& type() const
{ return this->ty; }
T& get_ref()
{ return this->value; }
T get_copy()
{ return this->value; }
};
base_any* value = nullptr;
public:
any() = delete;
any(any&& oth);
any(const any& oth);
template<typename T>
explicit any(T& value)
: value(new any_impl<T>(value)) {}
template<typename T>
explicit any(T&& value)
: value(new any_impl<T>(std::move(value))) {}
~any();
any& operator=(const any& oth);
any& operator=(any&& oth);
template<typename T>
bool is() const
{ return this->value->type() == typeid(T); }
const std::type_info& type() const;
void clear();
template<typename T>
T& unwrap_ref() {
if (not this->value or not this->is<T>()) { throw std::bad_cast{}; }
auto ptr = reinterpret_cast<any_impl<T>*>(this->value);
if (not ptr) { throw std::bad_cast(); }
return ptr->get_ref();
}
template<typename T>
T unwrap_copy() {
if (not this->value or not this->is<T>()) { throw std::bad_cast{}; }
auto ptr = reinterpret_cast<any_impl<T>*>(this->value);
if (not ptr) { throw std::bad_cast(); }
return ptr->get_copy();
}
friend bool operator==(const any& a, std::nullptr_t nullp);
friend bool operator==(std::nullptr_t nullp, const any& a);
friend bool operator!=(const any& a, std::nullptr_t nullp);
friend bool operator!=(std::nullptr_t nullp, const any& a);
};
bool operator==(const any& a, std::nullptr_t nullp);
bool operator==(std::nullptr_t nullp, const any& a);
bool operator!=(const any& a, std::nullptr_t nullp);
bool operator!=(std::nullptr_t nullp, const any& a);
}
#endif |
.clearfix {
*zoom: 1;
}
.clearfix:before,
.clearfix:after {
display: table;
content: "";
line-height: 0;
}
.clearfix:after {
clear: both;
}
.hide-text {
font: 0/0 a;
color: transparent;
text-shadow: none;
background-color: transparent;
border: 0;
}
.input-block-level {
display: block;
width: 100%;
min-height: 30px;
-webkit-box-sizing: border-box;
-moz-box-sizing: border-box;
box-sizing: border-box;
}
form {
margin: 0 0 20px;
}
fieldset {
padding: 0;
margin: 0;
border: 0;
}
legend {
display: block;
width: 100%;
padding: 0;
margin-bottom: 20px;
font-size: 21px;
line-height: 40px;
color: #333333;
border: 0;
border-bottom: 1px solid #e5e5e5;
}
legend small {
font-size: 15px;
color: #999999;
}
label,
input,
button,
select,
textarea {
font-size: 14px;
font-weight: normal;
line-height: 20px;
}
input,
button,
select,
textarea {
font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;
}
label {
display: block;
margin-bottom: 5px;
}
select,
textarea,
input[type="text"],
input[type="password"],
input[type="datetime"],
input[type="datetime-local"],
input[type="date"],
input[type="month"],
input[type="time"],
input[type="week"],
input[type="number"],
input[type="email"],
input[type="url"],
input[type="search"],
input[type="tel"],
input[type="color"],
.uneditable-input {
display: inline-block;
height: 20px;
padding: 4px 6px;
margin-bottom: 10px;
font-size: 14px;
line-height: 20px;
color: #555555;
-<API key>: 4px;
-moz-border-radius: 4px;
border-radius: 4px;
vertical-align: middle;
}
input,
textarea,
.uneditable-input {
width: 206px;
}
textarea {
height: auto;
}
textarea,
input[type="text"],
input[type="password"],
input[type="datetime"],
input[type="datetime-local"],
input[type="date"],
input[type="month"],
input[type="time"],
input[type="week"],
input[type="number"],
input[type="email"],
input[type="url"],
input[type="search"],
input[type="tel"],
input[type="color"],
.uneditable-input {
background-color: #ffffff;
border: 1px solid #cccccc;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-webkit-transition: border linear .2s, box-shadow linear .2s;
-moz-transition: border linear .2s, box-shadow linear .2s;
-o-transition: border linear .2s, box-shadow linear .2s;
transition: border linear .2s, box-shadow linear .2s;
}
textarea:focus,
input[type="text"]:focus,
input[type="password"]:focus,
input[type="datetime"]:focus,
input[type="datetime-local"]:focus,
input[type="date"]:focus,
input[type="month"]:focus,
input[type="time"]:focus,
input[type="week"]:focus,
input[type="number"]:focus,
input[type="email"]:focus,
input[type="url"]:focus,
input[type="search"]:focus,
input[type="tel"]:focus,
input[type="color"]:focus,
.uneditable-input:focus {
border-color: rgba(82, 168, 236, 0.8);
outline: 0;
outline: thin dotted \9;
/* IE6-9 */
-webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6);
-moz-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6);
box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(82,168,236,.6);
}
input[type="radio"],
input[type="checkbox"] {
margin: 4px 0 0;
*margin-top: 0;
/* IE7 */
margin-top: 1px \9;
/* IE8-9 */
line-height: normal;
}
input[type="file"],
input[type="image"],
input[type="submit"],
input[type="reset"],
input[type="button"],
input[type="radio"],
input[type="checkbox"] {
width: auto;
}
select,
input[type="file"] {
height: 30px;
/* In IE7, the height of the select element cannot be changed by height, only font-size */
*margin-top: 4px;
/* For IE7, add top margin to align select with labels */
line-height: 30px;
}
select {
width: 220px;
border: 1px solid #cccccc;
background-color: #ffffff;
}
select[multiple],
select[size] {
height: auto;
}
select:focus,
input[type="file"]:focus,
input[type="radio"]:focus,
input[type="checkbox"]:focus {
outline: thin dotted #333;
outline: 5px auto -<API key>;
outline-offset: -2px;
}
.uneditable-input,
.uneditable-textarea {
color: #999999;
background-color: #fcfcfc;
border-color: #cccccc;
-webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025);
-moz-box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025);
box-shadow: inset 0 1px 2px rgba(0, 0, 0, 0.025);
cursor: not-allowed;
}
.uneditable-input {
overflow: hidden;
white-space: nowrap;
}
.uneditable-textarea {
width: auto;
height: auto;
}
input:-moz-placeholder,
textarea:-moz-placeholder {
color: #999999;
}
input:-<API key>,
textarea:-<API key> {
color: #999999;
}
input::-<API key>,
textarea::-<API key> {
color: #999999;
}
.radio,
.checkbox {
min-height: 20px;
padding-left: 20px;
}
.radio input[type="radio"],
.checkbox input[type="checkbox"] {
float: left;
margin-left: -20px;
}
.controls > .radio:first-child,
.controls > .checkbox:first-child {
padding-top: 5px;
}
.radio.inline,
.checkbox.inline {
display: inline-block;
padding-top: 5px;
margin-bottom: 0;
vertical-align: middle;
}
.radio.inline + .radio.inline,
.checkbox.inline + .checkbox.inline {
margin-left: 10px;
}
.input-mini {
width: 60px;
}
.input-small {
width: 90px;
}
.input-medium {
width: 150px;
}
.input-large {
width: 210px;
}
.input-xlarge {
width: 270px;
}
.input-xxlarge {
width: 530px;
}
input[class*="span"],
select[class*="span"],
textarea[class*="span"],
.uneditable-input[class*="span"],
.row-fluid input[class*="span"],
.row-fluid select[class*="span"],
.row-fluid textarea[class*="span"],
.row-fluid .uneditable-input[class*="span"] {
float: none;
margin-left: 0;
}
.input-append input[class*="span"],
.input-append .uneditable-input[class*="span"],
.input-prepend input[class*="span"],
.input-prepend .uneditable-input[class*="span"],
.row-fluid input[class*="span"],
.row-fluid select[class*="span"],
.row-fluid textarea[class*="span"],
.row-fluid .uneditable-input[class*="span"],
.row-fluid .input-prepend [class*="span"],
.row-fluid .input-append [class*="span"] {
display: inline-block;
}
input,
textarea,
.uneditable-input {
margin-left: 0;
}
.controls-row [class*="span"] + [class*="span"] {
margin-left: 20px;
}
input.span12,
textarea.span12,
.uneditable-input.span12 {
width: 926px;
}
input.span11,
textarea.span11,
.uneditable-input.span11 {
width: 846px;
}
input.span10,
textarea.span10,
.uneditable-input.span10 {
width: 766px;
}
input.span9,
textarea.span9,
.uneditable-input.span9 {
width: 686px;
}
input.span8,
textarea.span8,
.uneditable-input.span8 {
width: 606px;
}
input.span7,
textarea.span7,
.uneditable-input.span7 {
width: 526px;
}
input.span6,
textarea.span6,
.uneditable-input.span6 {
width: 446px;
}
input.span5,
textarea.span5,
.uneditable-input.span5 {
width: 366px;
}
input.span4,
textarea.span4,
.uneditable-input.span4 {
width: 286px;
}
input.span3,
textarea.span3,
.uneditable-input.span3 {
width: 206px;
}
input.span2,
textarea.span2,
.uneditable-input.span2 {
width: 126px;
}
input.span1,
textarea.span1,
.uneditable-input.span1 {
width: 46px;
}
.controls-row {
*zoom: 1;
}
.controls-row:before,
.controls-row:after {
display: table;
content: "";
line-height: 0;
}
.controls-row:after {
clear: both;
}
.controls-row [class*="span"],
.row-fluid .controls-row [class*="span"] {
float: left;
}
.controls-row .checkbox[class*="span"],
.controls-row .radio[class*="span"] {
padding-top: 5px;
}
input[disabled],
select[disabled],
textarea[disabled],
input[readonly],
select[readonly],
textarea[readonly] {
cursor: not-allowed;
background-color: #eeeeee;
}
input[type="radio"][disabled],
input[type="checkbox"][disabled],
input[type="radio"][readonly],
input[type="checkbox"][readonly] {
background-color: transparent;
}
.control-group.warning .control-label,
.control-group.warning .help-block,
.control-group.warning .help-inline {
color: #c09853;
}
.control-group.warning .checkbox,
.control-group.warning .radio,
.control-group.warning input,
.control-group.warning select,
.control-group.warning textarea {
color: #c09853;
}
.control-group.warning input,
.control-group.warning select,
.control-group.warning textarea {
border-color: #c09853;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
}
.control-group.warning input:focus,
.control-group.warning select:focus,
.control-group.warning textarea:focus {
border-color: #a47e3c;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #dbc59e;
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #dbc59e;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #dbc59e;
}
.control-group.warning .input-prepend .add-on,
.control-group.warning .input-append .add-on {
color: #c09853;
background-color: #fcf8e3;
border-color: #c09853;
}
.control-group.error .control-label,
.control-group.error .help-block,
.control-group.error .help-inline {
color: #b94a48;
}
.control-group.error .checkbox,
.control-group.error .radio,
.control-group.error input,
.control-group.error select,
.control-group.error textarea {
color: #b94a48;
}
.control-group.error input,
.control-group.error select,
.control-group.error textarea {
border-color: #b94a48;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
}
.control-group.error input:focus,
.control-group.error select:focus,
.control-group.error textarea:focus {
border-color: #953b39;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #d59392;
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #d59392;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #d59392;
}
.control-group.error .input-prepend .add-on,
.control-group.error .input-append .add-on {
color: #b94a48;
background-color: #f2dede;
border-color: #b94a48;
}
.control-group.success .control-label,
.control-group.success .help-block,
.control-group.success .help-inline {
color: #468847;
}
.control-group.success .checkbox,
.control-group.success .radio,
.control-group.success input,
.control-group.success select,
.control-group.success textarea {
color: #468847;
}
.control-group.success input,
.control-group.success select,
.control-group.success textarea {
border-color: #468847;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
}
.control-group.success input:focus,
.control-group.success select:focus,
.control-group.success textarea:focus {
border-color: #356635;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7aba7b;
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7aba7b;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7aba7b;
}
.control-group.success .input-prepend .add-on,
.control-group.success .input-append .add-on {
color: #468847;
background-color: #dff0d8;
border-color: #468847;
}
.control-group.info .control-label,
.control-group.info .help-block,
.control-group.info .help-inline {
color: #3a87ad;
}
.control-group.info .checkbox,
.control-group.info .radio,
.control-group.info input,
.control-group.info select,
.control-group.info textarea {
color: #3a87ad;
}
.control-group.info input,
.control-group.info select,
.control-group.info textarea {
border-color: #3a87ad;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075);
}
.control-group.info input:focus,
.control-group.info select:focus,
.control-group.info textarea:focus {
border-color: #2d6987;
-webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7ab5d3;
-moz-box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7ab5d3;
box-shadow: inset 0 1px 1px rgba(0, 0, 0, 0.075), 0 0 6px #7ab5d3;
}
.control-group.info .input-prepend .add-on,
.control-group.info .input-append .add-on {
color: #3a87ad;
background-color: #d9edf7;
border-color: #3a87ad;
}
input:focus:invalid,
textarea:focus:invalid,
select:focus:invalid {
color: #b94a48;
border-color: #ee5f5b;
}
input:focus:invalid:focus,
textarea:focus:invalid:focus,
select:focus:invalid:focus {
border-color: #e9322d;
-webkit-box-shadow: 0 0 6px #f8b9b7;
-moz-box-shadow: 0 0 6px #f8b9b7;
box-shadow: 0 0 6px #f8b9b7;
}
.form-actions {
padding: 19px 20px 20px;
margin-top: 20px;
margin-bottom: 20px;
background-color: #f5f5f5;
border-top: 1px solid #e5e5e5;
*zoom: 1;
}
.form-actions:before,
.form-actions:after {
display: table;
content: "";
line-height: 0;
}
.form-actions:after {
clear: both;
}
.help-block,
.help-inline {
color: #595959;
}
.help-block {
display: block;
margin-bottom: 10px;
}
.help-inline {
display: inline-block;
*display: inline;
/* IE7 inline-block hack */
*zoom: 1;
vertical-align: middle;
padding-left: 5px;
}
.input-append,
.input-prepend {
display: inline-block;
margin-bottom: 10px;
vertical-align: middle;
font-size: 0;
white-space: nowrap;
}
.input-append input,
.input-prepend input,
.input-append select,
.input-prepend select,
.input-append .uneditable-input,
.input-prepend .uneditable-input,
.input-append .dropdown-menu,
.input-prepend .dropdown-menu,
.input-append .popover,
.input-prepend .popover {
font-size: 14px;
}
.input-append input,
.input-prepend input,
.input-append select,
.input-prepend select,
.input-append .uneditable-input,
.input-prepend .uneditable-input {
position: relative;
margin-bottom: 0;
*margin-left: 0;
vertical-align: top;
-<API key>: 0 4px 4px 0;
-moz-border-radius: 0 4px 4px 0;
border-radius: 0 4px 4px 0;
}
.input-append input:focus,
.input-prepend input:focus,
.input-append select:focus,
.input-prepend select:focus,
.input-append .uneditable-input:focus,
.input-prepend .uneditable-input:focus {
z-index: 2;
}
.input-append .add-on,
.input-prepend .add-on {
display: inline-block;
width: auto;
height: 20px;
min-width: 16px;
padding: 4px 5px;
font-size: 14px;
font-weight: normal;
line-height: 20px;
text-align: center;
text-shadow: 0 1px 0 #ffffff;
background-color: #eeeeee;
border: 1px solid #ccc;
}
.input-append .add-on,
.input-prepend .add-on,
.input-append .btn,
.input-prepend .btn,
.input-append .btn-group > .dropdown-toggle,
.input-prepend .btn-group > .dropdown-toggle {
vertical-align: top;
-<API key>: 0;
-moz-border-radius: 0;
border-radius: 0;
}
.input-append .active,
.input-prepend .active {
background-color: #a9dba9;
border-color: #46a546;
}
.input-prepend .add-on,
.input-prepend .btn {
margin-right: -1px;
}
.input-prepend .add-on:first-child,
.input-prepend .btn:first-child {
-<API key>: 4px 0 0 4px;
-moz-border-radius: 4px 0 0 4px;
border-radius: 4px 0 0 4px;
}
.input-append input,
.input-append select,
.input-append .uneditable-input {
-<API key>: 4px 0 0 4px;
-moz-border-radius: 4px 0 0 4px;
border-radius: 4px 0 0 4px;
}
.input-append input + .btn-group .btn:last-child,
.input-append select + .btn-group .btn:last-child,
.input-append .uneditable-input + .btn-group .btn:last-child {
-<API key>: 0 4px 4px 0;
-moz-border-radius: 0 4px 4px 0;
border-radius: 0 4px 4px 0;
}
.input-append .add-on,
.input-append .btn,
.input-append .btn-group {
margin-left: -1px;
}
.input-append .add-on:last-child,
.input-append .btn:last-child,
.input-append .btn-group:last-child > .dropdown-toggle {
-<API key>: 0 4px 4px 0;
-moz-border-radius: 0 4px 4px 0;
border-radius: 0 4px 4px 0;
}
.input-prepend.input-append input,
.input-prepend.input-append select,
.input-prepend.input-append .uneditable-input {
-<API key>: 0;
-moz-border-radius: 0;
border-radius: 0;
}
.input-prepend.input-append input + .btn-group .btn,
.input-prepend.input-append select + .btn-group .btn,
.input-prepend.input-append .uneditable-input + .btn-group .btn {
-<API key>: 0 4px 4px 0;
-moz-border-radius: 0 4px 4px 0;
border-radius: 0 4px 4px 0;
}
.input-prepend.input-append .add-on:first-child,
.input-prepend.input-append .btn:first-child {
margin-right: -1px;
-<API key>: 4px 0 0 4px;
-moz-border-radius: 4px 0 0 4px;
border-radius: 4px 0 0 4px;
}
.input-prepend.input-append .add-on:last-child,
.input-prepend.input-append .btn:last-child {
margin-left: -1px;
-<API key>: 0 4px 4px 0;
-moz-border-radius: 0 4px 4px 0;
border-radius: 0 4px 4px 0;
}
.input-prepend.input-append .btn-group:first-child {
margin-left: 0;
}
input.search-query {
padding-right: 14px;
padding-right: 4px \9;
padding-left: 14px;
padding-left: 4px \9;
/* IE7-8 doesn't have border-radius, so don't indent the padding */
margin-bottom: 0;
-<API key>: 15px;
-moz-border-radius: 15px;
border-radius: 15px;
}
/* Allow for input prepend/append in search forms */
.form-search .input-append .search-query,
.form-search .input-prepend .search-query {
-<API key>: 0;
-moz-border-radius: 0;
border-radius: 0;
}
.form-search .input-append .search-query {
-<API key>: 14px 0 0 14px;
-moz-border-radius: 14px 0 0 14px;
border-radius: 14px 0 0 14px;
}
.form-search .input-append .btn {
-<API key>: 0 14px 14px 0;
-moz-border-radius: 0 14px 14px 0;
border-radius: 0 14px 14px 0;
}
.form-search .input-prepend .search-query {
-<API key>: 0 14px 14px 0;
-moz-border-radius: 0 14px 14px 0;
border-radius: 0 14px 14px 0;
}
.form-search .input-prepend .btn {
-<API key>: 14px 0 0 14px;
-moz-border-radius: 14px 0 0 14px;
border-radius: 14px 0 0 14px;
}
.form-search input,
.form-inline input,
.form-horizontal input,
.form-search textarea,
.form-inline textarea,
.form-horizontal textarea,
.form-search select,
.form-inline select,
.form-horizontal select,
.form-search .help-inline,
.form-inline .help-inline,
.form-horizontal .help-inline,
.form-search .uneditable-input,
.form-inline .uneditable-input,
.form-horizontal .uneditable-input,
.form-search .input-prepend,
.form-inline .input-prepend,
.form-horizontal .input-prepend,
.form-search .input-append,
.form-inline .input-append,
.form-horizontal .input-append {
display: inline-block;
*display: inline;
/* IE7 inline-block hack */
*zoom: 1;
margin-bottom: 0;
vertical-align: middle;
}
.form-search .hide,
.form-inline .hide,
.form-horizontal .hide {
display: none;
}
.form-search label,
.form-inline label,
.form-search .btn-group,
.form-inline .btn-group {
display: inline-block;
}
.form-search .input-append,
.form-inline .input-append,
.form-search .input-prepend,
.form-inline .input-prepend {
margin-bottom: 0;
}
.form-search .radio,
.form-search .checkbox,
.form-inline .radio,
.form-inline .checkbox {
padding-left: 0;
margin-bottom: 0;
vertical-align: middle;
}
.form-search .radio input[type="radio"],
.form-search .checkbox input[type="checkbox"],
.form-inline .radio input[type="radio"],
.form-inline .checkbox input[type="checkbox"] {
float: left;
margin-right: 3px;
margin-left: 0;
}
.control-group {
margin-bottom: 10px;
}
legend + .control-group {
margin-top: 20px;
-<API key>: separate;
}
.form-horizontal .control-group {
margin-bottom: 20px;
*zoom: 1;
}
.form-horizontal .control-group:before,
.form-horizontal .control-group:after {
display: table;
content: "";
line-height: 0;
}
.form-horizontal .control-group:after {
clear: both;
}
.form-horizontal .control-label {
float: left;
width: 160px;
padding-top: 5px;
text-align: right;
}
.form-horizontal .controls {
*display: inline-block;
*padding-left: 20px;
margin-left: 180px;
*margin-left: 0;
}
.form-horizontal .controls:first-child {
*padding-left: 180px;
}
.form-horizontal .help-block {
margin-bottom: 0;
}
.form-horizontal input + .help-block,
.form-horizontal select + .help-block,
.form-horizontal textarea + .help-block,
.form-horizontal .uneditable-input + .help-block,
.form-horizontal .input-prepend + .help-block,
.form-horizontal .input-append + .help-block {
margin-top: 10px;
}
.form-horizontal .form-actions {
padding-left: 180px;
} |
<?xml version="1.0" ?><!DOCTYPE TS><TS language="hi_IN" version="2.1">
<context>
<name>AboutDialog</name>
<message>
<location filename="../forms/aboutdialog.ui" line="+14"/>
<source>About BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+39"/>
<source><b>BattleStake</b> version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+41"/>
<source>Copyright © 2009-2014 The Bitcoin developers
Copyright © 2012-2014 The NovaCoin developers
Copyright © 2014 The BattleStake developers</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>
This is experimental software.
Distributed under the MIT/X11 software license, see the accompanying file COPYING or http:
This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http:
<translation type="unfinished"/>
</message>
</context>
<context>
<name>AddressBookPage</name>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>Address Book</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>Double-click to edit address or label</source>
<translation>दो बार क्लिक करे पता या लेबल संपादन करने के लिए !</translation>
</message>
<message>
<location line="+27"/>
<source>Create a new address</source>
<translation>नया पता लिखिए !</translation>
</message>
<message>
<location line="+14"/>
<source>Copy the currently selected address to the system clipboard</source>
<translation>चुनिन्दा पते को सिस्टम क्लिपबोर्ड पर कापी करे !</translation>
</message>
<message>
<location line="-11"/>
<source>&New Address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-46"/>
<source>These are your BattleStake addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+60"/>
<source>&Copy Address</source>
<translation>&पता कॉपी करे</translation>
</message>
<message>
<location line="+11"/>
<source>Show &QR Code</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>Sign a message to prove you own a BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>Delete the currently selected address from the list</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-14"/>
<source>Verify a message to ensure it was signed with a specified BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Verify Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>&Delete</source>
<translation>&मिटाए !!</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="+65"/>
<source>Copy &Label</source>
<translation>&लेबल कॉपी करे </translation>
</message>
<message>
<location line="+2"/>
<source>&Edit</source>
<translation>&एडिट</translation>
</message>
<message>
<location line="+250"/>
<source>Export Address Book Data</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Comma separated file (*.csv)</translation>
</message>
<message>
<location line="+13"/>
<source>Error exporting</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>AddressTableModel</name>
<message>
<location filename="../addresstablemodel.cpp" line="+144"/>
<source>Label</source>
<translation>लेबल</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>पता</translation>
</message>
<message>
<location line="+36"/>
<source>(no label)</source>
<translation>(कोई लेबल नही !)</translation>
</message>
</context>
<context>
<name>AskPassphraseDialog</name>
<message>
<location filename="../forms/askpassphrasedialog.ui" line="+26"/>
<source>Passphrase Dialog</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>Enter passphrase</source>
<translation>पहचान शब्द/अक्षर डालिए !</translation>
</message>
<message>
<location line="+14"/>
<source>New passphrase</source>
<translation>नया पहचान शब्द/अक्षर डालिए !</translation>
</message>
<message>
<location line="+14"/>
<source>Repeat new passphrase</source>
<translation>दोबारा नया पहचान शब्द/अक्षर डालिए !</translation>
</message>
<message>
<location line="+33"/>
<source>Serves to disable the trivial sendmoney when OS account compromised. Provides no real security.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>For staking only</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../askpassphrasedialog.cpp" line="+35"/>
<source>Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>.</source>
<translation>नया पहचान शब्द/अक्षर वॉलेट मे डालिए ! <br/> कृपा करके पहचान शब्द में <br> 10 से ज़्यादा अक्षॉरों का इस्तेमाल करे </b>,या <b>आठ या उससे से ज़्यादा शब्दो का इस्तेमाल करे</b> !</translation>
</message>
<message>
<location line="+1"/>
<source>Encrypt wallet</source>
<translation>एनक्रिप्ट वॉलेट !</translation>
</message>
<message>
<location line="+7"/>
<source>This operation needs your wallet passphrase to unlock the wallet.</source>
<translation>वॉलेट खोलने के आपका वॉलेट पहचान शब्द्/अक्षर चाईए !</translation>
</message>
<message>
<location line="+5"/>
<source>Unlock wallet</source>
<translation>वॉलेट खोलिए</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to decrypt the wallet.</source>
<translation>वॉलेट डीक्रिप्ट( विकोड) करने के लिए आपका वॉलेट पहचान शब्द्/अक्षर चाईए !</translation>
</message>
<message>
<location line="+5"/>
<source>Decrypt wallet</source>
<translation> डीक्रिप्ट वॉलेट</translation>
</message>
<message>
<location line="+3"/>
<source>Change passphrase</source>
<translation>पहचान शब्द/अक्षर बदलिये !</translation>
</message>
<message>
<location line="+1"/>
<source>Enter the old and new passphrase to the wallet.</source>
<translation>कृपा करके पुराना एवं नया पहचान शब्द/अक्षर वॉलेट में डालिए !</translation>
</message>
<message>
<location line="+46"/>
<source>Confirm wallet encryption</source>
<translation>वॉलेट एनक्रिपशन को प्रमाणित कीजिए !</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR COINS</b>!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Are you sure you wish to encrypt your wallet?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+103"/>
<location line="+24"/>
<source>Warning: The Caps Lock key is on!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-133"/>
<location line="+60"/>
<source>Wallet encrypted</source>
<translation>वॉलेट एनक्रिप्ट हो गया !</translation>
</message>
<message>
<location line="-58"/>
<source>BattleStake will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your coins from being stolen by malware infecting your computer.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<location line="+7"/>
<location line="+44"/>
<location line="+6"/>
<source>Wallet encryption failed</source>
<translation>वॉलेट एनक्रिप्ट नही हुआ!</translation>
</message>
<message>
<location line="-56"/>
<source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source>
<translation>वॉलेट एनक्रिपशन नाकाम हो गया इंटर्नल एरर की वजह से! आपका वॉलेट एनक्रीपत नही हुआ है!</translation>
</message>
<message>
<location line="+7"/>
<location line="+50"/>
<source>The supplied passphrases do not match.</source>
<translation>आपके द्वारा डाले गये पहचान शब्द/अक्षर मिलते नही है !</translation>
</message>
<message>
<location line="-38"/>
<source>Wallet unlock failed</source>
<translation>वॉलेट का लॉक नही खुला !</translation>
</message>
<message>
<location line="+1"/>
<location line="+12"/>
<location line="+19"/>
<source>The passphrase entered for the wallet decryption was incorrect.</source>
<translation>वॉलेट डीक्रिप्ट करने के लिए जो पहचान शब्द/अक्षर डाले गये है वो सही नही है!</translation>
</message>
<message>
<location line="-20"/>
<source>Wallet decryption failed</source>
<translation>वॉलेट का डीक्रिप्ट-ष्ण असफल !</translation>
</message>
<message>
<location line="+14"/>
<source>Wallet passphrase was successfully changed.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>BitcoinGUI</name>
<message>
<location filename="../bitcoingui.cpp" line="+280"/>
<source>Sign &message...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+242"/>
<source>Synchronizing with network...</source>
<translation>नेटवर्क से समकालिक (मिल) रहा है ...</translation>
</message>
<message>
<location line="-308"/>
<source>&Overview</source>
<translation>&विवरण</translation>
</message>
<message>
<location line="+1"/>
<source>Show general overview of wallet</source>
<translation>वॉलेट का सामानया विवरण दिखाए !</translation>
</message>
<message>
<location line="+17"/>
<source>&Transactions</source>
<translation>& लेन-देन
</translation>
</message>
<message>
<location line="+1"/>
<source>Browse transaction history</source>
<translation>देखिए पुराने लेन-देन के विवरण !</translation>
</message>
<message>
<location line="+5"/>
<source>&Address Book</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Edit the list of stored addresses and labels</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-13"/>
<source>&Receive coins</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Show the list of addresses for receiving payments</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-7"/>
<source>&Send coins</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>E&xit</source>
<translation>बाहर जायें</translation>
</message>
<message>
<location line="+1"/>
<source>Quit application</source>
<translation>अप्लिकेशन से बाहर निकलना !</translation>
</message>
<message>
<location line="+4"/>
<source>Show information about BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>About &Qt</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Show information about Qt</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>&Options...</source>
<translation>&विकल्प</translation>
</message>
<message>
<location line="+4"/>
<source>&Encrypt Wallet...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Backup Wallet...</source>
<translation>&बैकप वॉलेट</translation>
</message>
<message>
<location line="+2"/>
<source>&Change Passphrase...</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+250"/>
<source>~%n block(s) remaining</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+6"/>
<source>Downloaded %1 of %2 blocks of transaction history (%3% done).</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-247"/>
<source>&Export...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-62"/>
<source>Send coins to a BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+45"/>
<source>Modify configuration options for BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+18"/>
<source>Export the data in the current tab to a file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-14"/>
<source>Encrypt or decrypt wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Backup wallet to another location</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Change the passphrase used for wallet encryption</source>
<translation>पहचान शब्द/अक्षर जो वॉलेट एनक्रिपशन के लिए इस्तेमाल किया है उसे बदलिए!</translation>
</message>
<message>
<location line="+10"/>
<source>&Debug window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Open debugging and diagnostic console</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-5"/>
<source>&Verify message...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-200"/>
<source>BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Wallet</source>
<translation>वॉलेट</translation>
</message>
<message>
<location line="+178"/>
<source>&About BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+9"/>
<source>&Show / Hide</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+9"/>
<source>Unlock wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>&Lock Wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Lock wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+34"/>
<source>&File</source>
<translation>&फाइल</translation>
</message>
<message>
<location line="+8"/>
<source>&Settings</source>
<translation>&सेट्टिंग्स</translation>
</message>
<message>
<location line="+8"/>
<source>&Help</source>
<translation>&मदद</translation>
</message>
<message>
<location line="+9"/>
<source>Tabs toolbar</source>
<translation>टैबस टूलबार</translation>
</message>
<message>
<location line="+8"/>
<source>Actions toolbar</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<location line="+9"/>
<source>[testnet]</source>
<translation>[टेस्टनेट]</translation>
</message>
<message>
<location line="+0"/>
<location line="+60"/>
<source>BattleStake client</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+70"/>
<source>%n active connection(s) to BattleStake network</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+40"/>
<source>Downloaded %1 blocks of transaction history.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+413"/>
<source>Staking.<br>Your weight is %1<br>Network weight is %2<br>Expected time to earn reward is %3</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Not staking because wallet is locked</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Not staking because wallet is offline</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Not staking because wallet is syncing</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Not staking because you don't have mature coins</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="-403"/>
<source>%n second(s) ago</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="-284"/>
<source>&Unlock Wallet...</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+288"/>
<source>%n minute(s) ago</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n hour(s) ago</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n day(s) ago</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+6"/>
<source>Up to date</source>
<translation>नवीनतम</translation>
</message>
<message>
<location line="+7"/>
<source>Catching up...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>Last received block was generated %1.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+59"/>
<source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Confirm transaction fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Sent transaction</source>
<translation>भेजी ट्रांजक्शन</translation>
</message>
<message>
<location line="+1"/>
<source>Incoming transaction</source>
<translation>प्राप्त हुई ट्रांजक्शन</translation>
</message>
<message>
<location line="+1"/>
<source>Date: %1
Amount: %2
Type: %3
Address: %4
</source>
<translation>तारीख: %1\n
राशि: %2\n
टाइप: %3\n
पता:%4\n</translation>
</message>
<message>
<location line="+100"/>
<location line="+15"/>
<source>URI handling</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-15"/>
<location line="+15"/>
<source>URI can not be parsed! This can be caused by an invalid BattleStake address or malformed URI parameters.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+18"/>
<source>Wallet is <b>encrypted</b> and currently <b>unlocked</b></source>
<translation>वॉलेट एन्क्रिप्टेड है तथा अभी लॉक्ड नहीं है</translation>
</message>
<message>
<location line="+10"/>
<source>Wallet is <b>encrypted</b> and currently <b>locked</b></source>
<translation>वॉलेट एन्क्रिप्टेड है तथा अभी लॉक्ड है</translation>
</message>
<message>
<location line="+25"/>
<source>Backup Wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Wallet Data (*.dat)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Backup Failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>There was an error trying to save the wallet data to the new location.</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+76"/>
<source>%n second(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n minute(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n hour(s)</source>
<translation><numerusform>%n घंटा</numerusform><numerusform>%n घंटे</numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n day(s)</source>
<translation><numerusform>%n दिन</numerusform><numerusform>%n दिनो</numerusform></translation>
</message>
<message>
<location line="+18"/>
<source>Not staking</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../bitcoin.cpp" line="+109"/>
<source>A fatal error occurred. BattleStake can no longer continue safely and will quit.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>ClientModel</name>
<message>
<location filename="../clientmodel.cpp" line="+90"/>
<source>Network Alert</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>CoinControlDialog</name>
<message>
<location filename="../forms/coincontroldialog.ui" line="+14"/>
<source>Coin Control</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+31"/>
<source>Quantity:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+32"/>
<source>Bytes:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+48"/>
<source>Amount:</source>
<translation>राशि :</translation>
</message>
<message>
<location line="+32"/>
<source>Priority:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+48"/>
<source>Fee:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>Low Output:</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../coincontroldialog.cpp" line="+551"/>
<source>no</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../forms/coincontroldialog.ui" line="+51"/>
<source>After Fee:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>Change:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+69"/>
<source>(un)select all</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Tree mode</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>List mode</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+45"/>
<source>Amount</source>
<translation>राशि</translation>
</message>
<message>
<location line="+5"/>
<source>Label</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Address</source>
<translation>पता</translation>
</message>
<message>
<location line="+5"/>
<source>Date</source>
<translation>taareek</translation>
</message>
<message>
<location line="+5"/>
<source>Confirmations</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Confirmed</source>
<translation>पक्का</translation>
</message>
<message>
<location line="+5"/>
<source>Priority</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../coincontroldialog.cpp" line="-515"/>
<source>Copy address</source>
<translation>पता कॉपी करे</translation>
</message>
<message>
<location line="+1"/>
<source>Copy label</source>
<translation>लेबल कॉपी करे </translation>
</message>
<message>
<location line="+1"/>
<location line="+26"/>
<source>Copy amount</source>
<translation>कॉपी राशि</translation>
</message>
<message>
<location line="-25"/>
<source>Copy transaction ID</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+24"/>
<source>Copy quantity</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Copy fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy after fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy bytes</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy priority</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy low output</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy change</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+317"/>
<source>highest</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>high</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>medium-high</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>medium</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>low-medium</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>low</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>lowest</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+155"/>
<source>DUST</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>yes</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>This label turns red, if the transaction size is bigger than 10000 bytes.
This means a fee of at least %1 per kb is required.
Can vary +/- 1 Byte per input.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Transactions with higher priority get more likely into a block.
This label turns red, if the priority is smaller than "medium".
This means a fee of at least %1 per kb is required.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>This label turns red, if any recipient receives an amount smaller than %1.
This means a fee of at least %2 is required.
Amounts below 0.546 times the minimum relay fee are shown as DUST.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>This label turns red, if the change is smaller than %1.
This means a fee of at least %2 is required.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+37"/>
<location line="+66"/>
<source>(no label)</source>
<translation>(कोई लेबल नही !)</translation>
</message>
<message>
<location line="-9"/>
<source>change from %1 (%2)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>(change)</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>EditAddressDialog</name>
<message>
<location filename="../forms/editaddressdialog.ui" line="+14"/>
<source>Edit Address</source>
<translation>पता एडिट करना</translation>
</message>
<message>
<location line="+11"/>
<source>&Label</source>
<translation>&लेबल</translation>
</message>
<message>
<location line="+10"/>
<source>The label associated with this address book entry</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>&Address</source>
<translation>&पता</translation>
</message>
<message>
<location line="+10"/>
<source>The address associated with this address book entry. This can only be modified for sending addresses.</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../editaddressdialog.cpp" line="+20"/>
<source>New receiving address</source>
<translation>नया स्वीकार्य पता</translation>
</message>
<message>
<location line="+4"/>
<source>New sending address</source>
<translation>नया भेजने वाला पता</translation>
</message>
<message>
<location line="+3"/>
<source>Edit receiving address</source>
<translation>एडिट स्वीकार्य पता </translation>
</message>
<message>
<location line="+4"/>
<source>Edit sending address</source>
<translation>एडिट भेजने वाला पता</translation>
</message>
<message>
<location line="+76"/>
<source>The entered address "%1" is already in the address book.</source>
<translation>डाला गया पता "%1" एड्रेस बुक में पहले से ही मोजूद है|</translation>
</message>
<message>
<location line="-5"/>
<source>The entered address "%1" is not a valid BattleStake address.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>Could not unlock wallet.</source>
<translation>वॉलेट को unlock नहीं किया जा सकता|</translation>
</message>
<message>
<location line="+5"/>
<source>New key generation failed.</source>
<translation>नयी कुंजी का निर्माण असफल रहा|</translation>
</message>
</context>
<context>
<name>GUIUtil::HelpMessageBox</name>
<message>
<location filename="../guiutil.cpp" line="+420"/>
<location line="+12"/>
<source>BattleStake-Qt</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-12"/>
<source>version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Usage:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>command-line options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>UI options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Set language, for example "de_DE" (default: system locale)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Start minimized</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Show splash screen on startup (default: 1)</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>OptionsDialog</name>
<message>
<location filename="../forms/optionsdialog.ui" line="+14"/>
<source>Options</source>
<translation>विकल्प</translation>
</message>
<message>
<location line="+16"/>
<source>&Main</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. Fee 0.01 recommended.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Pay transaction &fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+31"/>
<source>Reserved amount does not participate in staking and is therefore spendable at any time.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Reserve</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+31"/>
<source>Automatically start BattleStake after logging in to the system.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Start BattleStake on system login</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Detach block and address databases at shutdown. This means they can be moved to another data directory, but it slows down shutdown. The wallet is always detached.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Detach databases at shutdown</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>&Network</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Automatically open the BattleStake client port on the router. This only works when your router supports UPnP and it is enabled.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Map port using &UPnP</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Connect to the BattleStake network through a SOCKS proxy (e.g. when connecting through Tor).</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Connect through SOCKS proxy:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+9"/>
<source>Proxy &IP:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>IP address of the proxy (e.g. 127.0.0.1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>&Port:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Port of the proxy (e.g. 9050)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>SOCKS &Version:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>SOCKS version of the proxy (e.g. 5)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+36"/>
<source>&Window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Show only a tray icon after minimizing the window.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Minimize to the tray instead of the taskbar</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>M&inimize on close</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>&Display</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>User Interface &language:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>The user interface language can be set here. This setting will take effect after restarting BattleStake.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>&Unit to show amounts in:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Choose the default subdivision unit to show in the interface and when sending coins.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+9"/>
<source>Whether to show BattleStake addresses in the transaction list or not.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Display addresses in transaction list</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Whether to show coin control features or not.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Display coin &control features (experts only!)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+71"/>
<source>&OK</source>
<translation>&ओके</translation>
</message>
<message>
<location line="+7"/>
<source>&Cancel</source>
<translation>&कैन्सल</translation>
</message>
<message>
<location line="+10"/>
<source>&Apply</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../optionsdialog.cpp" line="+55"/>
<source>default</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+149"/>
<location line="+9"/>
<source>Warning</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-9"/>
<location line="+9"/>
<source>This setting will take effect after restarting BattleStake.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>The supplied proxy address is invalid.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>OverviewPage</name>
<message>
<location filename="../forms/overviewpage.ui" line="+14"/>
<source>Form</source>
<translation>फार्म</translation>
</message>
<message>
<location line="+33"/>
<location line="+231"/>
<source>The displayed information may be out of date. Your wallet automatically synchronizes with the BattleStake network after a connection is established, but this process has not completed yet.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-160"/>
<source>Stake:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>Unconfirmed:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-107"/>
<source>Wallet</source>
<translation>वॉलेट</translation>
</message>
<message>
<location line="+49"/>
<source>Spendable:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Your current spendable balance</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+71"/>
<source>Immature:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Mined balance that has not yet matured</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+20"/>
<source>Total:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Your current total balance</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+46"/>
<source><b>Recent transactions</b></source>
<translation><b>हाल का लेन-देन</b></translation>
</message>
<message>
<location line="-108"/>
<source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-29"/>
<source>Total of coins that was staked, and do not yet count toward the current balance</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../overviewpage.cpp" line="+113"/>
<location line="+1"/>
<source>out of sync</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>QRCodeDialog</name>
<message>
<location filename="../forms/qrcodedialog.ui" line="+14"/>
<source>QR Code Dialog</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+59"/>
<source>Request Payment</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+56"/>
<source>Amount:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-44"/>
<source>Label:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Message:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+71"/>
<source>&Save As...</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../qrcodedialog.cpp" line="+62"/>
<source>Error encoding URI into QR Code.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+40"/>
<source>The entered amount is invalid, please check.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Resulting URI too long, try to reduce the text for label / message.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>Save QR Code</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>PNG Images (*.png)</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>RPCConsole</name>
<message>
<location filename="../forms/rpcconsole.ui" line="+46"/>
<source>Client name</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<location line="+23"/>
<location line="+26"/>
<location line="+23"/>
<location line="+23"/>
<location line="+36"/>
<location line="+53"/>
<location line="+23"/>
<location line="+23"/>
<location filename="../rpcconsole.cpp" line="+348"/>
<source>N/A</source>
<translation>लागू नही
</translation>
</message>
<message>
<location line="-217"/>
<source>Client version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-45"/>
<source>&Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+68"/>
<source>Using OpenSSL version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+49"/>
<source>Startup time</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>Network</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Number of connections</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>On testnet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Block chain</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Current number of blocks</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Estimated total blocks</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Last block time</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+52"/>
<source>&Open</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Command-line options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Show the BattleStake-Qt help message to get a list with possible BattleStake command-line options.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Show</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+24"/>
<source>&Console</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-260"/>
<source>Build date</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-104"/>
<source>BattleStake - Debug window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>BattleStake Core</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+279"/>
<source>Debug log file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Open the BattleStake debug log file from the current data directory. This can take a few seconds for large log files.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+102"/>
<source>Clear console</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../rpcconsole.cpp" line="-33"/>
<source>Welcome to the BattleStake RPC console.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Type <b>help</b> for an overview of available commands.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>SendCoinsDialog</name>
<message>
<location filename="../forms/sendcoinsdialog.ui" line="+14"/>
<location filename="../sendcoinsdialog.cpp" line="+182"/>
<location line="+5"/>
<location line="+5"/>
<location line="+5"/>
<location line="+6"/>
<location line="+5"/>
<location line="+5"/>
<source>Send Coins</source>
<translation>सिक्के भेजें|</translation>
</message>
<message>
<location line="+76"/>
<source>Coin Control Features</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+20"/>
<source>Inputs...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>automatically selected</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Insufficient funds!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+77"/>
<source>Quantity:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<location line="+35"/>
<source>0</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-19"/>
<source>Bytes:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+51"/>
<source>Amount:</source>
<translation>राशि :</translation>
</message>
<message>
<location line="+22"/>
<location line="+86"/>
<location line="+86"/>
<location line="+32"/>
<source>0.00 BSTK</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-191"/>
<source>Priority:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>medium</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+32"/>
<source>Fee:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>Low Output:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>no</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+32"/>
<source>After Fee:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>Change</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+50"/>
<source>custom change address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+106"/>
<source>Send to multiple recipients at once</source>
<translation>एक साथ कई प्राप्तकर्ताओं को भेजें</translation>
</message>
<message>
<location line="+3"/>
<source>Add &Recipient</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+20"/>
<source>Remove all transaction fields</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Clear &All</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+28"/>
<source>Balance:</source>
<translation>बाकी रकम :</translation>
</message>
<message>
<location line="+16"/>
<source>123.456 BSTK</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+31"/>
<source>Confirm the send action</source>
<translation>भेजने की पुष्टि करें</translation>
</message>
<message>
<location line="+3"/>
<source>S&end</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../sendcoinsdialog.cpp" line="-173"/>
<source>Enter a BattleStake address (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Copy quantity</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy amount</source>
<translation>कॉपी राशि</translation>
</message>
<message>
<location line="+1"/>
<source>Copy fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy after fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy bytes</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy priority</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy low output</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Copy change</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+86"/>
<source><b>%1</b> to %2 (%3)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Confirm send coins</source>
<translation>सिक्के भेजने की पुष्टि करें</translation>
</message>
<message>
<location line="+1"/>
<source>Are you sure you want to send %1?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source> and </source>
<translation type="unfinished"/>
</message>
<message>
<location line="+29"/>
<source>The recipient address is not valid, please recheck.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>The amount to pay must be larger than 0.</source>
<translation>भेजा गया अमाउंट शुन्य से अधिक होना चाहिए|</translation>
</message>
<message>
<location line="+5"/>
<source>The amount exceeds your balance.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>The total exceeds your balance when the %1 transaction fee is included.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Duplicate address found, can only send to each address once per send operation.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Error: Transaction creation failed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+251"/>
<source>WARNING: Invalid BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>(no label)</source>
<translation>(कोई लेबल नही !)</translation>
</message>
<message>
<location line="+4"/>
<source>WARNING: unknown change address</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>SendCoinsEntry</name>
<message>
<location filename="../forms/sendcoinsentry.ui" line="+14"/>
<source>Form</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>A&mount:</source>
<translation>अमाउंट:</translation>
</message>
<message>
<location line="+13"/>
<source>Pay &To:</source>
<translation>प्राप्तकर्ता:</translation>
</message>
<message>
<location line="+24"/>
<location filename="../sendcoinsentry.cpp" line="+25"/>
<source>Enter a label for this address to add it to your address book</source>
<translation>आपकी एड्रेस बुक में इस एड्रेस के लिए एक लेबल लिखें</translation>
</message>
<message>
<location line="+9"/>
<source>&Label:</source>
<translation>लेबल:</translation>
</message>
<message>
<location line="+18"/>
<source>The address to send the payment to (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>Choose address from address book</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<source>Alt+A</source>
<translation>Alt-A</translation>
</message>
<message>
<location line="+7"/>
<source>Paste address from clipboard</source>
<translation>Clipboard से एड्रेस paste करें</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt-P</translation>
</message>
<message>
<location line="+7"/>
<source>Remove this recipient</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../sendcoinsentry.cpp" line="+1"/>
<source>Enter a BattleStake address (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Signatures - Sign / Verify a Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<location line="+124"/>
<source>&Sign Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-118"/>
<source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+18"/>
<source>The address to sign the message with (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+10"/>
<location line="+203"/>
<source>Choose an address from the address book</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-193"/>
<location line="+203"/>
<source>Alt+A</source>
<translation>Alt-A</translation>
</message>
<message>
<location line="-193"/>
<source>Paste address from clipboard</source>
<translation>Clipboard से एड्रेस paste करें</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt-P</translation>
</message>
<message>
<location line="+12"/>
<source>Enter the message you want to sign here</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+24"/>
<source>Copy the current signature to the system clipboard</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>Sign the message to prove you own this BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>Reset all sign message fields</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<location line="+146"/>
<source>Clear &All</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-87"/>
<location line="+70"/>
<source>&Verify Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-64"/>
<source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>The address the message was signed with (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+40"/>
<source>Verify the message to ensure it was signed with the specified BattleStake address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>Reset all verify message fields</source>
<translation type="unfinished"/>
</message>
<message>
<location filename="../<API key>.cpp" line="+27"/>
<location line="+3"/>
<source>Enter a BattleStake address (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-2"/>
<source>Click "Sign Message" to generate signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Enter BattleStake signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+82"/>
<location line="+81"/>
<source>The entered address is invalid.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-81"/>
<location line="+8"/>
<location line="+73"/>
<location line="+8"/>
<source>Please check the address and try again.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-81"/>
<location line="+81"/>
<source>The entered address does not refer to a key.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-73"/>
<source>Wallet unlock was cancelled.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Private key for the entered address is not available.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+12"/>
<source>Message signing failed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Message signed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+59"/>
<source>The signature could not be decoded.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<location line="+13"/>
<source>Please check the signature and try again.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The signature did not match the message digest.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Message verification failed.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Message verified.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>TransactionDesc</name>
<message>
<location filename="../transactiondesc.cpp" line="+19"/>
<source>Open until %1</source>
<translation>खुला है जबतक %1</translation>
</message>
<message numerus="yes">
<location line="-2"/>
<source>Open for %n block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+8"/>
<source>conflicted</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>%1/offline</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>%1/unconfirmed</source>
<translation>%1/अपुष्ट</translation>
</message>
<message>
<location line="+2"/>
<source>%1 confirmations</source>
<translation>%1 पुष्टियाँ</translation>
</message>
<message>
<location line="+18"/>
<source>Status</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+7"/>
<source>, broadcast through %n node(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>Date</source>
<translation>taareek</translation>
</message>
<message>
<location line="+7"/>
<source>Source</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Generated</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<location line="+17"/>
<source>From</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<location line="+22"/>
<location line="+58"/>
<source>To</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-77"/>
<location line="+2"/>
<source>own address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-2"/>
<source>label</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+37"/>
<location line="+12"/>
<location line="+45"/>
<location line="+17"/>
<location line="+30"/>
<source>Credit</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="-102"/>
<source>matures in %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+2"/>
<source>not accepted</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+44"/>
<location line="+8"/>
<location line="+15"/>
<location line="+30"/>
<source>Debit</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-39"/>
<source>Transaction fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Net amount</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Comment</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Transaction ID</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Generated coins must mature 110 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Debug information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Transaction</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Inputs</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+23"/>
<source>Amount</source>
<translation>राशि</translation>
</message>
<message>
<location line="+1"/>
<source>true</source>
<translation>सही</translation>
</message>
<message>
<location line="+0"/>
<source>false</source>
<translation>ग़लत</translation>
</message>
<message>
<location line="-211"/>
<source>, has not been successfully broadcast yet</source>
<translation>, अभी तक सफलतापूर्वक प्रसारित नहीं किया गया है</translation>
</message>
<message>
<location line="+35"/>
<source>unknown</source>
<translation>अज्ञात</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Transaction details</source>
<translation>लेन-देन का विवरण</translation>
</message>
<message>
<location line="+6"/>
<source>This pane shows a detailed description of the transaction</source>
<translation> ये खिड़की आपको लेन-देन का विस्तृत विवरण देगी !</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../<API key>.cpp" line="+226"/>
<source>Date</source>
<translation>taareek</translation>
</message>
<message>
<location line="+0"/>
<source>Type</source>
<translation>टाइप</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>पता</translation>
</message>
<message>
<location line="+0"/>
<source>Amount</source>
<translation>राशि</translation>
</message>
<message>
<location line="+60"/>
<source>Open until %1</source>
<translation>खुला है जबतक %1</translation>
</message>
<message>
<location line="+12"/>
<source>Confirmed (%1 confirmations)</source>
<translation>पक्के ( %1 पक्का करना)</translation>
</message>
<message numerus="yes">
<location line="-15"/>
<source>Open for %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform><numerusform></numerusform></translation>
</message>
<message>
<location line="+6"/>
<source>Offline</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Unconfirmed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Confirming (%1 of %2 recommended confirmations)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Conflicted</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Immature (%1 confirmations, will be available after %2)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>This block was not received by any other nodes and will probably not be accepted!</source>
<translation>यह ब्लॉक किसी भी और नोड को मिला नही है ! शायद यह ब्लॉक कोई भी नोड स्वीकारे गा नही !</translation>
</message>
<message>
<location line="+3"/>
<source>Generated but not accepted</source>
<translation>जेनरेट किया गया किंतु स्वीकारा नही गया !</translation>
</message>
<message>
<location line="+42"/>
<source>Received with</source>
<translation>स्वीकारा गया</translation>
</message>
<message>
<location line="+2"/>
<source>Received from</source>
<translation>स्वीकार्य ओर से</translation>
</message>
<message>
<location line="+3"/>
<source>Sent to</source>
<translation>भेजा गया</translation>
</message>
<message>
<location line="+2"/>
<source>Payment to yourself</source>
<translation>भेजा खुद को भुगतान</translation>
</message>
<message>
<location line="+2"/>
<source>Mined</source>
<translation>माइंड</translation>
</message>
<message>
<location line="+38"/>
<source>(n/a)</source>
<translation>(लागू नहीं)</translation>
</message>
<message>
<location line="+190"/>
<source>Transaction status. Hover over this field to show number of confirmations.</source>
<translation>ट्रांसेक्शन स्तिथि| पुष्टियों की संख्या जानने के लिए इस जगह पर माउस लायें|</translation>
</message>
<message>
<location line="+2"/>
<source>Date and time that the transaction was received.</source>
<translation>तारीख तथा समय जब ये ट्रांसेक्शन प्राप्त हुई थी|</translation>
</message>
<message>
<location line="+2"/>
<source>Type of transaction.</source>
<translation>ट्रांसेक्शन का प्रकार|</translation>
</message>
<message>
<location line="+2"/>
<source>Destination address of transaction.</source>
<translation>ट्रांसेक्शन की मंजिल का पता|</translation>
</message>
<message>
<location line="+2"/>
<source>Amount removed from or added to balance.</source>
<translation>अमाउंट बैलेंस से निकला या जमा किया गया |</translation>
</message>
</context>
<context>
<name>TransactionView</name>
<message>
<location filename="../transactionview.cpp" line="+55"/>
<location line="+16"/>
<source>All</source>
<translation>सभी</translation>
</message>
<message>
<location line="-15"/>
<source>Today</source>
<translation>आज</translation>
</message>
<message>
<location line="+1"/>
<source>This week</source>
<translation>इस हफ्ते</translation>
</message>
<message>
<location line="+1"/>
<source>This month</source>
<translation>इस महीने</translation>
</message>
<message>
<location line="+1"/>
<source>Last month</source>
<translation>पिछले महीने</translation>
</message>
<message>
<location line="+1"/>
<source>This year</source>
<translation>इस साल</translation>
</message>
<message>
<location line="+1"/>
<source>Range...</source>
<translation>विस्तार...</translation>
</message>
<message>
<location line="+11"/>
<source>Received with</source>
<translation>स्वीकार करना</translation>
</message>
<message>
<location line="+2"/>
<source>Sent to</source>
<translation>भेजा गया</translation>
</message>
<message>
<location line="+2"/>
<source>To yourself</source>
<translation>अपनेआप को</translation>
</message>
<message>
<location line="+1"/>
<source>Mined</source>
<translation>माइंड</translation>
</message>
<message>
<location line="+1"/>
<source>Other</source>
<translation>अन्य</translation>
</message>
<message>
<location line="+7"/>
<source>Enter address or label to search</source>
<translation>ढूँदने के लिए कृपा करके पता या लेबल टाइप करे !</translation>
</message>
<message>
<location line="+7"/>
<source>Min amount</source>
<translation>लघुत्तम राशि</translation>
</message>
<message>
<location line="+34"/>
<source>Copy address</source>
<translation>पता कॉपी करे</translation>
</message>
<message>
<location line="+1"/>
<source>Copy label</source>
<translation>लेबल कॉपी करे </translation>
</message>
<message>
<location line="+1"/>
<source>Copy amount</source>
<translation>कॉपी राशि</translation>
</message>
<message>
<location line="+1"/>
<source>Copy transaction ID</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Edit label</source>
<translation>एडिट लेबल</translation>
</message>
<message>
<location line="+1"/>
<source>Show transaction details</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+144"/>
<source>Export Transaction Data</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Comma separated file (*.csv)</translation>
</message>
<message>
<location line="+8"/>
<source>Confirmed</source>
<translation>पक्का</translation>
</message>
<message>
<location line="+1"/>
<source>Date</source>
<translation>taareek</translation>
</message>
<message>
<location line="+1"/>
<source>Type</source>
<translation>टाइप</translation>
</message>
<message>
<location line="+1"/>
<source>Label</source>
<translation>लेबल</translation>
</message>
<message>
<location line="+1"/>
<source>Address</source>
<translation>पता</translation>
</message>
<message>
<location line="+1"/>
<source>Amount</source>
<translation>राशि</translation>
</message>
<message>
<location line="+1"/>
<source>ID</source>
<translation>ID</translation>
</message>
<message>
<location line="+4"/>
<source>Error exporting</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+100"/>
<source>Range:</source>
<translation>विस्तार:</translation>
</message>
<message>
<location line="+8"/>
<source>to</source>
<translation>तक</translation>
</message>
</context>
<context>
<name>WalletModel</name>
<message>
<location filename="../walletmodel.cpp" line="+206"/>
<source>Sending...</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>bitcoin-core</name>
<message>
<location filename="../bitcoinstrings.cpp" line="+33"/>
<source>BattleStake version</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Usage:</source>
<translation>खपत :</translation>
</message>
<message>
<location line="+1"/>
<source>Send command to -server or BattleStaked</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>List commands</source>
<translation>commands की लिस्ट बनाएं</translation>
</message>
<message>
<location line="+1"/>
<source>Get help for a command</source>
<translation>किसी command के लिए मदद लें</translation>
</message>
<message>
<location line="+2"/>
<source>Options:</source>
<translation>विकल्प:</translation>
</message>
<message>
<location line="+2"/>
<source>Specify configuration file (default: BattleStake.conf)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Specify pid file (default: BattleStaked.pid)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Specify wallet file (within data directory)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Specify data directory</source>
<translation>डेटा डायरेक्टरी बताएं </translation>
</message>
<message>
<location line="+2"/>
<source>Set database cache size in megabytes (default: 25)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Set database disk log size in megabytes (default: 100)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Listen for connections on <port> (default: 15714 or testnet: 25714)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Maintain at most <n> connections to peers (default: 125)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Connect to a node to retrieve peer addresses, and disconnect</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Specify your own public address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Bind to given address. Use [host]:port notation for IPv6</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Stake your coins to support network and gain reward (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Threshold for disconnecting misbehaving peers (default: 100)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-44"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+51"/>
<source>Detach block and address databases. Increases shutdown time (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+109"/>
<source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-5"/>
<source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds </source>
<translation type="unfinished"/>
</message>
<message>
<location line="-87"/>
<source>Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-11"/>
<source>Accept command line and JSON-RPC commands</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+101"/>
<source>Error: Transaction creation failed </source>
<translation type="unfinished"/>
</message>
<message>
<location line="-5"/>
<source>Error: Wallet locked, unable to create transaction </source>
<translation type="unfinished"/>
</message>
<message>
<location line="-8"/>
<source>Importing blockchain data file.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Importing bootstrap blockchain data file.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-88"/>
<source>Run in the background as a daemon and accept commands</source>
<translation>बैकग्राउंड में डेमॉन बन कर रन करे तथा कमांड्स स्वीकार करें </translation>
</message>
<message>
<location line="+1"/>
<source>Use the test network</source>
<translation>टेस्ट नेटवर्क का इस्तेमाल करे </translation>
</message>
<message>
<location line="-24"/>
<source>Accept connections from outside (default: 1 if no -proxy or -connect)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-38"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+117"/>
<source>Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-20"/>
<source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+61"/>
<source>Warning: Please check that your computer's date and time are correct! If your clock is wrong BattleStake will not work properly.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-31"/>
<source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-18"/>
<source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-30"/>
<source>Attempt to recover private keys from a corrupt wallet.dat</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Block creation options:</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-62"/>
<source>Connect only to the specified node(s)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Discover own IP address (default: 1 when listening and no -externalip)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+94"/>
<source>Failed to listen on any port. Use -listen=0 if you want this.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-90"/>
<source>Find peers using DNS lookup (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Sync checkpoints policy (default: strict)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+83"/>
<source>Invalid -tor address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Invalid amount for -reservebalance=<amount></source>
<translation type="unfinished"/>
</message>
<message>
<location line="-82"/>
<source>Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Maximum per-connection send buffer, <n>*1000 bytes (default: 1000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-16"/>
<source>Only connect to nodes in network <net> (IPv4, IPv6 or Tor)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+28"/>
<source>Output extra debugging information. Implies all other -debug* options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Output extra network debugging information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Prepend debug output with timestamp</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+35"/>
<source>SSL options: (see the Bitcoin Wiki for SSL setup instructions)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-74"/>
<source>Select the version of socks proxy to use (4-5, default: 5)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+41"/>
<source>Send trace/debug info to console instead of debug.log file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Send trace/debug info to debugger</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+28"/>
<source>Set maximum block size in bytes (default: 250000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Set minimum block size in bytes (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-29"/>
<source>Shrink debug.log file on client startup (default: 1 when no -debug)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-42"/>
<source>Specify connection timeout in milliseconds (default: 5000)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+109"/>
<source>Unable to sign checkpoint, wrong checkpointkey?
</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-80"/>
<source>Use UPnP to map the listening port (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Use UPnP to map the listening port (default: 1 when listening)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-25"/>
<source>Use proxy to reach tor hidden services (default: same as -proxy)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+42"/>
<source>Username for JSON-RPC connections</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+47"/>
<source>Verifying database integrity...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+57"/>
<source>WARNING: syncronized checkpoint violation detected, but skipped!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Warning: Disk space is low!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-2"/>
<source>Warning: This version is obsolete, upgrade required!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-48"/>
<source>wallet.dat corrupt, salvage failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-54"/>
<source>Password for JSON-RPC connections</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-84"/>
<source>%s, you must set a rpcpassword in the configuration file:
%s
It is recommended you use the following random password:
rpcuser=BattleStakerpc
rpcpassword=%s
(you do not need to remember this password)
The username and password MUST NOT be the same.
If the file does not exist, create it with owner-readable-only file permissions.
It is also recommended to set alertnotify so you are notified of problems;
for example: alertnotify=echo %%s | mail -s "BattleStake Alert" admin@foo.com
</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+51"/>
<source>Find peers using internet relay chat (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>When creating transactions, ignore inputs with value less than this (default: 0.01)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Allow JSON-RPC connections from specified IP address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Send commands to node running on <ip> (default: 127.0.0.1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Require a confirmations for change (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Enforce transaction scripts to use canonical PUSH operators (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Upgrade wallet to latest format</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Set key pool size to <n> (default: 100)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Rescan the block chain for missing wallet transactions</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>How many blocks to check at startup (default: 2500, 0 = all)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>How thorough the block verification is (0-6, default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Imports blocks from external blk000?.dat file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Use OpenSSL (https) for JSON-RPC connections</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Server certificate file (default: server.cert)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Server private key (default: server.pem)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+53"/>
<source>Error: Wallet unlocked for staking only, unable to create transaction.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+18"/>
<source>WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-158"/>
<source>This help message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+95"/>
<source>Wallet %s resides outside data directory %s.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Cannot obtain a lock on data directory %s. BattleStake is probably already running.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-98"/>
<source>BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+140"/>
<source>Unable to bind to %s on this computer (bind returned error %d, %s)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-130"/>
<source>Connect through socks proxy</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Allow DNS lookups for -addnode, -seednode and -connect</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+122"/>
<source>Loading addresses...</source>
<translation>पता पुस्तक आ रही है...</translation>
</message>
<message>
<location line="-15"/>
<source>Error loading blkindex.dat</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Error loading wallet.dat: Wallet corrupted</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Error loading wallet.dat: Wallet requires newer version of BattleStake</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Wallet needed to be rewritten: restart BattleStake to complete</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error loading wallet.dat</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-16"/>
<source>Invalid -proxy address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Unknown network specified in -onlynet: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-1"/>
<source>Unknown -socks proxy version requested: %i</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Cannot resolve -bind address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Cannot resolve -externalip address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-24"/>
<source>Invalid amount for -paytxfee=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+44"/>
<source>Error: could not start node</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>Sending...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Invalid amount</source>
<translation>राशि ग़लत है</translation>
</message>
<message>
<location line="+1"/>
<source>Insufficient funds</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-34"/>
<source>Loading block index...</source>
<translation>ब्लॉक इंडेक्स आ रहा है...</translation>
</message>
<message>
<location line="-103"/>
<source>Add a node to connect to and attempt to keep the connection open</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+122"/>
<source>Unable to bind to %s on this computer. BattleStake is probably already running.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-97"/>
<source>Fee per KB to add to transactions you send</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+55"/>
<source>Invalid amount for -mininput=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>Loading wallet...</source>
<translation>वॉलेट आ रहा है...</translation>
</message>
<message>
<location line="+8"/>
<source>Cannot downgrade wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Cannot initialize keypool</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Cannot write default address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Rescanning...</source>
<translation>रि-स्केनी-इंग...</translation>
</message>
<message>
<location line="+5"/>
<source>Done loading</source>
<translation>लोड हो गया|</translation>
</message>
<message>
<location line="-167"/>
<source>To use the %s option</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Error</source>
<translation>भूल</translation>
</message>
<message>
<location line="+6"/>
<source>You must set rpcpassword=<password> in the configuration file:
%s
If the file does not exist, create it with owner-readable-only file permissions.</source>
<translation type="unfinished"/>
</message>
</context>
</TS> |
package fr.univ.nantes.roomanager.dao.typesalle
import fr.univ.nantes.roomanager.bean.TarifBean
/**
* @author Pierre Gaultier
* @author Alexis Giraudet
*/
class TypeSalle(val id: Int, typeSalle: TarifBean) extends TarifBean(typeSalle.getLibelle, typeSalle.getTarifBase, typeSalle.getTarifCoef) {
override def getId(): Int = id
def uniqueConstraint(other: Any): Boolean = other match {
case that: TarifBean =>
other.isInstanceOf[TarifBean] &&
getLibelle == that.getLibelle
case _ => false
}
} |
var glob = require('glob')
var fs = require('fs')
module.exports = function (content) {
return function (pages, done) {
glob(content, {}, function (err, files) {
if (err) {
done(err)
} else {
files = files.map(function (file) {
return new Promise(function (resolve, reject) {
var page = {}
fs.readFile(file, { encoding: 'utf-8' }, function (err, data) {
if (err) {
reject(err)
} else {
page.file = file
page.content = data
resolve(page)
}
})
})
})
Promise.all(files).then(function (newPages) {
[].push.apply(pages, newPages)
done(null, pages)
})
.catch(function (err) {
done(err)
})
}
})
}
} |
<div id="page-meta" class="t30">
<p>
<!-- Look the author details up from the site config. -->
{% assign author = site.data.authors[page.author] %}
<!-- Output author details if some exist. -->
{% if author %}
<span itemprop="author" itemscope itemtype="http://schema.org/Person"><span itemprop="name" class="pr20 icon-edit"><a href="{{ author.url }}" target="_blank"> {{ author.name }}</a></span>
</span>
{% endif %}
{% if page.date %}
<time class="icon-calendar pr20" datetime="{{ page.date | date: "%Y-%m-%d" }}" itemprop="datePublished"> {{ page.date | date: "%Y-%m-%d" }}</time>
{% endif %}
{% if page.categories %}<span class="icon-archive pr20"> {{ page.categories | join: ' · ' | upcase }}{% endif %}</span>
<br>
<span class="pr20">{% for tag in page.tags %}<span class="icon-price-tag pr10"> {{tag}}</span> {% endfor %}</span>
</p>
<div id="post-nav" class="row">
{% if page.previous.url %}
<div class="small-5 columns"><a class="button small radius prev" href="{{ site.url }}{{page.previous.url}}">« {{page.previous.title}}</a></div><!-- /.small-4.columns -->
{% endif %}
<div class="small-2 columns text-center"><a class="radius button small" href="{{ site.url }}/blog/archive/" title="Blog {{ site.data.language.archive }}">{{ site.data.language.archive }}</a></div><!-- /.small-4.columns -->
{% if page.next.url %}
<div class="small-5 columns text-right"><a class="button small radius next" href="{{ site.url }}{{page.next.url}}">{{page.next.title}} »</a></div><!-- /.small-4.columns -->
{% endif %}
</div>
</div><!-- /.page-meta --> |
<html xmlns="http:
<body>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Head.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Klassen/AdminCheck.php" ?>
<div id="background">
<?php
$userObject = unserialize($_SESSION['object']);
$userObject-><API key>(1);
?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Gemeinden_Start.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Gemeinden_End.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Logo.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Themes_Start.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/<API key>.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Themes_End.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Header.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Main_Start.php"; ?>
<p class="mainTextDoidSans">
<?php
require_once($_SERVER['DOCUMENT_ROOT']."/Home/Klassen/System/cUser.php");
$userObject = unserialize($_SESSION['object']);
// TODO: RECHTE
// Post
if(isset($_POST))
{
$anrede = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["anrede"]);
$vorname = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["vorname"]);
$nachname = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["nachname"]);
$plz = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["plz"]);
$adresse = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["adresse"]);
$email = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["email"]);
$telefon = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["telefon"]);
$fax = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["fax"]);
$accname = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["accname"]);
$password1 = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["password1"]);
$password2 = $GLOBALS["system"]->getDatabaseClass()->escapeString($_POST["password2"]);
$admin = false;
if(isset($_POST["administrator"]))
{
$admin = true;
}
$sucess = false;
// Passwort laenge
try
{
if(strlen($password1) > 3)
{
// Password1 == Password2
if($password1 == $password2)
{
if((strlen($vorname) >= 3) && (strlen($nachname) >= 3) && (strlen($accname) >= 3))
{
// Benutzer Anlegen
$newuser = new cUser($accname, $password1);
if(isset($newuser))
{
// Daten setzen
$newuser->vorname = $vorname;
$newuser->nachname = $nachname;
$newuser->plz = $plz;
$newuser->adresse = $adresse;
$newuser->telefon = $telefon;
$newuser->fax = $fax;
$newuser->email = $email;
$newuser->anrede = $anrede;
// Registrieren
$result = $newuser->register();
if($admin == true)
{
$newuser->login();
$newuser->setAdministrator();
}
$sucess = $result;
}
}
else
{
echo("<br>Es wurde nicht alle Pflichtfelder ausgefüllt. <br><br>Bitte gehen Sie eine Seite zurück und versuchen Sie es erneut.");
}
}
else
{
echo("<br>Die eingegeben Passwörter stimmen nicht überein. <br><br>Bitte gehen Sie eine Seite zurück und versuchen Sie es erneut.");
}
}
else
{
echo("<br>Das Passwort muss mindestens 4 Zeichen beinhalten. <br><br>Bitte gehen Sie eine Seite zurück und versuchen Sie es erneut.");
}
}
catch(Exception $ex)
{
echo("<br>Ein interner Fehler ist aufgetreten. <br><br>Bitte gehen Sie eine Seite zurück und versuchen Sie es erneut. Eventuell existiert der Benutzer bereits.");
}
if($sucess == true)
{
$GLOBALS["system"]->logger->outputLog("[ADMIN_BENUTZER] Benutzer '$accname' wurde angelegt - ".$userObject->getFullName());
echo("<br>Der Benutzer wurde erfolgreich angelegt.<br><br>Bitte beachten Sie, dass dieser Benutzer noch keine Rechte besitzt.<br>Um einen Benutzer Rechte zu geben, klicken Sie bitte auf die Schaltfläche 'Benutzer rechte geben'.");
include $_SERVER['DOCUMENT_ROOT']."/Home/Design/BackOnePage.php";
}
else
{
echo("<br>Ein interner Fehler ist aufgetreten. <br><br>Bitte gehen Sie eine Seite zurück und versuchen Sie es erneut. Eventuell existiert der Benutzer bereits.");
}
}
?>
</p>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Main_End.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Footer_Start.php"; ?>
<?php include $_SERVER['DOCUMENT_ROOT']."/Home/Design/Footer_End.php"; ?>
</div>
</body>
</html> |
function update()
print("updated!")
end |
<?php
namespace App\Http\Middleware;
use Illuminate\Foundation\Http\Middleware\VerifyCsrfToken as Middleware;
class VerifyCsrfToken extends Middleware
{
/**
* The URIs that should be excluded from CSRF verification.
*
* @var array
*/
protected $except = [
'/end','/callback'
];
} |
var moment = require("moment")
var gaillard = [], hometeamsi = [], hometeamwa = [], musicfarm = [], musichall = [], pourhouse = [], royalamerican = []
, sparrow = [], theatre99 = [], tinroof = [], windjammer = [], tonight = [], thisWeek = []
module.exports = function(shows, done) {
sortShows(shows)
var tonightList = tonightHTML(tonight)
thisWeek.push(generateHTML(gaillard, 'Gaillard Center'))
thisWeek.push(generateHTML(hometeamsi, "Home Team Sullivan's Island"))
thisWeek.push(generateHTML(hometeamwa, "Home Team West Ashley"))
thisWeek.push(generateHTML(musicfarm, 'Music Farm'))
thisWeek.push(generateHTML(musichall, 'Charleston Music Hall'))
thisWeek.push(generateHTML(pourhouse, 'Pour House'))
thisWeek.push(generateHTML(royalamerican, 'The Royal American'))
thisWeek.push(generateHTML(sparrow, 'The Sparrow'))
thisWeek.push(generateHTML(theatre99, 'Theatre 99'))
thisWeek.push(generateHTML(tinroof, 'Tin Roof'))
thisWeek.push(generateHTML(windjammer, 'The Windjammer'))
thisWeek.push(["</body></html>"])
done(tonightList, thisWeek)
}
function sortShows(shows) {
var today = moment().format('YYYY-MM-DD')
shows.forEach(function(show) {
show = JSON.parse(show)
var venue = show.venue
if(venue === 'Gaillard Center') {gaillard.push(show)}
else if(venue === "Home Team Sullivan's Island") {hometeamsi.push(show)}
else if(venue === 'Home Team West Ashley') {hometeamwa.push(show)}
else if(venue === 'Music Farm') {musicfarm.push(show)}
else if(venue === 'Charleston Music Hall') {musichall.push(show)}
else if(venue === 'Pour House') {pourhouse.push(show)}
else if(venue === 'The Royal American') {royalamerican.push(show)}
else if(venue === 'The Sparrow') {sparrow.push(show)}
else if(venue === 'Theatre 99') {theatre99.push(show)}
else if(venue === 'Tin Roof') {tinroof.push(show)}
else if(venue === 'The Windjammer') {windjammer.push(show)}
if(show.date === today) {tonight.push(show)}
})
}
function tonightHTML(shows) {
// generate all the boilerplate stuff
var html = "<!DOCTYPE html><html><head><title>chs-tonight</title><link rel='stylesheet' type='text/css' href='./public/css/style.css' />"
html += "<link href='http://fonts.googleapis.com/css?family=Quicksand' rel='stylesheet' type='text/css'></head><body>"
// now here's the meat
html += "<div id='nav'><a href='./about.html'>about</a></div>"
html += "<h1><span class='red'>T</span><span class='orange'>O</span><span class='yellow'>N</span>"
html += "<span class='green'>I</span><span class='blue'>G</span><span class='indigo'>H</span><span class='violet'>T</span></h1>"
html += "<ul>"
shows.forEach(function(show) {
html += "<li><div class='venueName'><h2><a href='"+show.venueUrl+"' target='_blank'>"+show.venue+"</a></h2></div>"
if(show.url) {html+="<h3><a target='_blank' href='"+show.url+"'>"+show.title+"</a></h3>"}
else {html+= "<h3>"+show.title+"</h3>"}
if(show.time) {html += "<span>Time: "+show.time+"</span><br />"}
if(show.price) {html += "<span>Price: "+show.price+"</span><br />"}
if(show.details) {html += "<span>Details: "+show.details+"</span><br />"}
html += "</div></li>"
})
html += "</ul>"
html += "<h1><span class='red'>T</span><span class='orange'>H</span><span class='yellow'>I</span>"
html += "<span class='green'>S</span> <span class='blue'>W</span><span class='indigo'>E</span>"
html += "<span class='violet'>E</span><span class='red'>K</span></h1>"
return html
}
function generateHTML(shows, venue) {
if(shows.length > 0) {
var venueUrl = shows[0].venueUrl
var html = "<div class='venueName'><h2><a href='"+venueUrl+"' target='_blank'>"+venue+"</a></h2></div> <ul>"
}
else var html = "<div class='venueName'><h2>"+venue+"</h2></div> <ul>"
shows.forEach(function(show) {
var newDate = []
var date = show.date.split('-')
var year = date[0]
var month = date[1]
var day = date[2]
newDate.push(month)
newDate.push(day)
newDate.push(year)
html += "<div class='showItem'><li>"
if(show.url) {html+="<h3><a target='_blank' href='"+show.url+"'>"+show.title+"</a></h3>"}
else {html+= "<h3>"+show.title+"</h3>"}
html += "<span>Date: "+newDate.join('-')+"</span><br />"
if(show.time) {html += "<span>Time: "+show.time+"</span><br />"}
if(show.price) {html += "<span>Price: "+show.price+"</span><br />"}
if(show.details) {html += "<span>Details: "+show.details+"</span><br />"}
if(show.age) {html += "<span>Age: "+show.age+"</span><br />"}
html += "</li></div><span class='spacer'> </span>"
})
html += "</ul>"
return html
} |
<?xml version="1.0" ?><!DOCTYPE TS><TS language="fa" version="2.0">
<defaultcodec>UTF-8</defaultcodec>
<context>
<name>AboutDialog</name>
<message>
<location filename="../forms/aboutdialog.ui" line="+14"/>
<source>About Musiccoin</source>
<translation>در مورد Musiccoin</translation>
</message>
<message>
<location line="+39"/>
<source><b>Musiccoin</b> version</source>
<translation>نسخه Musiccoin</translation>
</message>
<message>
<location line="+57"/>
<source>
This is experimental software.
Distributed under the MIT/X11 software license, see the accompanying file COPYING or http:
This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http:
<translation>⏎ ⏎ این نسخه نرم افزار آزمایشی است⏎ ⏎ نرم افزار تحت لیسانس MIT/X11 منتشر شده است. به فایل coping یا آدرس http:
</message>
<message>
<location filename="../aboutdialog.cpp" line="+14"/>
<source>Copyright</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The Musiccoin developers</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>AddressBookPage</name>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>Address Book</source>
<translation>فهرست آدرس</translation>
</message>
<message>
<location line="+19"/>
<source>Double-click to edit address or label</source>
<translation>برای ویرایش آدرس یا بر چسب دو بار کلیک کنید</translation>
</message>
<message>
<location line="+27"/>
<source>Create a new address</source>
<translation>آدرس جدید ایجاد کنید</translation>
</message>
<message>
<location line="+14"/>
<source>Copy the currently selected address to the system clipboard</source>
<translation>آدرس انتخاب شده در سیستم تخته رسم گیره دار کپی کنید</translation>
</message>
<message>
<location line="-11"/>
<source>&New Address</source>
<translation>آدرس جدید</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="+63"/>
<source>These are your Musiccoin addresses for receiving payments. You may want to give a different one to each sender so you can keep track of who is paying you.</source>
<translation>این آدرسها، آدرسهای musiccoin شما برای دریافت وجوه هستند. شما ممکن است آدرسهای متفاوت را به هر گیرنده اختصاص دهید که بتوانید مواردی که پرداخت می کنید را پیگیری نمایید</translation>
</message>
<message>
<location filename="../forms/addressbookpage.ui" line="+14"/>
<source>&Copy Address</source>
<translation>کپی آدرس</translation>
</message>
<message>
<location line="+11"/>
<source>Show &QR Code</source>
<translation>نمایش &کد QR</translation>
</message>
<message>
<location line="+11"/>
<source>Sign a message to prove you own a Musiccoin address</source>
<translation>پیام را برای اثبات آدرس Musiccoin خود امضا کنید</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation>امضا و پیام</translation>
</message>
<message>
<location line="+25"/>
<source>Delete the currently selected address from the list</source>
<translation>آدرس انتخاب شده در سیستم تخته رسم گیره دا حذف</translation>
</message>
<message>
<location line="+27"/>
<source>Export the data in the current tab to a file</source>
<translation>داده ها نوارِ جاری را به فایل انتقال دهید</translation>
</message>
<message>
<location line="+3"/>
<source>&Export</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-44"/>
<source>Verify a message to ensure it was signed with a specified Musiccoin address</source>
<translation>یک پیام را برای حصول اطمینان از ورود به سیستم با آدرس musiccoin مشخص، شناسایی کنید</translation>
</message>
<message>
<location line="+3"/>
<source>&Verify Message</source>
<translation>شناسایی پیام</translation>
</message>
<message>
<location line="+14"/>
<source>&Delete</source>
<translation>حذف</translation>
</message>
<message>
<location filename="../addressbookpage.cpp" line="-5"/>
<source>These are your Musiccoin addresses for sending payments. Always check the amount and the receiving address before sending coins.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>Copy &Label</source>
<translation>کپی و برچسب گذاری</translation>
</message>
<message>
<location line="+1"/>
<source>&Edit</source>
<translation>ویرایش</translation>
</message>
<message>
<location line="+1"/>
<source>Send &Coins</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+260"/>
<source>Export Address Book Data</source>
<translation>آدرس انتخاب شده در سیستم تخته رسم گیره دار کپی کنید</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Comma separated file (*.csv)</translation>
</message>
<message>
<location line="+13"/>
<source>Error exporting</source>
<translation>خطای صدور</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>تا فایل %1 نمی شود نوشت</translation>
</message>
</context>
<context>
<name>AddressTableModel</name>
<message>
<location filename="../addresstablemodel.cpp" line="+144"/>
<source>Label</source>
<translation>بر چسب</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>آدرس</translation>
</message>
<message>
<location line="+36"/>
<source>(no label)</source>
<translation>بدون برچسب</translation>
</message>
</context>
<context>
<name>AskPassphraseDialog</name>
<message>
<location filename="../forms/askpassphrasedialog.ui" line="+26"/>
<source>Passphrase Dialog</source>
<translation>دیالوگ Passphrase </translation>
</message>
<message>
<location line="+21"/>
<source>Enter passphrase</source>
<translation>وارد عبارت عبور</translation>
</message>
<message>
<location line="+14"/>
<source>New passphrase</source>
<translation>عبارت عبور نو</translation>
</message>
<message>
<location line="+14"/>
<source>Repeat new passphrase</source>
<translation>تکرار عبارت عبور نو</translation>
</message>
<message>
<location filename="../askpassphrasedialog.cpp" line="+33"/>
<source>Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>.</source>
<translation>وارد کنید..&lt;br/&gt عبارت عبور نو در پنجره
10 یا بیشتر کاراکتورهای تصادفی استفاده کنید &lt;b&gt لطفا عبارت عبور</translation>
</message>
<message>
<location line="+1"/>
<source>Encrypt wallet</source>
<translation>رمز بندی پنجره</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to unlock the wallet.</source>
<translation>این عملیت نیاز عبارت عبور پنجره شما دارد برای رمز گشایی آن</translation>
</message>
<message>
<location line="+5"/>
<source>Unlock wallet</source>
<translation>تکرار عبارت عبور نو</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to decrypt the wallet.</source>
<translation>این عملیت نیاز عبارت عبور شما دارد برای رمز بندی آن</translation>
</message>
<message>
<location line="+5"/>
<source>Decrypt wallet</source>
<translation>رمز بندی پنجره</translation>
</message>
<message>
<location line="+3"/>
<source>Change passphrase</source>
<translation>تغییر عبارت عبور</translation>
</message>
<message>
<location line="+1"/>
<source>Enter the old and new passphrase to the wallet.</source>
<translation>عبارت عبور نو و قدیم در پنجره وارد کنید</translation>
</message>
<message>
<location line="+46"/>
<source>Confirm wallet encryption</source>
<translation>تایید رمز گذاری</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR MUSICCOINS</b>!</source>
<translation>هشدار: اگر wallet رمزگذاری شود و شما passphrase را گم کنید شما همه اطلاعات musiccoin را از دست خواهید داد.</translation>
</message>
<message>
<location line="+0"/>
<source>Are you sure you wish to encrypt your wallet?</source>
<translation>آیا اطمینان دارید که می خواهید wallet رمزگذاری شود؟</translation>
</message>
<message>
<location line="+15"/>
<source>IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+100"/>
<location line="+24"/>
<source>Warning: The Caps Lock key is on!</source>
<translation>هشدار: Caps lock key روشن است</translation>
</message>
<message>
<location line="-130"/>
<location line="+58"/>
<source>Wallet encrypted</source>
<translation>تغییر عبارت عبور</translation>
</message>
<message>
<location line="-56"/>
<source>Musiccoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your musiccoins from being stolen by malware infecting your computer.</source>
<translation>Biticon هم اکنون بسته میشود تا فرایند رمزگذاری را تمام کند. به خاطر داشته باشید که رمزگذاری کیف پولتان نمیتواند به طور کامل بیتیکونهای شما را در برابر دزدیده شدن توسط بدافزارهایی که رایانه شما را آلوده میکنند، محافظت نماید.</translation>
</message>
<message>
<location line="+13"/>
<location line="+7"/>
<location line="+42"/>
<location line="+6"/>
<source>Wallet encryption failed</source>
<translation>عبارت عبور نو و قدیم در پنجره وارد کنید</translation>
</message>
<message>
<location line="-54"/>
<source>Wallet encryption failed due to an internal error. Your wallet was not encrypted.</source>
<translation>تنا موفق رمز بندی پنجره ناشی از خطای داخل شد. پنجره شما مرز بندی نشده است</translation>
</message>
<message>
<location line="+7"/>
<location line="+48"/>
<source>The supplied passphrases do not match.</source>
<translation>عبارت عبور عرضه تطابق نشد</translation>
</message>
<message>
<location line="-37"/>
<source>Wallet unlock failed</source>
<translation>نجره رمز گذار شد</translation>
</message>
<message>
<location line="+1"/>
<location line="+11"/>
<location line="+19"/>
<source>The passphrase entered for the wallet decryption was incorrect.</source>
<translation>اموفق رمز بندی پنجر</translation>
</message>
<message>
<location line="-20"/>
<source>Wallet decryption failed</source>
<translation>ناموفق رمز بندی پنجره</translation>
</message>
<message>
<location line="+14"/>
<source>Wallet passphrase was successfully changed.</source>
<translation>wallet passphrase با موفقیت تغییر یافت</translation>
</message>
</context>
<context>
<name>BitcoinGUI</name>
<message>
<location filename="../bitcoingui.cpp" line="+233"/>
<source>Sign &message...</source>
<translation>امضا و پیام</translation>
</message>
<message>
<location line="+280"/>
<source>Synchronizing with network...</source>
<translation>همگام سازی با شبکه ...</translation>
</message>
<message>
<location line="-349"/>
<source>&Overview</source>
<translation>بررسی اجمالی</translation>
</message>
<message>
<location line="+1"/>
<source>Show general overview of wallet</source>
<translation>نمای کلی پنجره نشان بده</translation>
</message>
<message>
<location line="+20"/>
<source>&Transactions</source>
<translation>&معاملات</translation>
</message>
<message>
<location line="+1"/>
<source>Browse transaction history</source>
<translation>نمایش تاریخ معاملات</translation>
</message>
<message>
<location line="+7"/>
<source>Edit the list of stored addresses and labels</source>
<translation>ویرایش لیست آدرسها و بر چسب های ذخیره ای</translation>
</message>
<message>
<location line="-14"/>
<source>Show the list of addresses for receiving payments</source>
<translation>نمایش لیست آدرس ها برای در یافت پر داخت ها</translation>
</message>
<message>
<location line="+31"/>
<source>E&xit</source>
<translation>خروج</translation>
</message>
<message>
<location line="+1"/>
<source>Quit application</source>
<translation>خروج از برنامه </translation>
</message>
<message>
<location line="+4"/>
<source>Show information about Musiccoin</source>
<translation>نمایش اطلاعات در مورد بیتکویین</translation>
</message>
<message>
<location line="+2"/>
<source>About &Qt</source>
<translation>درباره &Qt</translation>
</message>
<message>
<location line="+1"/>
<source>Show information about Qt</source>
<translation>نمایش اطلاعات درباره Qt</translation>
</message>
<message>
<location line="+2"/>
<source>&Options...</source>
<translation>تنظیمات...</translation>
</message>
<message>
<location line="+6"/>
<source>&Encrypt Wallet...</source>
<translation>رمزگذاری wallet</translation>
</message>
<message>
<location line="+3"/>
<source>&Backup Wallet...</source>
<translation>پشتیبان گیری از wallet</translation>
</message>
<message>
<location line="+2"/>
<source>&Change Passphrase...</source>
<translation>تغییر Passphrase</translation>
</message>
<message>
<location line="+285"/>
<source>Importing blocks from disk...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Reindexing blocks on disk...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-347"/>
<source>Send coins to a Musiccoin address</source>
<translation>سکه ها را به آدرس bitocin ارسال کن</translation>
</message>
<message>
<location line="+49"/>
<source>Modify configuration options for Musiccoin</source>
<translation>انتخابهای پیکربندی را برای musiccoin اصلاح کن</translation>
</message>
<message>
<location line="+9"/>
<source>Backup wallet to another location</source>
<translation>نسخه پیشتیبان wallet را به محل دیگر انتقال دهید</translation>
</message>
<message>
<location line="+2"/>
<source>Change the passphrase used for wallet encryption</source>
<translation>عبارت عبور رمز گشایی پنجره تغییر کنید</translation>
</message>
<message>
<location line="+6"/>
<source>&Debug window</source>
<translation>اشکال زدایی از صفحه</translation>
</message>
<message>
<location line="+1"/>
<source>Open debugging and diagnostic console</source>
<translation>کنسول اشکال زدایی و تشخیص را باز کنید</translation>
</message>
<message>
<location line="-4"/>
<source>&Verify message...</source>
<translation>بازبینی پیام</translation>
</message>
<message>
<location line="-165"/>
<location line="+530"/>
<source>Musiccoin</source>
<translation>یت کویین </translation>
</message>
<message>
<location line="-530"/>
<source>Wallet</source>
<translation>wallet</translation>
</message>
<message>
<location line="+101"/>
<source>&Send</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>&Receive</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>&Addresses</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>&About Musiccoin</source>
<translation>در مورد musiccoin</translation>
</message>
<message>
<location line="+9"/>
<source>&Show / Hide</source>
<translation>&نمایش/ عدم نمایش</translation>
</message>
<message>
<location line="+1"/>
<source>Show or hide the main Window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Encrypt the private keys that belong to your wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Sign messages with your Musiccoin addresses to prove you own them</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Verify messages to ensure they were signed with specified Musiccoin addresses</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+28"/>
<source>&File</source>
<translation>فایل</translation>
</message>
<message>
<location line="+7"/>
<source>&Settings</source>
<translation>تنظیمات</translation>
</message>
<message>
<location line="+6"/>
<source>&Help</source>
<translation>کمک</translation>
</message>
<message>
<location line="+9"/>
<source>Tabs toolbar</source>
<translation>نوار ابزار زبانه ها</translation>
</message>
<message>
<location line="+17"/>
<location line="+10"/>
<source>[testnet]</source>
<translation>آزمایش شبکه</translation>
</message>
<message>
<location line="+47"/>
<source>Musiccoin client</source>
<translation>مشتری Musiccoin</translation>
</message>
<message numerus="yes">
<location line="+141"/>
<source>%n active connection(s) to Musiccoin network</source>
<translation><numerusform>در صد ارتباطات فعال بیتکویین با شبکه %n</numerusform></translation>
</message>
<message>
<location line="+22"/>
<source>No block source available...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+12"/>
<source>Processed %1 of %2 (estimated) blocks of transaction history.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Processed %1 blocks of transaction history.</source>
<translation type="unfinished"/>
</message>
<message numerus="yes">
<location line="+20"/>
<source>%n hour(s)</source>
<translation type="unfinished"><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n day(s)</source>
<translation type="unfinished"><numerusform></numerusform></translation>
</message>
<message numerus="yes">
<location line="+4"/>
<source>%n week(s)</source>
<translation type="unfinished"><numerusform></numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>%1 behind</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Last received block was generated %1 ago.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Transactions after this will not yet be visible.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>Error</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+70"/>
<source>This transaction is over the size limit. You can still send it for a fee of %1, which goes to the nodes that process your transaction and helps to support the network. Do you want to pay the fee?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-140"/>
<source>Up to date</source>
<translation>تا تاریخ</translation>
</message>
<message>
<location line="+31"/>
<source>Catching up...</source>
<translation>ابتلا به بالا</translation>
</message>
<message>
<location line="+113"/>
<source>Confirm transaction fee</source>
<translation>هزینه تراکنش را تایید کنید</translation>
</message>
<message>
<location line="+8"/>
<source>Sent transaction</source>
<translation>معامله ارسال شده</translation>
</message>
<message>
<location line="+0"/>
<source>Incoming transaction</source>
<translation>معامله در یافت شده</translation>
</message>
<message>
<location line="+1"/>
<source>Date: %1
Amount: %2
Type: %3
Address: %4
</source>
<translation>تاریخ %1
مبلغ%2
نوع %3
آدرس %4</translation>
</message>
<message>
<location line="+33"/>
<location line="+23"/>
<source>URI handling</source>
<translation>مدیریت URI</translation>
</message>
<message>
<location line="-23"/>
<location line="+23"/>
<source>URI can not be parsed! This can be caused by an invalid Musiccoin address or malformed URI parameters.</source>
<translation>URI قابل تحلیل نیست. این خطا ممکن است به دلیل ادرس MUSICCOIN اشتباه یا پارامترهای اشتباه URI رخ داده باشد</translation>
</message>
<message>
<location line="+17"/>
<source>Wallet is <b>encrypted</b> and currently <b>unlocked</b></source>
<translation>زمایش شبکهه</translation>
</message>
<message>
<location line="+8"/>
<source>Wallet is <b>encrypted</b> and currently <b>locked</b></source>
<translation>زمایش شبکه</translation>
</message>
<message>
<location filename="../bitcoin.cpp" line="+111"/>
<source>A fatal error occurred. Musiccoin can no longer continue safely and will quit.</source>
<translation>خطا روی داده است. Musiccoin نمی تواند بدون مشکل ادامه دهد و باید بسته شود</translation>
</message>
</context>
<context>
<name>ClientModel</name>
<message>
<location filename="../clientmodel.cpp" line="+104"/>
<source>Network Alert</source>
<translation>پیام شبکه</translation>
</message>
</context>
<context>
<name>EditAddressDialog</name>
<message>
<location filename="../forms/editaddressdialog.ui" line="+14"/>
<source>Edit Address</source>
<translation>اصلاح آدرس</translation>
</message>
<message>
<location line="+11"/>
<source>&Label</source>
<translation>بر چسب</translation>
</message>
<message>
<location line="+10"/>
<source>The label associated with this address book entry</source>
<translation>بر چسب با دفتر آدرس ورود مرتبط است</translation>
</message>
<message>
<location line="+7"/>
<source>&Address</source>
<translation>آدرس</translation>
</message>
<message>
<location line="+10"/>
<source>The address associated with this address book entry. This can only be modified for sending addresses.</source>
<translation>آدرس با دفتر آدرس ورودی مرتبط است. این فقط در مورد آدرسهای ارسال شده است</translation>
</message>
<message>
<location filename="../editaddressdialog.cpp" line="+21"/>
<source>New receiving address</source>
<translation>آدرس در یافت نو</translation>
</message>
<message>
<location line="+4"/>
<source>New sending address</source>
<translation>آدرس ارسال نو</translation>
</message>
<message>
<location line="+3"/>
<source>Edit receiving address</source>
<translation>اصلاح آدرس در یافت</translation>
</message>
<message>
<location line="+4"/>
<source>Edit sending address</source>
<translation>اصلاح آدرس ارسال</translation>
</message>
<message>
<location line="+76"/>
<source>The entered address "%1" is already in the address book.</source>
<translation>%1آدرس وارد شده دیگر در دفتر آدرس است</translation>
</message>
<message>
<location line="-5"/>
<source>The entered address "%1" is not a valid Musiccoin address.</source>
<translation>آدرس وارد شده %1 یک ادرس صحیح musiccoin نیست</translation>
</message>
<message>
<location line="+10"/>
<source>Could not unlock wallet.</source>
<translation>رمز گشایی پنجره امکان پذیر نیست</translation>
</message>
<message>
<location line="+5"/>
<source>New key generation failed.</source>
<translation>کلید نسل جدید ناموفق است</translation>
</message>
</context>
<context>
<name>GUIUtil::HelpMessageBox</name>
<message>
<location filename="../guiutil.cpp" line="+424"/>
<location line="+12"/>
<source>Musiccoin-Qt</source>
<translation>Musiccoin-Qt</translation>
</message>
<message>
<location line="-12"/>
<source>version</source>
<translation>نسخه</translation>
</message>
<message>
<location line="+2"/>
<source>Usage:</source>
<translation>ستفاده :</translation>
</message>
<message>
<location line="+1"/>
<source>command-line options</source>
<translation>انتخابها برای خطوط دستور command line</translation>
</message>
<message>
<location line="+4"/>
<source>UI options</source>
<translation>انتخابهای UI </translation>
</message>
<message>
<location line="+1"/>
<source>Set language, for example "de_DE" (default: system locale)</source>
<translation>زبان را تنظیم کنید برای مثال "de_DE" (پیش فرض: system locale)</translation>
</message>
<message>
<location line="+1"/>
<source>Start minimized</source>
<translation>شروع حد اقل</translation>
</message>
<message>
<location line="+1"/>
<source>Show splash screen on startup (default: 1)</source>
<translation>نمایش صفحه splash در STARTUP (پیش فرض:1)</translation>
</message>
</context>
<context>
<name>OptionsDialog</name>
<message>
<location filename="../forms/optionsdialog.ui" line="+14"/>
<source>Options</source>
<translation>اصلی</translation>
</message>
<message>
<location line="+16"/>
<source>&Main</source>
<translation>اصلی</translation>
</message>
<message>
<location line="+6"/>
<source>Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Pay transaction &fee</source>
<translation>دستمزد&پر داخت معامله</translation>
</message>
<message>
<location line="+31"/>
<source>Automatically start Musiccoin after logging in to the system.</source>
<translation>در زمان ورود به سیستم به صورت خودکار musiccoin را اجرا کن</translation>
</message>
<message>
<location line="+3"/>
<source>&Start Musiccoin on system login</source>
<translation>اجرای musiccoin در زمان ورود به سیستم</translation>
</message>
<message>
<location line="+35"/>
<source>Reset all client options to default.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Reset Options</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+13"/>
<source>&Network</source>
<translation>شبکه</translation>
</message>
<message>
<location line="+6"/>
<source>Automatically open the Musiccoin client port on the router. This only works when your router supports UPnP and it is enabled.</source>
<translation>اتوماتیک باز کردن بندر بیتکویین در روتر . این فقط در مواردی می باشد که روتر با کمک یو پ ن پ کار می کند</translation>
</message>
<message>
<location line="+3"/>
<source>Map port using &UPnP</source>
<translation>درگاه با استفاده از</translation>
</message>
<message>
<location line="+7"/>
<source>Connect to the Musiccoin network through a SOCKS proxy (e.g. when connecting through Tor).</source>
<translation>اتصال به شبکه MUSICCOIN از طریق پراکسی ساکس (برای مثال وقتی از طریق نرم افزار TOR متصل می شوید)</translation>
</message>
<message>
<location line="+3"/>
<source>&Connect through SOCKS proxy:</source>
<translation>اتصال با پراکسی SOCKS</translation>
</message>
<message>
<location line="+9"/>
<source>Proxy &IP:</source>
<translation>پراکسی و آی.پی.</translation>
</message>
<message>
<location line="+19"/>
<source>IP address of the proxy (e.g. 127.0.0.1)</source>
<translation>درس پروکسی</translation>
</message>
<message>
<location line="+7"/>
<source>&Port:</source>
<translation>درگاه</translation>
</message>
<message>
<location line="+19"/>
<source>Port of the proxy (e.g. 9050)</source>
<translation>درگاه پراکسی (مثال 9050)</translation>
</message>
<message>
<location line="+7"/>
<source>SOCKS &Version:</source>
<translation>SOCKS و نسخه</translation>
</message>
<message>
<location line="+13"/>
<source>SOCKS version of the proxy (e.g. 5)</source>
<translation>نسخه SOCKS از پراکسی (مثال 5)</translation>
</message>
<message>
<location line="+36"/>
<source>&Window</source>
<translation>صفحه</translation>
</message>
<message>
<location line="+6"/>
<source>Show only a tray icon after minimizing the window.</source>
<translation>tray icon را تنها بعد از کوچک کردن صفحه نمایش بده</translation>
</message>
<message>
<location line="+3"/>
<source>&Minimize to the tray instead of the taskbar</source>
<translation>حد اقل رساندن در جای نوار ابزار ها</translation>
</message>
<message>
<location line="+7"/>
<source>Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.</source>
<translation>حد اقل رساندن در جای خروج بر نامه وقتیکه پنجره بسته است.وقتیکه این فعال است برنامه خاموش می شود بعد از انتخاب دستور خاموش در منیو</translation>
</message>
<message>
<location line="+3"/>
<source>M&inimize on close</source>
<translation>کوچک کردن صفحه در زمان بستن</translation>
</message>
<message>
<location line="+21"/>
<source>&Display</source>
<translation>نمایش</translation>
</message>
<message>
<location line="+8"/>
<source>User Interface &language:</source>
<translation>میانجی کاربر و زبان</translation>
</message>
<message>
<location line="+13"/>
<source>The user interface language can be set here. This setting will take effect after restarting Musiccoin.</source>
<translation>زبان میانجی کاربر می تواند در اینجا تنظیم شود. این تنظیمات بعد از شروع دوباره RESTART در MUSICCOIN اجرایی خواهند بود.</translation>
</message>
<message>
<location line="+11"/>
<source>&Unit to show amounts in:</source>
<translation>واحد برای نمایش میزان وجوه در:</translation>
</message>
<message>
<location line="+13"/>
<source>Choose the default subdivision unit to show in the interface and when sending coins.</source>
<translation>بخش فرعی پیش فرض را برای نمایش میانجی و زمان ارسال سکه ها مشخص و انتخاب نمایید</translation>
</message>
<message>
<location line="+9"/>
<source>Whether to show Musiccoin addresses in the transaction list or not.</source>
<translation>تا آدرسهای bITCOIN در فهرست تراکنش نمایش داده شوند یا نشوند.</translation>
</message>
<message>
<location line="+3"/>
<source>&Display addresses in transaction list</source>
<translation>نمایش آدرسها در فهرست تراکنش</translation>
</message>
<message>
<location line="+71"/>
<source>&OK</source>
<translation>تایید</translation>
</message>
<message>
<location line="+7"/>
<source>&Cancel</source>
<translation>رد</translation>
</message>
<message>
<location line="+10"/>
<source>&Apply</source>
<translation>انجام</translation>
</message>
<message>
<location filename="../optionsdialog.cpp" line="+53"/>
<source>default</source>
<translation>پیش فرض</translation>
</message>
<message>
<location line="+130"/>
<source>Confirm options reset</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Some settings may require a client restart to take effect.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Do you want to proceed?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+42"/>
<location line="+9"/>
<source>Warning</source>
<translation>هشدار</translation>
</message>
<message>
<location line="-9"/>
<location line="+9"/>
<source>This setting will take effect after restarting Musiccoin.</source>
<translation>این تنظیمات پس از اجرای دوباره Musiccoin اعمال می شوند</translation>
</message>
<message>
<location line="+29"/>
<source>The supplied proxy address is invalid.</source>
<translation>آدرس پراکسی داده شده صحیح نیست</translation>
</message>
</context>
<context>
<name>OverviewPage</name>
<message>
<location filename="../forms/overviewpage.ui" line="+14"/>
<source>Form</source>
<translation>تراز</translation>
</message>
<message>
<location line="+50"/>
<location line="+166"/>
<source>The displayed information may be out of date. Your wallet automatically synchronizes with the Musiccoin network after a connection is established, but this process has not completed yet.</source>
<translation>اطلاعات نمایش داده شده روزآمد نیستند.wallet شما به صورت خودکار با شبکه musiccoin بعد از برقراری اتصال روزآمد می شود اما این فرایند هنوز کامل نشده است.</translation>
</message>
<message>
<location line="-124"/>
<source>Balance:</source>
<translation>راز:</translation>
</message>
<message>
<location line="+29"/>
<source>Unconfirmed:</source>
<translation>تایید نشده</translation>
</message>
<message>
<location line="-78"/>
<source>Wallet</source>
<translation>wallet</translation>
</message>
<message>
<location line="+107"/>
<source>Immature:</source>
<translation>نابالغ</translation>
</message>
<message>
<location line="+13"/>
<source>Mined balance that has not yet matured</source>
<translation>بالانس/تتمه حساب استخراج شده، نابالغ است /تکمیل نشده است</translation>
</message>
<message>
<location line="+46"/>
<source><b>Recent transactions</b></source>
<translation>اخرین معاملات&lt</translation>
</message>
<message>
<location line="-101"/>
<source>Your current balance</source>
<translation>تزار جاری شما</translation>
</message>
<message>
<location line="+29"/>
<source>Total of transactions that have yet to be confirmed, and do not yet count toward the current balance</source>
<translation>تعداد معاملات که تایید شده ولی هنوز در تزار جاری شما بر شمار نرفته است</translation>
</message>
<message>
<location filename="../overviewpage.cpp" line="+116"/>
<location line="+1"/>
<source>out of sync</source>
<translation>روزآمد نشده</translation>
</message>
</context>
<context>
<name>PaymentServer</name>
<message>
<location filename="../paymentserver.cpp" line="+107"/>
<source>Cannot start musiccoin: click-to-pay handler</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>QRCodeDialog</name>
<message>
<location filename="../forms/qrcodedialog.ui" line="+14"/>
<source>QR Code Dialog</source>
<translation>دیالوگ QR CODE</translation>
</message>
<message>
<location line="+59"/>
<source>Request Payment</source>
<translation>درخواست پرداخت</translation>
</message>
<message>
<location line="+56"/>
<source>Amount:</source>
<translation>مقدار:</translation>
</message>
<message>
<location line="-44"/>
<source>Label:</source>
<translation>برچسب:</translation>
</message>
<message>
<location line="+19"/>
<source>Message:</source>
<translation>پیام</translation>
</message>
<message>
<location line="+71"/>
<source>&Save As...</source>
<translation>&ذخیره به عنوان...</translation>
</message>
<message>
<location filename="../qrcodedialog.cpp" line="+62"/>
<source>Error encoding URI into QR Code.</source>
<translation>خطا در زمان رمزدار کردن URI در کد QR</translation>
</message>
<message>
<location line="+40"/>
<source>The entered amount is invalid, please check.</source>
<translation>میزان وجه وارد شده صحیح نیست، لطفا بررسی نمایید</translation>
</message>
<message>
<location line="+23"/>
<source>Resulting URI too long, try to reduce the text for label / message.</source>
<translation>URI ذکر شده بسیار طولانی است، متن برچسب/پیام را کوتاه کنید</translation>
</message>
<message>
<location line="+25"/>
<source>Save QR Code</source>
<translation>ذخیره کد QR</translation>
</message>
<message>
<location line="+0"/>
<source>PNG Images (*.png)</source>
<translation>تصاویر با فرمت PNG (*.png)</translation>
</message>
</context>
<context>
<name>RPCConsole</name>
<message>
<location filename="../forms/rpcconsole.ui" line="+46"/>
<source>Client name</source>
<translation>نام مشتری</translation>
</message>
<message>
<location line="+10"/>
<location line="+23"/>
<location line="+26"/>
<location line="+23"/>
<location line="+23"/>
<location line="+36"/>
<location line="+53"/>
<location line="+23"/>
<location line="+23"/>
<location filename="../rpcconsole.cpp" line="+339"/>
<source>N/A</source>
<translation>-</translation>
</message>
<message>
<location line="-217"/>
<source>Client version</source>
<translation>نسخه مشتری</translation>
</message>
<message>
<location line="-45"/>
<source>&Information</source>
<translation>اطلاعات</translation>
</message>
<message>
<location line="+68"/>
<source>Using OpenSSL version</source>
<translation>استفاده از نسخه OPENSSL</translation>
</message>
<message>
<location line="+49"/>
<source>Startup time</source>
<translation>زمان آغاز STARTUP</translation>
</message>
<message>
<location line="+29"/>
<source>Network</source>
<translation>شبکه</translation>
</message>
<message>
<location line="+7"/>
<source>Number of connections</source>
<translation>تعداد اتصالات</translation>
</message>
<message>
<location line="+23"/>
<source>On testnet</source>
<translation>در testnetکها</translation>
</message>
<message>
<location line="+23"/>
<source>Block chain</source>
<translation>زنجیره بلاک</translation>
</message>
<message>
<location line="+7"/>
<source>Current number of blocks</source>
<translation>تعداد کنونی بلاکها</translation>
</message>
<message>
<location line="+23"/>
<source>Estimated total blocks</source>
<translation>تعداد تخمینی بلاکها</translation>
</message>
<message>
<location line="+23"/>
<source>Last block time</source>
<translation>زمان آخرین بلاک</translation>
</message>
<message>
<location line="+52"/>
<source>&Open</source>
<translation>باز کردن</translation>
</message>
<message>
<location line="+16"/>
<source>Command-line options</source>
<translation>گزینه های command-line</translation>
</message>
<message>
<location line="+7"/>
<source>Show the Musiccoin-Qt help message to get a list with possible Musiccoin command-line options.</source>
<translation>پیام راهنمای Musiccoin-Qt را برای گرفتن فهرست گزینه های command-line نشان بده</translation>
</message>
<message>
<location line="+3"/>
<source>&Show</source>
<translation>نمایش</translation>
</message>
<message>
<location line="+24"/>
<source>&Console</source>
<translation>کنسول</translation>
</message>
<message>
<location line="-260"/>
<source>Build date</source>
<translation>ساخت تاریخ</translation>
</message>
<message>
<location line="-104"/>
<source>Musiccoin - Debug window</source>
<translation>صفحه اشکال زدایی Musiccoin </translation>
</message>
<message>
<location line="+25"/>
<source>Musiccoin Core</source>
<translation> هسته Musiccoin </translation>
</message>
<message>
<location line="+279"/>
<source>Debug log file</source>
<translation>فایلِ لاگِ اشکال زدایی</translation>
</message>
<message>
<location line="+7"/>
<source>Open the Musiccoin debug log file from the current data directory. This can take a few seconds for large log files.</source>
<translation>فایلِ لاگِ اشکال زدایی Musiccoin را از دایرکتوری جاری داده ها باز کنید. این عملیات ممکن است برای فایلهای لاگِ حجیم طولانی شود.</translation>
</message>
<message>
<location line="+102"/>
<source>Clear console</source>
<translation>پاکسازی کنسول</translation>
</message>
<message>
<location filename="../rpcconsole.cpp" line="-30"/>
<source>Welcome to the Musiccoin RPC console.</source>
<translation>به کنسول Musiccoin RPC خوش آمدید</translation>
</message>
<message>
<location line="+1"/>
<source>Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.</source>
<translation>دکمه های بالا و پایین برای مرور تاریخچه و Ctrl-L برای پاکسازی صفحه</translation>
</message>
<message>
<location line="+1"/>
<source>Type <b>help</b> for an overview of available commands.</source>
<translation>با تایپ عبارت HELP دستورهای در دسترس را مرور خواهید کرد</translation>
</message>
</context>
<context>
<name>SendCoinsDialog</name>
<message>
<location filename="../forms/sendcoinsdialog.ui" line="+14"/>
<location filename="../sendcoinsdialog.cpp" line="+124"/>
<location line="+5"/>
<location line="+5"/>
<location line="+5"/>
<location line="+6"/>
<location line="+5"/>
<location line="+5"/>
<source>Send Coins</source>
<translation>ارسال سکه ها</translation>
</message>
<message>
<location line="+50"/>
<source>Send to multiple recipients at once</source>
<translation>ارسال چندین در یافت ها فورا</translation>
</message>
<message>
<location line="+3"/>
<source>Add &Recipient</source>
<translation>اضافه کردن دریافت کننده</translation>
</message>
<message>
<location line="+20"/>
<source>Remove all transaction fields</source>
<translation>پاک کردن تمام ستونهای تراکنش</translation>
</message>
<message>
<location line="+3"/>
<source>Clear &All</source>
<translation>پاکسازی همه</translation>
</message>
<message>
<location line="+22"/>
<source>Balance:</source>
<translation>تزار :</translation>
</message>
<message>
<location line="+10"/>
<source>123.456 BTC</source>
<translation>123.456 بتس</translation>
</message>
<message>
<location line="+31"/>
<source>Confirm the send action</source>
<translation>عملیت دوم تایید کنید</translation>
</message>
<message>
<location line="+3"/>
<source>S&end</source>
<translation>&;ارسال</translation>
</message>
<message>
<location filename="../sendcoinsdialog.cpp" line="-59"/>
<source><b>%1</b> to %2 (%3)</source>
<translation>(%3) تا <b>%1</b> درصد%2</translation>
</message>
<message>
<location line="+5"/>
<source>Confirm send coins</source>
<translation>ارسال سکه ها تایید کنید</translation>
</message>
<message>
<location line="+1"/>
<source>Are you sure you want to send %1?</source>
<translation> %1شما متماینید که می خواهید 1% ارسال کنید ؟</translation>
</message>
<message>
<location line="+0"/>
<source> and </source>
<translation>و</translation>
</message>
<message>
<location line="+23"/>
<source>The recipient address is not valid, please recheck.</source>
<translation>آدرس گیرنده نادرست است، لطفا دوباره بررسی کنید.</translation>
</message>
<message>
<location line="+5"/>
<source>The amount to pay must be larger than 0.</source>
<translation>مبلغ پر داخت باید از 0 بیشتر باشد </translation>
</message>
<message>
<location line="+5"/>
<source>The amount exceeds your balance.</source>
<translation>میزان وجه از بالانس/تتمه حساب شما بیشتر است</translation>
</message>
<message>
<location line="+5"/>
<source>The total exceeds your balance when the %1 transaction fee is included.</source>
<translation>کل میزان وجه از بالانس/تتمه حساب شما بیشتر می شود وقتی %1 هزینه تراکنش نیز به ین میزان افزوده می شود</translation>
</message>
<message>
<location line="+6"/>
<source>Duplicate address found, can only send to each address once per send operation.</source>
<translation>آدرس تکراری یافت شده است، در زمان انجام عملیات به هر آدرس تنها یکبار می توانید اطلاعات ارسال کنید</translation>
</message>
<message>
<location line="+5"/>
<source>Error: Transaction creation failed!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Error: The transaction was rejected. This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation>خطا: تراکنش تایید نشد. این پیام زمانی روی می دهد که مقداری از سکه های WALLET شما استفاده شده اند برای مثال اگر شما از WALLET.DAT استفاده کرده اید، ممکن است سکه ها استفاده شده باشند اما در اینجا نمایش داده نشوند</translation>
</message>
</context>
<context>
<name>SendCoinsEntry</name>
<message>
<location filename="../forms/sendcoinsentry.ui" line="+14"/>
<source>Form</source>
<translation>تراز</translation>
</message>
<message>
<location line="+15"/>
<source>A&mount:</source>
<translation>A&مبلغ :</translation>
</message>
<message>
<location line="+13"/>
<source>Pay &To:</source>
<translation>به&پر داخت :</translation>
</message>
<message>
<location line="+34"/>
<source>The address to send the payment to (e.g. <API key>)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+60"/>
<location filename="../sendcoinsentry.cpp" line="+26"/>
<source>Enter a label for this address to add it to your address book</source>
<translation>برای آدرس بر پسب وارد کنید که در دفتر آدرس اضافه شود</translation>
</message>
<message>
<location line="-78"/>
<source>&Label:</source>
<translation>&بر چسب </translation>
</message>
<message>
<location line="+28"/>
<source>Choose address from address book</source>
<translation>اآدرسن ازدفتر آدرس انتخاب کنید</translation>
</message>
<message>
<location line="+10"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="+7"/>
<source>Paste address from clipboard</source>
<translation>آدرس از تخته رسم گیره دار پست کنید </translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+7"/>
<source>Remove this recipient</source>
<translation>بر داشتن این در یافت کننده</translation>
</message>
<message>
<location filename="../sendcoinsentry.cpp" line="+1"/>
<source>Enter a Musiccoin address (e.g. <API key>)</source>
<translation>آدرس بیتکویین وارد کنید (bijvoorbeeld: <API key>)</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Signatures - Sign / Verify a Message</source>
<translation>امضا - امضا کردن /شناسایی یک پیام</translation>
</message>
<message>
<location line="+13"/>
<source>&Sign Message</source>
<translation>&امضای پیام</translation>
</message>
<message>
<location line="+6"/>
<source>You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.</source>
<translation>شما می توانید پیامها را با آدرس خودتان امضا نمایید تا ثابت شود متعلق به شما هستند. مواظب باشید تا چیزی که بدان مطمئن نیستنید را امضا نکنید زیرا حملات فیشینگ در زمان ورود شما به سیستم فریبنده هستند. تنها مواردی را که حاوی اطلاعات دقیق و قابل قبول برای شما هستند را امضا کنید</translation>
</message>
<message>
<location line="+18"/>
<source>The address to sign the message with (e.g. <API key>)</source>
<translation>آدرس برای امضا کردن پیام با (برای مثال <API key>)</translation>
</message>
<message>
<location line="+10"/>
<location line="+213"/>
<source>Choose an address from the address book</source>
<translation>یک آدرس را از فهرست آدرسها انتخاب کنید</translation>
</message>
<message>
<location line="-203"/>
<location line="+213"/>
<source>Alt+A</source>
<translation>Alt+A</translation>
</message>
<message>
<location line="-203"/>
<source>Paste address from clipboard</source>
<translation>آدرس از تخته رسم گیره دار پست کنید </translation>
</message>
<message>
<location line="+10"/>
<source>Alt+P</source>
<translation>Alt+P</translation>
</message>
<message>
<location line="+12"/>
<source>Enter the message you want to sign here</source>
<translation>پیامی را که میخواهید امضا کنید در اینجا وارد کنید</translation>
</message>
<message>
<location line="+7"/>
<source>Signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Copy the current signature to the system clipboard</source>
<translation>این امضا را در system clipboard کپی کن</translation>
</message>
<message>
<location line="+21"/>
<source>Sign the message to prove you own this Musiccoin address</source>
<translation>پیام را برای اثبات آدرس MUSICCOIN خود امضا کنید</translation>
</message>
<message>
<location line="+3"/>
<source>Sign &Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Reset all sign message fields</source>
<translation>تنظیم دوباره تمامی فیلدهای پیام</translation>
</message>
<message>
<location line="+3"/>
<location line="+146"/>
<source>Clear &All</source>
<translation>پاکسازی همه</translation>
</message>
<message>
<location line="-87"/>
<source>&Verify Message</source>
<translation>تایید پیام</translation>
</message>
<message>
<location line="+6"/>
<source>Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.</source>
<translation>آدرس/پیام خود را وارد کنید (مطمئن شوید که فاصله بین خطوط، فاصله ها، تب ها و ... را دقیقا کپی می کنید) و سپس امضا کنید تا پیام تایید شود. مراقب باشید که پیام را بیشتر از مطالب درون امضا مطالعه نمایید تا فریب شخص سوم/دزدان اینترنتی را نخورید.</translation>
</message>
<message>
<location line="+21"/>
<source>The address the message was signed with (e.g. <API key>)</source>
<translation>آدرس برای امضا کردن پیام با (برای مثال <API key>)</translation>
</message>
<message>
<location line="+40"/>
<source>Verify the message to ensure it was signed with the specified Musiccoin address</source>
<translation>پیام را برای اطمنان از ورود به سیستم با آدرس MUSICCOIN مشخص خود،تایید کنید</translation>
</message>
<message>
<location line="+3"/>
<source>Verify &Message</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Reset all verify message fields</source>
<translation>تنظیم دوباره تمامی فیلدهای پیام تایید شده</translation>
</message>
<message>
<location filename="../<API key>.cpp" line="+27"/>
<location line="+3"/>
<source>Enter a Musiccoin address (e.g. <API key>)</source>
<translation>آدرس بیتکویین وارد کنید (bijvoorbeeld: <API key>)</translation>
</message>
<message>
<location line="-2"/>
<source>Click "Sign Message" to generate signature</source>
<translation>با کلیک بر "امضای پیام" شما یک امضای جدید درست می کنید</translation>
</message>
<message>
<location line="+3"/>
<source>Enter Musiccoin signature</source>
<translation>امضای BITOCOIN خود را وارد کنید</translation>
</message>
<message>
<location line="+82"/>
<location line="+81"/>
<source>The entered address is invalid.</source>
<translation>آدرس وارد شده صحیح نیست</translation>
</message>
<message>
<location line="-81"/>
<location line="+8"/>
<location line="+73"/>
<location line="+8"/>
<source>Please check the address and try again.</source>
<translation>اطفا آدرس را بررسی کرده و دوباره امتحان کنید</translation>
</message>
<message>
<location line="-81"/>
<location line="+81"/>
<source>The entered address does not refer to a key.</source>
<translation>آدرس وارد شده با کلید وارد شده مرتبط نیست</translation>
</message>
<message>
<location line="-73"/>
<source>Wallet unlock was cancelled.</source>
<translation>قفل کردن wallet انجام نشد</translation>
</message>
<message>
<location line="+8"/>
<source>Private key for the entered address is not available.</source>
<translation>کلید شخصی برای آدرس وارد شده در دسترس نیست</translation>
</message>
<message>
<location line="+12"/>
<source>Message signing failed.</source>
<translation>پیام امضا کردن انجام نشد</translation>
</message>
<message>
<location line="+5"/>
<source>Message signed.</source>
<translation>پیام امضا شد</translation>
</message>
<message>
<location line="+59"/>
<source>The signature could not be decoded.</source>
<translation>امضا نمی تواند رمزگشایی شود</translation>
</message>
<message>
<location line="+0"/>
<location line="+13"/>
<source>Please check the signature and try again.</source>
<translation>لطفا امضا را بررسی و دوباره تلاش نمایید</translation>
</message>
<message>
<location line="+0"/>
<source>The signature did not match the message digest.</source>
<translation>امضا با تحلیلِ پیام مطابقت ندارد</translation>
</message>
<message>
<location line="+7"/>
<source>Message verification failed.</source>
<translation>عملیات شناسایی پیام انجام نشد</translation>
</message>
<message>
<location line="+5"/>
<source>Message verified.</source>
<translation>پیام شناسایی شد</translation>
</message>
</context>
<context>
<name>SplashScreen</name>
<message>
<location filename="../splashscreen.cpp" line="+22"/>
<source>The Musiccoin developers</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>[testnet]</source>
<translation>آزمایش شبکه</translation>
</message>
</context>
<context>
<name>TransactionDesc</name>
<message>
<location filename="../transactiondesc.cpp" line="+20"/>
<source>Open until %1</source>
<translation>باز کردن تا%1</translation>
</message>
<message>
<location line="+6"/>
<source>%1/offline</source>
<translation>%1 آفلاین</translation>
</message>
<message>
<location line="+2"/>
<source>%1/unconfirmed</source>
<translation>%1 تایید نشده </translation>
</message>
<message>
<location line="+2"/>
<source>%1 confirmations</source>
<translation>ایید %1 </translation>
</message>
<message>
<location line="+18"/>
<source>Status</source>
<translation>وضعیت</translation>
</message>
<message numerus="yes">
<location line="+7"/>
<source>, broadcast through %n node(s)</source>
<translation><numerusform>انتشار از طریق n% گره
انتشار از طریق %n گره</numerusform></translation>
</message>
<message>
<location line="+4"/>
<source>Date</source>
<translation>تاریخ </translation>
</message>
<message>
<location line="+7"/>
<source>Source</source>
<translation>منبع</translation>
</message>
<message>
<location line="+0"/>
<source>Generated</source>
<translation>تولید شده</translation>
</message>
<message>
<location line="+5"/>
<location line="+17"/>
<source>From</source>
<translation>فرستنده</translation>
</message>
<message>
<location line="+1"/>
<location line="+22"/>
<location line="+58"/>
<source>To</source>
<translation>گیرنده</translation>
</message>
<message>
<location line="-77"/>
<location line="+2"/>
<source>own address</source>
<translation>آدرس شما</translation>
</message>
<message>
<location line="-2"/>
<source>label</source>
<translation>برچسب</translation>
</message>
<message>
<location line="+37"/>
<location line="+12"/>
<location line="+45"/>
<location line="+17"/>
<location line="+30"/>
<source>Credit</source>
<translation>بدهی </translation>
</message>
<message numerus="yes">
<location line="-102"/>
<source>matures in %n more block(s)</source>
<translation><numerusform>بلوغ در n% از بیشتر بلاکها
بلوغ در %n از بیشتر بلاکها</numerusform></translation>
</message>
<message>
<location line="+2"/>
<source>not accepted</source>
<translation>غیرقابل قبول</translation>
</message>
<message>
<location line="+44"/>
<location line="+8"/>
<location line="+15"/>
<location line="+30"/>
<source>Debit</source>
<translation>اعتبار</translation>
</message>
<message>
<location line="-39"/>
<source>Transaction fee</source>
<translation>هزینه تراکنش</translation>
</message>
<message>
<location line="+16"/>
<source>Net amount</source>
<translation>هزینه خالص</translation>
</message>
<message>
<location line="+6"/>
<source>Message</source>
<translation>پیام</translation>
</message>
<message>
<location line="+2"/>
<source>Comment</source>
<translation>نظر</translation>
</message>
<message>
<location line="+2"/>
<source>Transaction ID</source>
<translation>شناسه کاربری برای تراکنش</translation>
</message>
<message>
<location line="+3"/>
<source>Generated coins must mature 120 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.</source>
<translation>سکه های ایجاد شده باید 120 بلاک را قبل از استفاده بالغ کنند. در هنگام ایجاد بلاک، آن بلاک در شبکه منتشر می شود تا به زنجیره بلاکها بپیوندد. اگر در زنجیره قرار نگیرد، پیام وضعیت به غیرقابل قبول تغییر می بپیابد و قابل استفاده نیست. این مورد معمولا زمانی پیش می آید که گره دیگری به طور همزمان بلاکی را با فاصل چند ثانیه ای از شما ایجاد کند.</translation>
</message>
<message>
<location line="+7"/>
<source>Debug information</source>
<translation>اشکال زدایی طلاعات</translation>
</message>
<message>
<location line="+8"/>
<source>Transaction</source>
<translation>تراکنش</translation>
</message>
<message>
<location line="+3"/>
<source>Inputs</source>
<translation>درونداد</translation>
</message>
<message>
<location line="+23"/>
<source>Amount</source>
<translation>مبلغ</translation>
</message>
<message>
<location line="+1"/>
<source>true</source>
<translation>صحیح</translation>
</message>
<message>
<location line="+0"/>
<source>false</source>
<translation>نادرست</translation>
</message>
<message>
<location line="-209"/>
<source>, has not been successfully broadcast yet</source>
<translation>هنوز با مو فقیت ارسال نشده</translation>
</message>
<message numerus="yes">
<location line="-35"/>
<source>Open for %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform></translation>
</message>
<message>
<location line="+70"/>
<source>unknown</source>
<translation>مشخص نیست </translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../forms/<API key>.ui" line="+14"/>
<source>Transaction details</source>
<translation>جزییات معاملات</translation>
</message>
<message>
<location line="+6"/>
<source>This pane shows a detailed description of the transaction</source>
<translation>در این قاب شیشه توصیف دقیق معامله نشان می شود</translation>
</message>
</context>
<context>
<name><API key></name>
<message>
<location filename="../<API key>.cpp" line="+225"/>
<source>Date</source>
<translation>تاریخ</translation>
</message>
<message>
<location line="+0"/>
<source>Type</source>
<translation>نوع</translation>
</message>
<message>
<location line="+0"/>
<source>Address</source>
<translation>ایل جدا </translation>
</message>
<message>
<location line="+0"/>
<source>Amount</source>
<translation>مبلغ</translation>
</message>
<message numerus="yes">
<location line="+57"/>
<source>Open for %n more block(s)</source>
<translation type="unfinished"><numerusform></numerusform></translation>
</message>
<message>
<location line="+3"/>
<source>Open until %1</source>
<translation>از شده تا 1%1</translation>
</message>
<message>
<location line="+3"/>
<source>Offline (%1 confirmations)</source>
<translation>افلایین (%1)</translation>
</message>
<message>
<location line="+3"/>
<source>Unconfirmed (%1 of %2 confirmations)</source>
<translation>تایید نشده (%1/%2)</translation>
</message>
<message>
<location line="+3"/>
<source>Confirmed (%1 confirmations)</source>
<translation>تایید شده (%1)</translation>
</message>
<message numerus="yes">
<location line="+8"/>
<source>Mined balance will be available when it matures in %n more block(s)</source>
<translation><numerusform>بالانس/تتمه حساب استخراج شده زمانی که %n از بیشتر بلاکها بالغ شدند در دسترس خواهد بود
بالانس/تتمه حساب استخراج شده زمانی که n% از بیشتر بلاکها بالغ شدند در دسترس خواهد بود</numerusform></translation>
</message>
<message>
<location line="+5"/>
<source>This block was not received by any other nodes and will probably not be accepted!</source>
<translation>این بلوک از دیگر گره ها در یافت نشده بدین دلیل شاید قابل قابول نیست</translation>
</message>
<message>
<location line="+3"/>
<source>Generated but not accepted</source>
<translation>تولید شده ولی قبول نشده</translation>
</message>
<message>
<location line="+43"/>
<source>Received with</source>
<translation>در یافت با :</translation>
</message>
<message>
<location line="+2"/>
<source>Received from</source>
<translation>دریافتی از</translation>
</message>
<message>
<location line="+3"/>
<source>Sent to</source>
<translation>ارسال به :</translation>
</message>
<message>
<location line="+2"/>
<source>Payment to yourself</source>
<translation>پر داخت به خودتان</translation>
</message>
<message>
<location line="+2"/>
<source>Mined</source>
<translation>استخراج</translation>
</message>
<message>
<location line="+38"/>
<source>(n/a)</source>
<translation>(کاربرد ندارد)</translation>
</message>
<message>
<location line="+199"/>
<source>Transaction status. Hover over this field to show number of confirmations.</source>
<translation>وضعیت معالمه . عرصه که تعداد تایید نشان می دهد</translation>
</message>
<message>
<location line="+2"/>
<source>Date and time that the transaction was received.</source>
<translation>تاریخ و ساعت در یافت معامله</translation>
</message>
<message>
<location line="+2"/>
<source>Type of transaction.</source>
<translation>نوع معاملات</translation>
</message>
<message>
<location line="+2"/>
<source>Destination address of transaction.</source>
<translation>آدرس مقصود معاملات </translation>
</message>
<message>
<location line="+2"/>
<source>Amount removed from or added to balance.</source>
<translation>مبلغ از تزار شما خارج یا وارد شده</translation>
</message>
</context>
<context>
<name>TransactionView</name>
<message>
<location filename="../transactionview.cpp" line="+52"/>
<location line="+16"/>
<source>All</source>
<translation>همه</translation>
</message>
<message>
<location line="-15"/>
<source>Today</source>
<translation>امروز</translation>
</message>
<message>
<location line="+1"/>
<source>This week</source>
<translation>این هفته</translation>
</message>
<message>
<location line="+1"/>
<source>This month</source>
<translation>این ماه</translation>
</message>
<message>
<location line="+1"/>
<source>Last month</source>
<translation>ماه گذشته</translation>
</message>
<message>
<location line="+1"/>
<source>This year</source>
<translation>امسال</translation>
</message>
<message>
<location line="+1"/>
<source>Range...</source>
<translation>محدوده </translation>
</message>
<message>
<location line="+11"/>
<source>Received with</source>
<translation>در یافت با</translation>
</message>
<message>
<location line="+2"/>
<source>Sent to</source>
<translation>ارسال به</translation>
</message>
<message>
<location line="+2"/>
<source>To yourself</source>
<translation>به خودتان </translation>
</message>
<message>
<location line="+1"/>
<source>Mined</source>
<translation>استخراج</translation>
</message>
<message>
<location line="+1"/>
<source>Other</source>
<translation>یگر </translation>
</message>
<message>
<location line="+7"/>
<source>Enter address or label to search</source>
<translation>برای جستوجو نشانی یا برچسب را وارد کنید</translation>
</message>
<message>
<location line="+7"/>
<source>Min amount</source>
<translation>حد اقل مبلغ </translation>
</message>
<message>
<location line="+34"/>
<source>Copy address</source>
<translation>کپی آدرس </translation>
</message>
<message>
<location line="+1"/>
<source>Copy label</source>
<translation>کپی بر چسب</translation>
</message>
<message>
<location line="+1"/>
<source>Copy amount</source>
<translation>روگرفت مقدار</translation>
</message>
<message>
<location line="+1"/>
<source>Copy transaction ID</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Edit label</source>
<translation>اصلاح بر چسب</translation>
</message>
<message>
<location line="+1"/>
<source>Show transaction details</source>
<translation>جزئیات تراکنش را نمایش بده</translation>
</message>
<message>
<location line="+139"/>
<source>Export Transaction Data</source>
<translation>صادرات تاریخ معامله</translation>
</message>
<message>
<location line="+1"/>
<source>Comma separated file (*.csv)</source>
<translation>Comma فایل جدا </translation>
</message>
<message>
<location line="+8"/>
<source>Confirmed</source>
<translation>تایید شده</translation>
</message>
<message>
<location line="+1"/>
<source>Date</source>
<translation>تاریخ </translation>
</message>
<message>
<location line="+1"/>
<source>Type</source>
<translation>نوع </translation>
</message>
<message>
<location line="+1"/>
<source>Label</source>
<translation>ر چسب</translation>
</message>
<message>
<location line="+1"/>
<source>Address</source>
<translation>ایل جدا </translation>
</message>
<message>
<location line="+1"/>
<source>Amount</source>
<translation>مبلغ</translation>
</message>
<message>
<location line="+1"/>
<source>ID</source>
<translation>آی دی</translation>
</message>
<message>
<location line="+4"/>
<source>Error exporting</source>
<translation>خطای صادرت</translation>
</message>
<message>
<location line="+0"/>
<source>Could not write to file %1.</source>
<translation>تا فایل %1 نمی شود نوشت</translation>
</message>
<message>
<location line="+100"/>
<source>Range:</source>
<translation>>محدوده</translation>
</message>
<message>
<location line="+8"/>
<source>to</source>
<translation>به</translation>
</message>
</context>
<context>
<name>WalletModel</name>
<message>
<location filename="../walletmodel.cpp" line="+193"/>
<source>Send Coins</source>
<translation>ارسال سکه ها</translation>
</message>
</context>
<context>
<name>WalletView</name>
<message>
<location filename="../walletview.cpp" line="+42"/>
<source>&Export</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Export the data in the current tab to a file</source>
<translation>داده ها نوارِ جاری را به فایل انتقال دهید</translation>
</message>
<message>
<location line="+193"/>
<source>Backup Wallet</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>Wallet Data (*.dat)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Backup Failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>There was an error trying to save the wallet data to the new location.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Backup Successful</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The wallet data was successfully saved to the new location.</source>
<translation type="unfinished"/>
</message>
</context>
<context>
<name>bitcoin-core</name>
<message>
<location filename="../bitcoinstrings.cpp" line="+94"/>
<source>Musiccoin version</source>
<translation>سخه بیتکویین</translation>
</message>
<message>
<location line="+102"/>
<source>Usage:</source>
<translation>ستفاده :</translation>
</message>
<message>
<location line="-29"/>
<source>Send command to -server or musiccoind</source>
<translation>ارسال فرمان به سرور یا باتکویین</translation>
</message>
<message>
<location line="-23"/>
<source>List commands</source>
<translation>لیست فومان ها</translation>
</message>
<message>
<location line="-12"/>
<source>Get help for a command</source>
<translation>کمک برای فرمان </translation>
</message>
<message>
<location line="+24"/>
<source>Options:</source>
<translation>تنظیمات</translation>
</message>
<message>
<location line="+24"/>
<source>Specify configuration file (default: musiccoin.conf)</source>
<translation>(: musiccoin.confپیش فرض: )فایل تنظیمی خاص </translation>
</message>
<message>
<location line="+3"/>
<source>Specify pid file (default: musiccoind.pid)</source>
<translation>(musiccoind.pidپیش فرض : ) فایل پید خاص</translation>
</message>
<message>
<location line="-1"/>
<source>Specify data directory</source>
<translation>دایرکتور اطلاعاتی خاص</translation>
</message>
<message>
<location line="-9"/>
<source>Set database cache size in megabytes (default: 25)</source>
<translation>سایز کَش بانک داده را بر حسب مگابایت تنظیم کنید (پیش فرض:25)</translation>
</message>
<message>
<location line="-28"/>
<source>Listen for connections on <port> (default: 60002 or testnet: 50001)</source>
<translation>برای اتصالات به <port> (پیشفرض: 60002 یا تستنت: 50001) گوش کنید</translation>
</message>
<message>
<location line="+5"/>
<source>Maintain at most <n> connections to peers (default: 125)</source>
<translation>حداکثر <n> اتصال با همکاران برقرار داشته باشید (پیشفرض: 125)</translation>
</message>
<message>
<location line="-48"/>
<source>Connect to a node to retrieve peer addresses, and disconnect</source>
<translation>اتصال به گره برای دریافت آدرسهای قرینه و قطع اتصال</translation>
</message>
<message>
<location line="+82"/>
<source>Specify your own public address</source>
<translation>آدرس عمومی خود را ذکر کنید</translation>
</message>
<message>
<location line="+3"/>
<source>Threshold for disconnecting misbehaving peers (default: 100)</source>
<translation>آستانه برای قطع ارتباط با همکاران بدرفتار (پیشفرض: 100)</translation>
</message>
<message>
<location line="-134"/>
<source>Number of seconds to keep misbehaving peers from reconnecting (default: 86400)</source>
<translation>مدت زمان به ثانیه برای جلوگیری از همکاران بدرفتار برای اتصال دوباره (پیشفرض: 86400)</translation>
</message>
<message>
<location line="-29"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv4: %s</source>
<translation>در زمان تنظیم درگاه RPX %u در فهرست کردن %s اشکالی رخ داده است</translation>
</message>
<message>
<location line="+27"/>
<source>Listen for JSON-RPC connections on <port> (default: 60001 or testnet: 50000)</source>
<translation>( 60001پیش فرض :) &lt;poort&gt; JSON-RPC شنوایی برای ارتباطات</translation>
</message>
<message>
<location line="+37"/>
<source>Accept command line and JSON-RPC commands</source>
<translation>JSON-RPC قابل فرمانها و</translation>
</message>
<message>
<location line="+76"/>
<source>Run in the background as a daemon and accept commands</source>
<translation>اجرای در پس زمینه به عنوان شبح و قبول فرمان ها</translation>
</message>
<message>
<location line="+37"/>
<source>Use the test network</source>
<translation>استفاده شبکه آزمایش</translation>
</message>
<message>
<location line="-112"/>
<source>Accept connections from outside (default: 1 if no -proxy or -connect)</source>
<translation>پذیرش اتصالات از بیرون (پیش فرض:1 بدون پراکسی یا اتصال)</translation>
</message>
<message>
<location line="-80"/>
<source>%s, you must set a rpcpassword in the configuration file:
%s
It is recommended you use the following random password:
rpcuser=musiccoinrpc
rpcpassword=%s
(you do not need to remember this password)
The username and password MUST NOT be the same.
If the file does not exist, create it with owner-readable-only file permissions.
It is also recommended to set alertnotify so you are notified of problems;
for example: alertnotify=echo %%s | mail -s "Musiccoin Alert" admin@foo.com
</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Bind to given address and always listen on it. Use [host]:port notation for IPv6</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Cannot obtain a lock on data directory %s. Musiccoin is probably already running.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Execute command when a relevant alert is received (%s in cmd is replaced by message)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+11"/>
<source>Set maximum size of high-priority/low-fee transactions in bytes (default: 27000)</source>
<translation>حجم حداکثر تراکنشهای با/کم اهمیت را به بایت تنظیم کنید (پیش فرض:27000)</translation>
</message>
<message>
<location line="+6"/>
<source>This is a pre-release test build - use at your own risk - do not use for mining or merchant applications</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.</source>
<translation>هشدار:paytxfee بسیار بالا تعریف شده است! این هزینه تراکنش است که باید در زمان ارسال تراکنش بپردازید</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: Displayed transactions may not be correct! You may need to upgrade, or other nodes may need to upgrade.</source>
<translation>هشدار: تراکنش نمایش داده شده ممکن است صحیح نباشد! شما/یا یکی از گره ها به روزآمد سازی نیاز دارید </translation>
</message>
<message>
<location line="+3"/>
<source>Warning: Please check that your computer's date and time are correct! If your clock is wrong Musiccoin will not work properly.</source>
<translation>هشدار: لطفا زمان و تاریخ رایانه خود را تصحیح نمایید! اگر ساعت رایانه شما اشتباه باشد musiccoin ممکن است صحیح کار نکند</translation>
</message>
<message>
<location line="+3"/>
<source>Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+14"/>
<source>Attempt to recover private keys from a corrupt wallet.dat</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Block creation options:</source>
<translation>بستن گزینه ایجاد</translation>
</message>
<message>
<location line="+5"/>
<source>Connect only to the specified node(s)</source>
<translation>تنها در گره (های) مشخص شده متصل شوید</translation>
</message>
<message>
<location line="+3"/>
<source>Corrupted block database detected</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Discover own IP address (default: 1 when listening and no -externalip)</source>
<translation>آدرس آی.پی. خود را شناسایی کنید (پیش فرض:1 در زمان when listening وno -externalip)</translation>
</message>
<message>
<location line="+1"/>
<source>Do you want to rebuild the block database now?</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Error initializing block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error initializing wallet database environment %s!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error loading block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Error opening block database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Error: Disk space is low!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error: Wallet locked, unable to create transaction!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Error: system error: </source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to listen on any port. Use -listen=0 if you want this.</source>
<translation>شنیدن هر گونه درگاه انجام پذیر نیست. ازlisten=0 برای اینکار استفاده کیند.</translation>
</message>
<message>
<location line="+1"/>
<source>Failed to read block info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to read block</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to sync block index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write block</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write file info</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write to coin database</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write transaction index</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Failed to write undo data</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Find peers using DNS lookup (default: 1 unless -connect)</source>
<translation>قرینه ها را برای جستجوی DNS بیاب (پیش فرض: 1 مگر در زمان اتصال)</translation>
</message>
<message>
<location line="+1"/>
<source>Generate coins (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>How many blocks to check at startup (default: 288, 0 = all)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>How thorough the block verification is (0-4, default: 3)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+19"/>
<source>Not enough file descriptors available.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Rebuild block chain index from current blk000??.dat files</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+16"/>
<source>Set the number of threads to service RPC calls (default: 4)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+26"/>
<source>Verifying blocks...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Verifying wallet...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-69"/>
<source>Imports blocks from external blk000??.dat file</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-76"/>
<source>Set the number of script verification threads (up to 16, 0 = auto, <0 = leave that many cores free, default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+77"/>
<source>Information</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Invalid -tor address: '%s'</source>
<translation>آدرس نرم افزار تور غلط است %s</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -minrelaytxfee=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Invalid amount for -mintxfee=<amount>: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+8"/>
<source>Maintain a full transaction index (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000)</source>
<translation>حداکثر بافر دریافت شده بر اساس اتصال <n>* 1000 بایت (پیش فرض:5000)</translation>
</message>
<message>
<location line="+1"/>
<source>Maximum per-connection send buffer, <n>*1000 bytes (default: 1000)</source>
<translation>حداکثر بافر دریافت شده بر اساس اتصال <n>* 1000 بایت (پیش فرض:1000)</translation>
</message>
<message>
<location line="+2"/>
<source>Only accept block chain matching built-in checkpoints (default: 1)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Only connect to nodes in network <net> (IPv4, IPv6 or Tor)</source>
<translation>تنها =به گره ها در شبکه متصا شوید <net> (IPv4, IPv6 or Tor)</translation>
</message>
<message>
<location line="+2"/>
<source>Output extra debugging information. Implies all other -debug* options</source>
<translation>برونداد اطلاعات اشکال زدایی اضافی. گزینه های اشکال زدایی دیگر رفع شدند</translation>
</message>
<message>
<location line="+1"/>
<source>Output extra network debugging information</source>
<translation>برونداد اطلاعات اشکال زدایی اضافی برای شبکه</translation>
</message>
<message>
<location line="+2"/>
<source>Prepend debug output with timestamp</source>
<translation>به خروجی اشکالزدایی برچسب زمان بزنید</translation>
</message>
<message>
<location line="+5"/>
<source>SSL options: (see the Musiccoin Wiki for SSL setup instructions)</source>
<translation>گزینه ssl (به ویکیmusiccoin برای راهنمای راه اندازی ssl مراجعه شود)</translation>
</message>
<message>
<location line="+1"/>
<source>Select the version of socks proxy to use (4-5, default: 5)</source>
<translation>نسخه ای از پراکسی ساکس را برای استفاده انتخاب کنید (4-5 پیش فرض:5)</translation>
</message>
<message>
<location line="+3"/>
<source>Send trace/debug info to console instead of debug.log file</source>
<translation>اطلاعات ردگیری/اشکالزدایی را به جای فایل لاگ اشکالزدایی به کنسول بفرستید</translation>
</message>
<message>
<location line="+1"/>
<source>Send trace/debug info to debugger</source>
<translation>اطلاعات ردگیری/اشکالزدایی را به اشکالزدا بفرستید</translation>
</message>
<message>
<location line="+5"/>
<source>Set maximum block size in bytes (default: 250000)</source>
<translation>حداکثر سایز بلاک بر اساس بایت تنظیم شود (پیش فرض: 250000)</translation>
</message>
<message>
<location line="+1"/>
<source>Set minimum block size in bytes (default: 0)</source>
<translation>حداقل سایز بلاک بر اساس بایت تنظیم شود (پیش فرض: 0)</translation>
</message>
<message>
<location line="+2"/>
<source>Shrink debug.log file on client startup (default: 1 when no -debug)</source>
<translation>فایل debug.log را در startup مشتری کوچک کن (پیش فرض:1 اگر اشکال زدایی روی نداد)</translation>
</message>
<message>
<location line="+1"/>
<source>Signing transaction failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Specify connection timeout in milliseconds (default: 5000)</source>
<translation>(میلی ثانیه )فاصله ارتباط خاص</translation>
</message>
<message>
<location line="+4"/>
<source>System error: </source>
<translation type="unfinished"/>
</message>
<message>
<location line="+4"/>
<source>Transaction amount too small</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Transaction amounts must be positive</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Transaction too large</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+7"/>
<source>Use UPnP to map the listening port (default: 0)</source>
<translation>از UPnP برای شناسایی درگاه شنیداری استفاده کنید (پیش فرض:0)</translation>
</message>
<message>
<location line="+1"/>
<source>Use UPnP to map the listening port (default: 1 when listening)</source>
<translation>از UPnP برای شناسایی درگاه شنیداری استفاده کنید (پیش فرض:1 در زمان شنیدن)</translation>
</message>
<message>
<location line="+1"/>
<source>Use proxy to reach tor hidden services (default: same as -proxy)</source>
<translation>برای دستیابی به سرویس مخفیانه نرم افزار تور از پراکسی استفاده کنید (پیش فرض:same as -proxy)</translation>
</message>
<message>
<location line="+2"/>
<source>Username for JSON-RPC connections</source>
<translation>JSON-RPC شناسه برای ارتباطات</translation>
</message>
<message>
<location line="+4"/>
<source>Warning</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Warning: This version is obsolete, upgrade required!</source>
<translation>هشدار: این نسخه قدیمی است، روزآمدسازی مورد نیاز است</translation>
</message>
<message>
<location line="+1"/>
<source>You need to rebuild the databases using -reindex to change -txindex</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>wallet.dat corrupt, salvage failed</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-50"/>
<source>Password for JSON-RPC connections</source>
<translation>JSON-RPC عبارت عبور برای ارتباطات</translation>
</message>
<message>
<location line="-67"/>
<source>Allow JSON-RPC connections from specified IP address</source>
<translation>از آدرس آی پی خاص JSON-RPC قبول ارتباطات</translation>
</message>
<message>
<location line="+76"/>
<source>Send commands to node running on <ip> (default: 127.0.0.1)</source>
<translation>(127.0.0.1پیش فرض: ) &lt;ip&gt; دادن فرمانها برای استفاده گره ها روی</translation>
</message>
<message>
<location line="-120"/>
<source>Execute command when the best block changes (%s in cmd is replaced by block hash)</source>
<translation>زمانی که بهترین بلاک تغییر کرد، دستور را اجرا کن (%s در cmd با block hash جایگزین شده است)</translation>
</message>
<message>
<location line="+147"/>
<source>Upgrade wallet to latest format</source>
<translation>wallet را به جدیدترین فرمت روزآمد کنید</translation>
</message>
<message>
<location line="-21"/>
<source>Set key pool size to <n> (default: 100)</source>
<translation> (100پیش فرض:)&lt;n&gt; گذاشتن اندازه کلید روی </translation>
</message>
<message>
<location line="-12"/>
<source>Rescan the block chain for missing wallet transactions</source>
<translation>اسکان مجدد زنجیر بلوکها برای گم والت معامله</translation>
</message>
<message>
<location line="+35"/>
<source>Use OpenSSL (https) for JSON-RPC connections</source>
<translation>JSON-RPCبرای ارتباطات استفاده کنید OpenSSL (https)</translation>
</message>
<message>
<location line="-26"/>
<source>Server certificate file (default: server.cert)</source>
<translation> (server.certپیش فرض: )گواهی نامه سرور</translation>
</message>
<message>
<location line="+1"/>
<source>Server private key (default: server.pem)</source>
<translation>(server.pemپیش فرض: ) کلید خصوصی سرور</translation>
</message>
<message>
<location line="-151"/>
<source>Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</source>
<translation>رمز های قابل قبول( TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH)</translation>
</message>
<message>
<location line="+165"/>
<source>This help message</source>
<translation>پیام کمکی</translation>
</message>
<message>
<location line="+6"/>
<source>Unable to bind to %s on this computer (bind returned error %d, %s)</source>
<translation>امکان اتصال به %s از این رایانه وجود ندارد ( bind returned error %d, %s)</translation>
</message>
<message>
<location line="-91"/>
<source>Connect through socks proxy</source>
<translation>اتصال از طریق پراکسی ساکس</translation>
</message>
<message>
<location line="-10"/>
<source>Allow DNS lookups for -addnode, -seednode and -connect</source>
<translation>به DNS اجازه بده تا برای addnode ، seednode و اتصال جستجو کند</translation>
</message>
<message>
<location line="+55"/>
<source>Loading addresses...</source>
<translation>بار گیری آدرس ها</translation>
</message>
<message>
<location line="-35"/>
<source>Error loading wallet.dat: Wallet corrupted</source>
<translation>خطا در بارگیری wallet.dat: کیف پول خراب شده است</translation>
</message>
<message>
<location line="+1"/>
<source>Error loading wallet.dat: Wallet requires newer version of Musiccoin</source>
<translation>خطا در بارگیری wallet.dat: کیف پول به ویرایش جدیدتری از Biticon نیاز دارد</translation>
</message>
<message>
<location line="+93"/>
<source>Wallet needed to be rewritten: restart Musiccoin to complete</source>
<translation>سلام</translation>
</message>
<message>
<location line="-95"/>
<source>Error loading wallet.dat</source>
<translation>خطا در بارگیری wallet.dat</translation>
</message>
<message>
<location line="+28"/>
<source>Invalid -proxy address: '%s'</source>
<translation>آدرس پراکسی اشتباه %s</translation>
</message>
<message>
<location line="+56"/>
<source>Unknown network specified in -onlynet: '%s'</source>
<translation>شبکه مشخص شده غیرقابل شناسایی در onlynet: '%s'</translation>
</message>
<message>
<location line="-1"/>
<source>Unknown -socks proxy version requested: %i</source>
<translation>نسخه پراکسی ساکس غیرقابل شناسایی درخواست شده است: %i</translation>
</message>
<message>
<location line="-96"/>
<source>Cannot resolve -bind address: '%s'</source>
<translation>آدرس قابل اتصال- شناسایی نیست %s</translation>
</message>
<message>
<location line="+1"/>
<source>Cannot resolve -externalip address: '%s'</source>
<translation>آدرس خارجی قابل اتصال- شناسایی نیست %s</translation>
</message>
<message>
<location line="+44"/>
<source>Invalid amount for -paytxfee=<amount>: '%s'</source>
<translation>میزان وجه اشتباه برای paytxfee=<میزان وجه>: %s</translation>
</message>
<message>
<location line="+1"/>
<source>Invalid amount</source>
<translation>میزان وجه اشتباه</translation>
</message>
<message>
<location line="-6"/>
<source>Insufficient funds</source>
<translation>بود جه نا کافی </translation>
</message>
<message>
<location line="+10"/>
<source>Loading block index...</source>
<translation>بار گیری شاخص بلوک</translation>
</message>
<message>
<location line="-57"/>
<source>Add a node to connect to and attempt to keep the connection open</source>
<translation>به اتصال یک گره اضافه کنید و اتصال را باز نگاه دارید</translation>
</message>
<message>
<location line="-25"/>
<source>Unable to bind to %s on this computer. Musiccoin is probably already running.</source>
<translation>اتصال به %s از این رایانه امکان پذیر نیست. Musiccoin احتمالا در حال اجراست.</translation>
</message>
<message>
<location line="+64"/>
<source>Fee per KB to add to transactions you send</source>
<translation>پر داجت برای هر کیلو بیت برای اضافه به معامله ارسال</translation>
</message>
<message>
<location line="+19"/>
<source>Loading wallet...</source>
<translation>بار گیری والت</translation>
</message>
<message>
<location line="-52"/>
<source>Cannot downgrade wallet</source>
<translation>امکان تنزل نسخه در wallet وجود ندارد</translation>
</message>
<message>
<location line="+3"/>
<source>Cannot write default address</source>
<translation>آدرس پیش فرض قابل ذخیره نیست</translation>
</message>
<message>
<location line="+64"/>
<source>Rescanning...</source>
<translation>اسکان مجدد</translation>
</message>
<message>
<location line="-57"/>
<source>Done loading</source>
<translation>بار گیری انجام شده است</translation>
</message>
<message>
<location line="+82"/>
<source>To use the %s option</source>
<translation>برای استفاده از %s از انتخابات</translation>
</message>
<message>
<location line="-74"/>
<source>Error</source>
<translation>خطا</translation>
</message>
<message>
<location line="-31"/>
<source>You must set rpcpassword=<password> in the configuration file:
%s
If the file does not exist, create it with owner-readable-only file permissions.</source>
<translation>%s، شما باید یک rpcpassword را در فایل پیکربندی تنظیم کنید :⏎%s⏎ اگر فایل ایجاد نشد، یک فایل فقط متنی ایجاد کنید.
</translation>
</message>
</context>
</TS> |
<!DOCTYPE html>
<!--[if lt IE 9]><html class="no-js lt-ie9" lang="en" dir="ltr"><![endif]-->
<!--[if gt IE 8]><!-->
<html class="no-js" lang="en" dir="ltr">
<!--<![endif]-->
<!-- Usage: /eic/site/ccc-rec.nsf/tpl-eng/template-1col.html?Open&id=3 (optional: ?Open&page=filename.html&id=x) -->
<!-- Created: ; Product Code: 536; Server: stratnotes2.ic.gc.ca -->
<head>
<title>
Renaissance Repair and Supply Ltd. -
Complete profile - Canadian Company Capabilities - Industries and Business - Industry Canada
</title>
<!-- Title ends / Fin du titre -->
<meta charset="utf-8" />
<meta name="dcterms.language" title="ISO639-2" content="eng" />
<meta name="dcterms.title" content="" />
<meta name="description" content="" />
<meta name="dcterms.description" content="" />
<meta name="dcterms.type" content="report, data set" />
<meta name="dcterms.subject" content="businesses, industry" />
<meta name="dcterms.subject" content="businesses, industry" />
<meta name="dcterms.issued" title="W3CDTF" content="" />
<meta name="dcterms.modified" title="W3CDTF" content="" />
<meta name="keywords" content="" />
<meta name="dcterms.creator" content="" />
<meta name="author" content="" />
<meta name="dcterms.created" title="W3CDTF" content="" />
<meta name="dcterms.publisher" content="" />
<meta name="dcterms.audience" title="icaudience" content="" />
<meta name="dcterms.spatial" title="ISO3166-1" content="" />
<meta name="dcterms.spatial" title="gcgeonames" content="" />
<meta name="dcterms.format" content="HTML" />
<meta name="dcterms.identifier" title="ICsiteProduct" content="536" />
<!-- EPI-11240 -->
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<!-- MCG-202 -->
<meta content="width=device-width,initial-scale=1" name="viewport">
<!-- EPI-11567 -->
<meta name = "format-detection" content = "telephone=no">
<!-- EPI-12603 -->
<meta name="robots" content="noarchive">
<!-- EPI-11190 - Webtrends -->
<script>
var startTime = new Date();
startTime = startTime.getTime();
</script>
<!--[if gte IE 9 | !IE ]><!-->
<link href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/assets/favicon.ico" rel="icon" type="image/x-icon">
<link rel="stylesheet" href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/css/wet-boew.min.css">
<!--<![endif]-->
<link rel="stylesheet" href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/css/theme.min.css">
<!--[if lt IE 9]>
<link href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/assets/favicon.ico" rel="shortcut icon" />
<link rel="stylesheet" href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/css/ie8-wet-boew.min.css" />
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/js/ie8-wet-boew.min.js"></script>
<![endif]
<!--[if lte IE 9]>
<![endif]
<noscript><link rel="stylesheet" href="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/css/noscript.min.css" /></noscript>
<!-- Google Tag Manager DO NOT REMOVE OR MODIFY - NE PAS SUPPRIMER OU MODIFIER -->
<script>dataLayer1 = [];</script>
<!-- End Google Tag Manager -->
<!-- EPI-11235 -->
<link rel="stylesheet" href="/eic/home.nsf/css/<API key>.css">
<link href="//netdna.bootstrapcdn.com/font-awesome/4.0.3/css/font-awesome.css" rel="stylesheet">
<link href="/app/ccc/srch/css/print.css" media="print" rel="stylesheet" type="text/css" />
</head>
<body class="home" vocab="http://schema.org/" typeof="WebPage">
<!-- EPIC HEADER BEGIN -->
<!-- Google Tag Manager DO NOT REMOVE OR MODIFY - NE PAS SUPPRIMER OU MODIFIER -->
<noscript><iframe title="Google Tag Manager" src="
<script>(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start': new Date().getTime(),event:'gtm.js'});var f=d.<API key>(s)[0], j=d.createElement(s),dl=l!='dataLayer1'?'&l='+l:'';j.async=true;j.src='
<!-- End Google Tag Manager -->
<!-- EPI-12801 -->
<span typeof="Organization"><meta property="legalName" content="<API key>"></span>
<ul id="wb-tphp">
<li class="wb-slc">
<a class="wb-sl" href="#wb-cont">Skip to main content</a>
</li>
<li class="wb-slc visible-sm visible-md visible-lg">
<a class="wb-sl" href="#wb-info">Skip to "About this site"</a>
</li>
</ul>
<header role="banner">
<div id="wb-bnr" class="container">
<section id="wb-lng" class="visible-md visible-lg text-right">
<h2 class="wb-inv">Language selection</h2>
<div class="row">
<div class="col-md-12">
<ul class="list-inline mrgn-bttm-0">
<li><a href="nvgt.do?V_TOKEN=1492314458670&V_SEARCH.docsCount=3&V_DOCUMENT.docRank=38997&V_SEARCH.docsStart=38996&V_SEARCH.command=navigate&V_SEARCH.resultsJSP=/prfl.do&lang=fra&redirectUrl=/app/scr/imbs/ccc/rgstrtn/rgstr.sec?_flId?_flxKy=e1s1&estblmntNo=234567041301&profileId=61&_evId=bck&lang=eng&V_SEARCH.showStricts=false&prtl=1&_flId?_flId?_flxKy=e1s1" title="Français" lang="fr">Français</a></li>
</ul>
</div>
</div>
</section>
<div class="row">
<div class="brand col-xs-8 col-sm-9 col-md-6">
<a href="http:
</div>
<section class="wb-mb-links col-xs-4 col-sm-3 visible-sm visible-xs" id="wb-glb-mn">
<h2>Search and menus</h2>
<ul class="list-inline text-right chvrn">
<li><a href="#mb-pnl" title="Search and menus" aria-controls="mb-pnl" class="overlay-lnk" role="button"><span class="glyphicon glyphicon-search"><span class="glyphicon glyphicon-th-list"><span class="wb-inv">Search and menus</span></span></span></a></li>
</ul>
<div id="mb-pnl"></div>
</section>
<!-- Site Search Removed -->
</div>
</div>
<nav role="navigation" id="wb-sm" class="wb-menu visible-md visible-lg" data-trgt="mb-pnl" data-ajax-fetch="//cdn.canada.ca/gcweb-cdn-dev/sitemenu/sitemenu-en.html" typeof="<API key>">
<h2 class="wb-inv">Topics menu</h2>
<div class="container nvbar">
<div class="row">
<ul class="list-inline menu">
<li><a href="https:
<li><a href="http:
<li><a href="https://travel.gc.ca/">Travel</a></li>
<li><a href="https:
<li><a href="https:
<li><a href="http://healthycanadians.gc.ca/index-eng.php">Health</a></li>
<li><a href="https:
<li><a href="https:
</ul>
</div>
</div>
</nav>
<!-- EPIC BODY BEGIN -->
<nav role="navigation" id="wb-bc" class="" property="breadcrumb">
<h2 class="wb-inv">You are here:</h2>
<div class="container">
<div class="row">
<ol class="breadcrumb">
<li><a href="/eic/site/icgc.nsf/eng/home" title="Home">Home</a></li>
<li><a href="/eic/site/icgc.nsf/eng/h_07063.html" title="Industries and Business">Industries and Business</a></li>
<li><a href="/eic/site/ccc-rec.nsf/tpl-eng/../eng/home" >Canadian Company Capabilities</a></li>
</ol>
</div>
</div>
</nav>
</header>
<main id="wb-cont" role="main" property="mainContentOfPage" class="container">
<!-- End Header -->
<!-- Begin Body -->
<!-- Begin Body Title -->
<!-- End Body Title -->
<!-- Begin Body Head -->
<!-- End Body Head -->
<!-- Begin Body Content -->
<br>
<!-- Complete Profile -->
<!-- Company Information above tabbed area-->
<input id="showMore" type="hidden" value='more'/>
<input id="showLess" type="hidden" value='less'/>
<h1 id="wb-cont">
Company profile - Canadian Company Capabilities
</h1>
<div class="profileInfo hidden-print">
<ul class="list-inline">
<li><a href="cccSrch.do?lang=eng&profileId=&prtl=1&key.hitsPerPage=25&searchPage=%252Fapp%252Fccc%252Fsrch%252FcccBscSrch.do%253Flang%253Deng%2526amp%253Bprtl%253D1%2526amp%253Btagid%253D&V_SEARCH.scopeCategory=CCC.Root&V_SEARCH.depth=1&V_SEARCH.showStricts=false&V_SEARCH.sortSpec=title+asc&rstBtn.x=" class="btn btn-link">New Search</a> |</li>
<li><form name="searchForm" method="post" action="/app/ccc/srch/bscSrch.do">
<input type="hidden" name="lang" value="eng" />
<input type="hidden" name="profileId" value="" />
<input type="hidden" name="prtl" value="1" />
<input type="hidden" name="searchPage" value="%2Fapp%2Fccc%2Fsrch%2FcccBscSrch.do%3Flang%3Deng%26amp%3Bprtl%3D1%26amp%3Btagid%3D" />
<input type="hidden" name="V_SEARCH.scopeCategory" value="CCC.Root" />
<input type="hidden" name="V_SEARCH.depth" value="1" />
<input type="hidden" name="V_SEARCH.showStricts" value="false" />
<input id="repeatSearchBtn" class="btn btn-link" type="submit" value="Return to search results" />
</form></li>
<li>| <a href="nvgt.do?V_SEARCH.docsStart=38995&V_DOCUMENT.docRank=38996&V_SEARCH.docsCount=3&lang=eng&prtl=1&sbPrtl=&profile=cmpltPrfl&V_TOKEN=1492314488805&V_SEARCH.command=navigate&V_SEARCH.resultsJSP=%2fprfl.do&estblmntNo=234567154186&profileId=&key.newSearchLabel=">Previous Company</a></li>
<li>| <a href="nvgt.do?V_SEARCH.docsStart=38997&V_DOCUMENT.docRank=38998&V_SEARCH.docsCount=3&lang=eng&prtl=1&sbPrtl=&profile=cmpltPrfl&V_TOKEN=1492314488805&V_SEARCH.command=navigate&V_SEARCH.resultsJSP=%2fprfl.do&estblmntNo=234567092510&profileId=&key.newSearchLabel=">Next Company</a></li>
</ul>
</div>
<details>
<summary>Third-Party Information Liability Disclaimer</summary>
<p>Some of the information on this Web page has been provided by external sources. The Government of Canada is not responsible for the accuracy, reliability or currency of the information supplied by external sources. Users wishing to rely upon this information should consult directly with the source of the information. Content provided by external sources is not subject to official languages, privacy and accessibility requirements.</p>
</details>
<h2>
Renaissance Repair and Supply Ltd.
</h2>
<div class="row">
<div class="col-md-5">
<h2 class="h5 mrgn-bttm-0">Legal/Operating Name:</h2>
<p>Renaissance Repair and Supply Ltd.</p>
<div class="mrgn-tp-md"></div>
<p class="mrgn-bttm-0" ><a href="http:
target="_blank" title="Website URL">http:
<p><a href="mailto:landerson@renrns.com" title="landerson@renrns.com">landerson@renrns.com</a></p>
</div>
<div class="col-md-4 mrgn-sm-sm">
<h2 class="h5 mrgn-bttm-0">Mailing Address:</h2>
<address class="mrgn-bttm-md">
425 Legget Dr.<br/>
KANATA,
Ontario<br/>
K2K 2W2
<br/>
</address>
<p class="mrgn-bttm-0"><abbr title="Telephone">Tel.</abbr>:
(613) 271-2438
</p>
<p class="mrgn-bttm-lg"><abbr title="Facsimile">Fax</abbr>:
(613) 591-1809</p>
</div>
<div class="col-md-3 mrgn-tp-md">
</div>
</div>
<div class="row mrgn-tp-md mrgn-bttm-md">
<div class="col-md-12">
<h2 class="wb-inv">Company Profile</h2>
<br> Telecommunications, fibre optics, repair and supply<br>
</div>
</div>
<!-- <div class="wb-tabs ignore-session update-hash wb-eqht-off print-active"> -->
<div class="wb-tabs ignore-session">
<div class="tabpanels">
<details id="details-panel1">
<summary>
Full profile
</summary>
<!-- Tab 1 -->
<h2 class="wb-invisible">
Full profile
</h2>
<!-- Contact Information -->
<h3 class="page-header">
Contact information
</h3>
<section class="container-fluid">
<div class="row mrgn-tp-lg">
<div class="col-md-3">
<strong>
Len
Anderson
</strong></div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Title:
</strong>
</div>
<div class="col-md-7">
CEO<br>
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Telephone:
</strong>
</div>
<div class="col-md-7">
(613) 271-2447
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Facsimile:
</strong>
</div>
<div class="col-md-7">
(613) 591-1809
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Email:
</strong>
</div>
<div class="col-md-7">
landerson@renrns.com
</div>
</div>
</section>
<p class="mrgn-tp-lg text-right small hidden-print">
<a href="#wb-cont">top of page</a>
</p>
<!-- Company Description -->
<h3 class="page-header">
Company description
</h3>
<section class="container-fluid">
<div class="row">
<div class="col-md-5">
<strong>
Exporting:
</strong>
</div>
<div class="col-md-7">
No
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Primary Industry (NAICS):
</strong>
</div>
<div class="col-md-7">
811210 - Electronic and Precision Equipment Repair and Maintenance
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Alternate Industries (NAICS):
</strong>
</div>
<div class="col-md-7">
335920 - Communication and Energy Wire and Cable Manufacturing<br>
417320 - Electronic Components, Navigational and Communications Equipment and Supplies <API key><br>
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Primary Business Activity:
</strong>
</div>
<div class="col-md-7">
Services
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Aboriginal Firm:
</strong>
</div>
<div class="col-md-7">
Registered Aboriginal Business under the Procurement Strategy for Aboriginal Business (PSAB)<br/>
</div>
</div>
</section>
<!-- Products / Services / Licensing -->
<h3 class="page-header">
Product / Service / Licensing
</h3>
<section class="container-fluid">
<div class="row mrgn-bttm-md">
<div class="col-md-3">
<strong>
Service Name:
</strong>
</div>
<div class="col-md-9">
Telecommunications, fibre optics, repair and supply<br>
</div>
</div>
<div class="row mrgn-bttm-md">
<div class="col-md-12">
Information & Communications Technologies, IT, Telecommunication & Networking Equipment, IT, Telecommunicatio & Networking Services, Electrical & Electronic Equipment, Maintenance & Repair Services, Telecom Equipment<br>
<br>
</div>
</div>
</section>
<p class="mrgn-tp-lg text-right small hidden-print">
<a href="#wb-cont">top of page</a>
</p>
<!-- Technology Profile -->
<!-- Market Profile -->
<!-- Sector Information -->
<details class="mrgn-tp-md mrgn-bttm-md">
<summary>
Third-Party Information Liability Disclaimer
</summary>
<p>
Some of the information on this Web page has been provided by external sources. The Government of Canada is not responsible for the accuracy, reliability or currency of the information supplied by external sources. Users wishing to rely upon this information should consult directly with the source of the information. Content provided by external sources is not subject to official languages, privacy and accessibility requirements.
</p>
</details>
</details>
<details id="details-panel2">
<summary>
Contacts
</summary>
<h2 class="wb-invisible">
Contact information
</h2>
<!-- Contact Information -->
<section class="container-fluid">
<div class="row mrgn-tp-lg">
<div class="col-md-3">
<strong>
Len
Anderson
</strong></div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Title:
</strong>
</div>
<div class="col-md-7">
CEO<br>
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Telephone:
</strong>
</div>
<div class="col-md-7">
(613) 271-2447
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Facsimile:
</strong>
</div>
<div class="col-md-7">
(613) 591-1809
</div>
</div>
<div class="row mrgn-lft-md">
<div class="col-md-5">
<strong>
Email:
</strong>
</div>
<div class="col-md-7">
landerson@renrns.com
</div>
</div>
</section>
</details>
<details id="details-panel3">
<summary>
Description
</summary>
<h2 class="wb-invisible">
Company description
</h2>
<section class="container-fluid">
<div class="row">
<div class="col-md-5">
<strong>
Exporting:
</strong>
</div>
<div class="col-md-7">
No
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Primary Industry (NAICS):
</strong>
</div>
<div class="col-md-7">
811210 - Electronic and Precision Equipment Repair and Maintenance
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Alternate Industries (NAICS):
</strong>
</div>
<div class="col-md-7">
335920 - Communication and Energy Wire and Cable Manufacturing<br>
417320 - Electronic Components, Navigational and Communications Equipment and Supplies <API key><br>
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Primary Business Activity:
</strong>
</div>
<div class="col-md-7">
Services
</div>
</div>
<div class="row">
<div class="col-md-5">
<strong>
Aboriginal Firm:
</strong>
</div>
<div class="col-md-7">
Registered Aboriginal Business under the Procurement Strategy for Aboriginal Business (PSAB)<br/>
</div>
</div>
</section>
</details>
<details id="details-panel4">
<summary>
Products, services and licensing
</summary>
<h2 class="wb-invisible">
Product / Service / Licensing
</h2>
<section class="container-fluid">
<div class="row mrgn-bttm-md">
<div class="col-md-3">
<strong>
Service Name:
</strong>
</div>
<div class="col-md-9">
Telecommunications, fibre optics, repair and supply<br>
</div>
</div>
<div class="row mrgn-bttm-md">
<div class="col-md-12">
Information & Communications Technologies, IT, Telecommunication & Networking Equipment, IT, Telecommunicatio & Networking Services, Electrical & Electronic Equipment, Maintenance & Repair Services, Telecom Equipment<br>
<br>
</div>
</div>
</section>
</details>
</div>
</div>
<div class="row">
<div class="col-md-12 text-right">
Last Update Date 2016-12-16
</div>
</div>
<!
- Artifact ID: CBW - IMBS - CCC Search WAR
- Group ID: ca.gc.ic.strategis.imbs.ccc.search
- Version: 3.26
- Built-By: bamboo
- Build Timestamp: 2017-03-02T21:29:28Z
<!-- End Body Content -->
<!-- Begin Body Foot -->
<!-- End Body Foot -->
<!-- END MAIN TABLE -->
<!-- End body -->
<!-- Begin footer -->
<div class="row pagedetails">
<div class="col-sm-5 col-xs-12 datemod">
<dl id="wb-dtmd">
<dt class=" hidden-print">Date Modified:</dt>
<dd class=" hidden-print">
<span><time>2017-03-02</time></span>
</dd>
</dl>
</div>
<div class="clear visible-xs"></div>
<div class="col-sm-4 col-xs-6">
</div>
<div class="col-sm-3 col-xs-6 text-right">
</div>
<div class="clear visible-xs"></div>
</div>
</main>
<footer role="contentinfo" id="wb-info">
<nav role="navigation" class="container wb-navcurr">
<h2 class="wb-inv">About government</h2>
<!-- EPIC FOOTER BEGIN -->
<!-- EPI-11638 Contact us -->
<ul class="list-unstyled colcount-sm-2 colcount-md-3">
<li><a href="http://www.ic.gc.ca/eic/site/icgc.nsf/eng/h_07026.html#pageid=E048-H00000&from=Industries">Contact us</a></li>
<li><a href="https:
<li><a href="https:
<li><a href="https:
<li><a href="https:
<li><a href="https:
<li><a href="http://pm.gc.ca/eng">Prime Minister</a></li>
<li><a href="https:
<li><a href="http://open.canada.ca/en/">Open government</a></li>
</ul>
</nav>
<div class="brand">
<div class="container">
<div class="row">
<nav class="col-md-10 ftr-urlt-lnk">
<h2 class="wb-inv">About this site</h2>
<ul>
<li><a href="https:
<li><a href="https:
<li><a href="http://www1.canada.ca/en/newsite.html">About Canada.ca</a></li>
<li><a href="http:
<li><a href="http://www.ic.gc.ca/eic/site/icgc.nsf/eng/h_07033.html#p1">Privacy</a></li>
</ul>
</nav>
<div class="col-xs-6 visible-sm visible-xs tofpg">
<a href="#wb-cont">Top of Page <span class="glyphicon <API key>"></span></a>
</div>
<div class="col-xs-6 col-md-2 text-right">
<object type="image/svg+xml" tabindex="-1" role="img" data="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/assets/wmms-blk.svg" aria-label="Symbol of the Government of Canada"></object>
</div>
</div>
</div>
</div>
</footer>
<!--[if gte IE 9 | !IE ]><!-->
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<script src="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/js/wet-boew.min.js"></script>
<!--<![endif]-->
<!--[if lt IE 9]>
<script src="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/js/ie8-wet-boew2.min.js"></script>
<![endif]
<script src="/utils/scripts/_WET_4-0/apps/themes-dist/gcweb/js/theme.min.js"></script>
<!-- EPI-10519 -->
<span class="wb-sessto"
data-wb-sessto='{"inactivity": 1800000, "reactionTime": 180000, "sessionalive": 1800000, "logouturl": "/app/ccc/srch/cccSrch.do?lang=eng&prtl=1"}'></span>
<script src="/eic/home.nsf/js/jQuery.<API key>.js"></script>
<!-- EPI-11190 - Webtrends -->
<script src="/eic/home.nsf/js/webtrends.js"></script>
<script>var endTime = new Date();</script>
<noscript>
<div><img alt="" id="DCSIMG" width="1" height="1" src="
</noscript>
<!-- /Webtrends -->
<!-- JS deps -->
<script src="/eic/home.nsf/js/jquery.imagesloaded.js"></script>
<!-- EPI-11262 - Util JS -->
<script src="/eic/home.nsf/js/<API key>.min.js"></script>
<!-- EPI-11383 -->
<script src="/eic/home.nsf/js/jQuery.icValidationErrors.js"></script>
<span style="display:none;" id='app-info' <API key>='' <API key>='' <API key>='' <API key>='' data-issue-tracking='' data-scm-sha1='' <API key>='' data-scm-branch='' <API key>=''></span>
</body></html>
<!-- End Footer -->
<!
- Artifact ID: CBW - IMBS - CCC Search WAR
- Group ID: ca.gc.ic.strategis.imbs.ccc.search
- Version: 3.26
- Built-By: bamboo
- Build Timestamp: 2017-03-02T21:29:28Z |
<?php
namespace Realtor\DictionaryBundle\Controller;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\JsonResponse;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\Response;
use Sensio\Bundle\<API key>\Configuration\Route;
use Sensio\Bundle\<API key>\Configuration\Method;
class UserController extends Controller
{
/**
* @param Request $request
* @return Response
*
* @Route("/user/get/ajax", name="user_get_ajax")
* @Method({"POST"})
*/
public function getUserById(Request $request)
{
if(!$request->isXmlHttpRequest()){
return new Response(null, 403);
}
if(!$request->request->has('user_id') || !$userId = $request->request->get('user_id')){
return new Response(null, 403);
}
$userManager = $this->container->get('manager.user');
if($this->container->get('kernel')->getEnvironment() == 'dev'){
$userId = 233963;
}
$user = $userManager->loadUserById($userId);
if(!$user){
return new Response(null, 403);
}
$user[0]['app_id'] = $userManager->save($user[0]);
$userEntity = $this->getDoctrine()->getManager()->getRepository('<API key>:User')->find($user[0]['app_id']);
if($branch_phone = $userEntity->getBranch()->getBranchNumber()){
if(!empty($branch_phone)){
$user[0]['branch_phone'] = '##'.substr($branch_phone, 0, 2);
}
}
if($this->container->get('kernel')->getEnvironment() == 'dev'){
$user[0]['in_office'] = 1;
}
$user[0]['head_phone'] = '';
if($user[0]['id_manager'] > 0){
$head = $this->getDoctrine()->getManager()->getRepository('<API key>:User')
->findOneBy(['outerId' => $user[0]['id_manager']]);
if($head){
$user[0]['head_phone'] = $head->getOfficePhone();
$user[0]['head_id'] = $head->getId();
$user[0]['head_is_fired'] = $head->getIsFired();
}
}
return new Response(json_encode($user[0]));
}
/**
* @param Request $request
* @return Response
*
* @Route("/user/get/manager/by/branch/ajax", name="<API key>")
* @Method({"POST"})
*/
public function <API key>(Request $request)
{
if(!$request->request->has('branch_id')){
return (new Response())->setStatusCode(Response::HTTP_BAD_REQUEST);
}
$managers = $this->getDoctrine()->getManager()->getRepository('<API key>:User')
->getManagerByBranch($request->request->get('branch_id'));
if(!$managers){
return (new Response())->setStatusCode(Response::HTTP_NOT_FOUND);
}
$response = [];
foreach($managers as $manager){
$response[] = [
'id' => $manager->getId(),
'name' => $manager->getFio().' ('.$manager->getUsername().')'
];
}
return new Response(json_encode($response));
}
/**
* @param Request $request
* @return Response
*
* @Route("/user/get/agent/by/manager/ajax", name="<API key>")
* @Method({"POST"})
*/
public function <API key>(Request $request)
{
if(!$request->request->has('manager_id')){
return (new Response())->setStatusCode(Response::HTTP_BAD_REQUEST);
}
$agents = $this->getDoctrine()->getManager()->getRepository('<API key>:User')
->getAgentByManager($request->request->get('manager_id'));
if(!$agents){
return (new Response())->setStatusCode(Response::HTTP_NOT_FOUND);
}
$response = [];
foreach($agents as $agent){
$response[] = [
'id' => $agent->getId(),
'name' => $agent->getFio().' ('.$agent->getUsername().')'
];
}
return new Response(json_encode($response));
}
/**
* @param Request $request
* @return JsonResponse
*
* @Route("/user/get/by/name/ajax", name="<API key>")
* @Method({"GET"})
*/
public function getUserByNameAction(Request $request)
{
$response = new JsonResponse();
if(!$request->isXmlHttpRequest()){
return $response->setStatusCode(Response::HTTP_BAD_REQUEST);
}
if(!$request->query->has('term') || !$userName = $request->query->get('term')){
return $response->setStatusCode(Response::HTTP_BAD_REQUEST);
}
$users = $this->getDoctrine()->getManager()->getRepository('<API key>:User')
->getUserByName($userName);
$responseData = [];
foreach($users as $user){
$responseData[] = [
'id' => $user->getId(),
'branch_name' => $user->getBranch()->getName(),
'name' => $user->getFio(),
'phone' => $user->getPhone(),
'office_phone' => $user->getOfficePhone(),
'in_office' => $user->getInOffice(),
'<API key>' => $user->getMayRedirectCall(),
'<API key>' => $user->getHead() ? $user->getHead()->getOfficePhone() : false,
'branch_phone' => $user->getBranch()->getBranchPhone()
];
}
return $response->setData($responseData);
}
/**
* @param Request $request
* @return JsonResponse|Response
*
* @Route("/user/get/phones/by/id", name="<API key>")
* @Method({"POST"})
*/
public function getUsersPhones(Request $request)
{
$response = new JsonResponse();
if(!$request->isXmlHttpRequest()){
return $response->setStatusCode(Response::HTTP_FORBIDDEN);
}
if(!$request->request->has('userId')){
return $response->setStatusCode(Response::HTTP_BAD_REQUEST);
}
$phones = $this->getDoctrine()->getManager()->getRepository('CallBundle:UserPhones')->findBy(['appendedUserId' => $request->request->get('userId')]);
if(!$phones){
return $response->setStatusCode(Response::HTTP_NOT_FOUND);
}
$phonesData = [];
foreach($phones as $phone){
$phonesData[] = [
'id' => $phone->getId(),
'phone' => $phone->getPhone()
];
}
return $response->setData($phonesData);
}
} |
#include "lua_socket_mgr.h"
int create_socket_mgr(lua_State* L) {
int max_fd = (int)lua_tonumber(L, 1);
lua_socket_mgr* mgr = new lua_socket_mgr();
if (!mgr->setup(L, max_fd)) {
delete mgr;
lua_pushnil(L);
return 1;
}
lua_push_object(L, mgr);
return 1;
}
#ifdef _MSC_VER
#define LBUS_API _declspec(dllexport)
#else
#define LBUS_API
#endif
extern "C" int LBUS_API luaopen_lbus(lua_State* L) {
lua_newtable(L);
<API key>(L, -1, "create_socket_mgr", create_socket_mgr);
return 1;
} |
#include <ngx_config.h>
#include <ngx_core.h>
#include <nginx.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <sys/wait.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#include <signal.h>
#include <string.h>
#include <errno.h>
#include "<API key>.h"
#include "Configuration.h"
#include "ContentHandler.h"
#define <API key> 5
#define <API key> 64
static int first_start = 1;
ngx_str_t pp_schema_string;
ngx_str_t <API key>;
PP_CachedFileStat *pp_stat_cache;
PP_AppTypeDetector *<API key>;
PP_AgentsStarter *pp_agents_starter = NULL;
ngx_cycle_t *pp_current_cycle;
/*
HISTORIC NOTE:
We used to register <API key> as a default content handler,
instead of setting <API key>->handler. However, if
<API key> (and thus <API key>)
returns NGX_AGAIN, then Nginx will pass the not-fully-receive file upload
data to the upstream handler even though it shouldn't. Is this an Nginx
bug? In any case, setting <API key>->handler fixed the
problem.
static ngx_int_t
<API key>(ngx_conf_t *cf)
{
ngx_http_handler_pt *h;
<API key> *cmcf;
cmcf = <API key>(cf, <API key>);
h = ngx_array_push(&cmcf->phases[<API key>].handlers);
if (h == NULL) {
return NGX_ERROR;
}
*h = <API key>;
return NGX_OK;
}
*/
static void
ignore_sigpipe() {
struct sigaction action;
action.sa_handler = SIG_IGN;
action.sa_flags = 0;
sigemptyset(&action.sa_mask);
sigaction(SIGPIPE, &action, NULL);
}
static char *
<API key>(ngx_str_t *str) {
char *result = malloc(str->len + 1);
memcpy(result, str->data, str->len);
result[str->len] = '\0';
return result;
}
static void
<API key>(PP_VariantMap *m,
const char *name,
ngx_str_t *value)
{
pp_variant_map_set(m, name, (const char *) value->data, value->len);
}
/**
* Save the Nginx master process's PID into a file under the server instance directory.
*
* A bug/limitation in Nginx doesn't allow us to create the server instance dir
* *after* Nginx has daemonized, so the server instance dir's filename contains Nginx's
* PID before daemonization. Normally PhusionPassenger::AdminTools::ServerInstance (used
* by e.g. passenger-status) will think that the server instance dir is stale because the
* PID in the filename doesn't exist. This PID file tells AdminTools::ServerInstance
* what the actual PID is.
*/
static ngx_int_t
<API key>(ngx_cycle_t *cycle) {
u_char filename[NGX_MAX_PATH];
u_char *last;
FILE *f;
last = ngx_snprintf(filename, sizeof(filename) - 1, "%s/control_process.pid",
<API key>(pp_agents_starter));
*last = (u_char) '\0';
f = fopen((const char *) filename, "w");
if (f != NULL) {
fprintf(f, "%ld", (long) getppid());
fclose(f);
} else {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ngx_errno,
"could not create %s", filename);
}
return NGX_OK;
}
/**
* This function is called after forking and just before exec()ing the helper server.
*/
static void
<API key>(void *arg) {
ngx_cycle_t *cycle = (void *) arg;
char *log_filename;
FILE *log_file;
ngx_core_conf_t *ccf;
ngx_uint_t i;
ngx_str_t *envs;
const char *env;
/* At this point, stdout and stderr may still point to the console.
* Make sure that they're both redirected to the log file.
*/
log_file = NULL;
if (cycle->new_log.file->name.len > 0) {
log_filename = <API key>(&cycle->new_log.file->name);
log_file = fopen((const char *) log_filename, "a");
if (log_file == NULL) {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ngx_errno,
"could not open the error log file for writing");
}
free(log_filename);
} else if (cycle->log != NULL && cycle->log->file->name.len > 0) {
log_filename = <API key>(&cycle->log->file->name);
log_file = fopen((const char *) log_filename, "a");
if (log_file == NULL) {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ngx_errno,
"could not open the error log file for writing");
}
free(log_filename);
}
if (log_file == NULL) {
/* If the log file cannot be opened then we redirect stdout
* and stderr to /dev/null, because if the user disconnects
* from the console on which Nginx is started, then on Linux
* any writes to stdout or stderr will result in an EIO error.
*/
log_file = fopen("/dev/null", "w");
}
if (log_file != NULL) {
dup2(fileno(log_file), 1);
dup2(fileno(log_file), 2);
fclose(log_file);
}
/* Set environment variables in Nginx config file. */
ccf = (ngx_core_conf_t *) ngx_get_conf(cycle->conf_ctx, ngx_core_module);
envs = ccf->env.elts;
for (i = 0; i < ccf->env.nelts; i++) {
env = (const char *) envs[i].data;
if (strchr(env, '=') != NULL) {
putenv(strdup(env));
}
}
/* Set SERVER_SOFTWARE so that application processes know what web
* server they're running on during startup. */
setenv("SERVER_SOFTWARE", NGINX_VER, 1);
}
static ngx_int_t
create_file(ngx_cycle_t *cycle, const u_char *filename, const u_char *contents, size_t len) {
FILE *f;
int ret;
size_t total_written = 0, written;
f = fopen((const char *) filename, "w");
if (f != NULL) {
/* We must do something with these return values because
* otherwise on some platforms it will cause a compiler
* warning.
*/
do {
ret = fchmod(fileno(f), S_IRUSR | S_IWUSR | S_IRGRP | S_IROTH);
} while (ret == -1 && errno == EINTR);
do {
written = fwrite(contents + total_written, 1,
len - total_written, f);
total_written += written;
} while (total_written < len);
fclose(f);
return NGX_OK;
} else {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ngx_errno,
"could not create %s", filename);
return NGX_ERROR;
}
}
/**
* Start the watchdog and save the runtime information into various variables.
*
* @pre The watchdog isn't already started.
* @pre The Nginx configuration has been loaded.
*/
static ngx_int_t
start_watchdog(ngx_cycle_t *cycle) {
ngx_core_conf_t *core_conf;
ngx_int_t ret, result;
ngx_uint_t i;
ngx_str_t *prestart_uris;
char **prestart_uris_ary = NULL;
ngx_keyval_t *ctl = NULL;
PP_VariantMap *params = NULL;
u_char filename[NGX_MAX_PATH], *last;
char *passenger_root = NULL;
char *error_message = NULL;
core_conf = (ngx_core_conf_t *) ngx_get_conf(cycle->conf_ctx, ngx_core_module);
result = NGX_OK;
params = pp_variant_map_new();
passenger_root = <API key>(&passenger_main_conf.root_dir);
prestart_uris = (ngx_str_t *) passenger_main_conf.prestart_uris->elts;
prestart_uris_ary = calloc(sizeof(char *), passenger_main_conf.prestart_uris->nelts);
for (i = 0; i < passenger_main_conf.prestart_uris->nelts; i++) {
prestart_uris_ary[i] = malloc(prestart_uris[i].len + 1);
if (prestart_uris_ary[i] == NULL) {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ENOMEM, "Cannot allocate memory");
result = NGX_ERROR;
goto cleanup;
}
memcpy(prestart_uris_ary[i], prestart_uris[i].data, prestart_uris[i].len);
prestart_uris_ary[i][prestart_uris[i].len] = '\0';
}
<API key> (params, "web_server_pid", getpid());
<API key> (params, "<API key>", core_conf->user);
<API key> (params, "<API key>", core_conf->group);
<API key> (params, "log_level", passenger_main_conf.log_level);
<API key>(params, "debug_log_file", &passenger_main_conf.debug_log_file);
<API key>(params, "temp_dir", &passenger_main_conf.temp_dir);
<API key> (params, "user_switching", passenger_main_conf.user_switching);
<API key>(params, "default_user", &passenger_main_conf.default_user);
<API key>(params, "default_group", &passenger_main_conf.default_group);
<API key>(params, "default_ruby", &passenger_main_conf.default_ruby);
<API key> (params, "max_pool_size", passenger_main_conf.max_pool_size);
<API key> (params, "pool_idle_time", passenger_main_conf.pool_idle_time);
<API key>(params, "analytics_log_user", &passenger_main_conf.analytics_log_user);
<API key>(params, "analytics_log_group", &passenger_main_conf.analytics_log_group);
<API key>(params, "<API key>", &passenger_main_conf.<API key>);
<API key> (params, "<API key>", passenger_main_conf.<API key>);
<API key>(params, "<API key>", &passenger_main_conf.<API key>);
<API key>(params, "<API key>", &passenger_main_conf.<API key>);
<API key> (params, "prestart_urls", (const char **) prestart_uris_ary, passenger_main_conf.prestart_uris->nelts);
ctl = (ngx_keyval_t *) passenger_main_conf.ctl->elts;
for (i = 0; i < passenger_main_conf.ctl->nelts; i++) {
pp_variant_map_set2(params,
(const char *) ctl[i].key.data, ctl[i].key.len - 1,
(const char *) ctl[i].value.data, ctl[i].value.len - 1);
}
ret = <API key>(pp_agents_starter,
passenger_root,
params,
<API key>,
cycle,
&error_message);
if (!ret) {
ngx_log_error(NGX_LOG_ALERT, cycle->log, ngx_errno, "%s", error_message);
result = NGX_ERROR;
goto cleanup;
}
/* Create the file passenger_temp_dir + "/control_process.pid"
* and make it writable by the worker processes. This is because
* <API key> is run after Nginx has lowered privileges.
*/
last = ngx_snprintf(filename, sizeof(filename) - 1,
"%s/control_process.pid",
<API key>(pp_agents_starter));
*last = (u_char) '\0';
if (create_file(cycle, filename, (const u_char *) "", 0) != NGX_OK) {
result = NGX_ERROR;
goto cleanup;
}
do {
ret = chown((const char *) filename, (uid_t) core_conf->user, (gid_t) -1);
} while (ret == -1 && errno == EINTR);
if (ret == -1) {
result = NGX_ERROR;
goto cleanup;
}
/* Create various other info files. */
last = ngx_snprintf(filename, sizeof(filename) - 1,
"%s/web_server.txt",
<API key>(pp_agents_starter));
*last = (u_char) '\0';
if (create_file(cycle, filename, (const u_char *) NGINX_VER, strlen(NGINX_VER)) != NGX_OK) {
result = NGX_ERROR;
goto cleanup;
}
last = ngx_snprintf(filename, sizeof(filename) - 1,
"%s/config_files.txt",
<API key>(pp_agents_starter));
*last = (u_char) '\0';
if (create_file(cycle, filename, cycle->conf_file.data, cycle->conf_file.len) != NGX_OK) {
result = NGX_ERROR;
goto cleanup;
}
cleanup:
pp_variant_map_free(params);
free(passenger_root);
free(error_message);
if (prestart_uris_ary != NULL) {
for (i = 0; i < passenger_main_conf.prestart_uris->nelts; i++) {
free(prestart_uris_ary[i]);
}
free(prestart_uris_ary);
}
if (result == NGX_ERROR && passenger_main_conf.<API key>) {
exit(1);
}
return result;
}
/**
* Shutdown the helper server, if there's one running.
*/
static void
<API key>() {
if (pp_agents_starter != NULL) {
<API key>(pp_agents_starter);
pp_agents_starter = NULL;
}
}
/**
* Called when:
* - Nginx is started, before the configuration is loaded and before daemonization.
* - Nginx is restarted, before the configuration is reloaded.
*/
static ngx_int_t
pre_config_init(ngx_conf_t *cf)
{
char *error_message;
<API key>();
ngx_memzero(&passenger_main_conf, sizeof(<API key>));
pp_schema_string.data = (u_char *) "passenger:";
pp_schema_string.len = sizeof("passenger:") - 1;
<API key>.data = (u_char *) "unix:/<API key>";
<API key>.len = sizeof("unix:/<API key>") - 1;
pp_stat_cache = <API key>(1024);
<API key> = <API key>();
pp_agents_starter = <API key>(AS_NGINX, &error_message);
if (pp_agents_starter == NULL) {
ngx_log_error(NGX_LOG_ALERT, cf->log, ngx_errno, "%s", error_message);
free(error_message);
return NGX_ERROR;
}
return NGX_OK;
}
/**
* Called when:
* - Nginx is started, before daemonization and after the configuration has loaded.
* - Nginx is restarted, after the configuration has reloaded.
*/
static ngx_int_t
init_module(ngx_cycle_t *cycle) {
if (passenger_main_conf.root_dir.len != 0) {
if (first_start) {
/* Ignore SIGPIPE now so that, if the helper server fails to start,
* Nginx doesn't get killed by the default SIGPIPE handler upon
* writing the password to the helper server.
*/
ignore_sigpipe();
first_start = 0;
}
if (start_watchdog(cycle) != NGX_OK) {
passenger_main_conf.root_dir.len = 0;
return NGX_OK;
}
pp_current_cycle = cycle;
}
return NGX_OK;
}
/**
* Called when an Nginx worker process is started. This happens after init_module
* is called.
*
* If 'master_process' is turned off, then there is only one single Nginx process
* in total, and this process also acts as the worker process. In this case
* init_worker_process is only called when Nginx is started, but not when it's restarted.
*/
static ngx_int_t
init_worker_process(ngx_cycle_t *cycle) {
ngx_core_conf_t *core_conf;
if (passenger_main_conf.root_dir.len != 0) {
<API key>(cycle);
core_conf = (ngx_core_conf_t *) ngx_get_conf(cycle->conf_ctx, ngx_core_module);
if (core_conf->master) {
<API key>(pp_agents_starter);
}
}
return NGX_OK;
}
/**
* Called when Nginx exits. Not called when Nginx is restarted.
*/
static void
exit_master(ngx_cycle_t *cycle) {
<API key>();
}
static ngx_http_module_t <API key> = {
pre_config_init, /* preconfiguration */
/* <API key> */ NULL, /* postconfiguration */
<API key>, /* create main configuration */
<API key>, /* init main configuration */
NULL, /* create server configuration */
NULL, /* merge server configuration */
<API key>, /* create location configuration */
<API key> /* merge location configuration */
};
ngx_module_t <API key> = {
NGX_MODULE_V1,
&<API key>, /* module context */
(ngx_command_t *) passenger_commands, /* module directives */
NGX_HTTP_MODULE, /* module type */
NULL, /* init master */
init_module, /* init module */
init_worker_process, /* init process */
NULL, /* init thread */
NULL, /* exit thread */
NULL, /* exit process */
exit_master, /* exit master */
<API key>
}; |
#pragma once
#ifndef __DISTPLOT_H__
#define __DISTPLOT_H__
#include "plot/abstractPlot.h"
class PVec;
class DistrPlot
: public AbstractPlot
{
public:
DistrPlot(const PVec &a);
virtual std::string ToString() override;
DistrPlot &SetBins(const PVec &bins);
DistrPlot &SetBins(size_t value);
DistrPlot &Hist(bool hist);
DistrPlot &KDE(bool kde);
DistrPlot &RUG(bool rug);
DistrPlot &Vertical(bool vertical);
DistrPlot &NormHist(bool normHist);
DistrPlot &SetLabel(const std::string &label);
DistrPlot &SetAxisLabel(const std::string &label);
DistrPlot &SetColour(const std::string &colour);
};
#ifndef <API key>
# include "../../src/distrPlot.cpp"
#endif
#endif |
# basesoftware
# Table of Contents
1. [Overview](#overview)
2. [Module Description - What the module does and why it is useful](#module-description)
3. [Setup - The basics of getting started with basesoftware](#setup)
* [What basesoftware affects](#<API key>)
* [Setup requirements](#setup-requirements)
* [Beginning with basesoftware](#<API key>)
4. [Usage - Configuration options and additional functionality](#usage)
5. [Reference - An under-the-hood peek at what the module is doing and how](#reference)
5. [Limitations - OS compatibility, etc.](#limitations)
6. [Development - Guide for contributing to the module](#development)
## Overview
A one-maybe-two sentence summary of what the module does/what problem it solves.
This is your 30 second elevator pitch for your module. Consider including
OS/Puppet version it works with.
## Module Description
If applicable, this section should have a brief description of the technology
the module integrates with and what that integration enables. This section
should answer the questions: "What does this module *do*?" and "Why would I use
it?"
If your module has a range of functionality (installation, configuration,
management, etc.) this is the time to mention it.
## Setup
What basesoftware affects
* A list of files, packages, services, or operations that the module will alter,
impact, or execute on the system it's installed on.
* This is a great place to stick any warnings.
* Can be in list or paragraph form.
Setup Requirements **OPTIONAL**
If your module requires anything extra before setting up (pluginsync enabled,
etc.), mention it here.
Beginning with basesoftware
The very basic steps needed for a user to get the module up and running.
If your most recent release breaks compatibility or requires particular steps
for upgrading, you may wish to include an additional section here: Upgrading
(For an example, see http://forge.puppetlabs.com/puppetlabs/firewall).
## Usage
Put the classes, types, and resources for customizing, configuring, and doing
the fancy stuff with your module here.
## Reference
Here, list the classes, types, providers, facts, etc contained in your module.
This section should include all of the under-the-hood workings of your module so
people know what the module is touching on their system but don't need to mess
with things. (We are working on automating this section!)
## Limitations
This is where you list OS compatibility, version compatibility, etc.
## Development
Since your module is awesome, other users will want to play with it. Let them
know what the ground rules for contributing are.
## Release Notes/Contributors/Etc **Optional**
If you aren't using changelog, put your release notes here (though you should
consider using changelog). You may also add any additional sections you feel are
necessary or important to include here. Please use the `## ` header. |
#!/bin/bash
if [ -n "$PYPI_PORT" ]; then
PYPI_FLAGS="-i ${PYPI_PORT/tcp:/http:}/root/pypi/"
fi
if find /env -maxdepth 0 -empty | read v; then
virtualenv /env
fi
REQUIREMENTS_FILE=/code/${REQUIREMENTS_FILE:-requirements.txt}
if [ -f $REQUIREMENTS_FILE ]; then
/env/bin/pip install -r $REQUIREMENTS_FILE $PYPI_FLAGS
else
/env/bin/pip install celery $PYPI_FLAGS
fi
#chown celery:celery -R /log
#su -p celery -c "/run-server.sh"
/run-server.sh |
<?php
namespace AppBundle\Form;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\<API key>;
use Symfony\Component\Form\FormEvent;
use Symfony\Component\Form\FormEvents;
use Symfony\Component\OptionsResolver\OptionsResolver;
use Vich\UploaderBundle\Form\Type\VichFileType;
use Vich\UploaderBundle\Form\Type\VichImageType;
class HostelImageType extends AbstractType
{
/**
* @param <API key> $builder
* @param array $options
*/
public function buildForm(<API key> $builder, array $options)
{
$builder
->add('imageFile', VichFileType::class, [
'required' => false,
'allow_delete' => false,
'download_link' => false,
])
->add('partOfTheHouse', EntityType::class, [
'multiple' => false,
'class' => 'AppBundle:PartOfTheHouse',
'expanded' => 'true',
'translation_domain' => false,
])
->add('description')
->addEventListener(
FormEvents::PRE_SET_DATA,
function (FormEvent $event) {
$form = $event->getForm();
$hostelImage = $event->getData();
$hostel = $hostelImage->getHostel();
$rooms = null === $hostel ? [] : $hostel->getRooms();
$form->add('room', EntityType::class, [
'class' => 'AppBundle:Room',
'choices' => $rooms,
'translation_domain' => false,
'required' => false,
]);
}
)
;
}
/**
* @param OptionsResolver $resolver
*/
public function configureOptions(OptionsResolver $resolver)
{
$resolver->setDefaults(array(
'data_class' => 'AppBundle\Entity\HostelImage'
));
}
} |
import { ContextModule } from "@artsy/cohesion"
import { Box, BoxProps, ResponsiveBox, Image, Flex, Text } from "@artsy/palette"
import { capitalize, compact, uniq } from "lodash"
import React from "react"
import { <API key>, graphql } from "react-relay"
import { useSystemContext } from "v2/System"
import { RouterLink } from "v2/System/Router/RouterLink"
import { <API key> } from "v2/Components/FollowButton/FollowProfileButton"
import { <API key> } from "v2/__generated__/<API key>.graphql"
interface <API key> extends BoxProps {
partner: <API key>
city?: string | null
}
function normalizeCityName(city: string) {
return capitalize(city.trim())
}
function getLocation(cities: Array<string>, preferredCity?: string | null) {
let location
if (cities.length > 0) {
const <API key> =
preferredCity && normalizeCityName(preferredCity)
if (cities.some(c => c === <API key>)) {
location = <API key>
} else {
location = cities[0]
}
if (cities.length > 1) {
location += ` & ${cities.length - 1} other location`
if (cities.length > 2) {
location += "s"
}
}
}
return location
}
const NearbyGalleryCard: React.FC<<API key>> = ({
partner,
city,
rest
}) => {
const { user } = useSystemContext()
if (!partner) {
return null
}
const { name, slug, profile, type, locationsConnection } = partner
const canFollow = type !== "Auction House"
const image = partner?.profile?.image?.cropped
const partnerHref = `/partner/${slug}`
const cities = uniq(
compact(
locationsConnection?.edges?.map(location =>
location?.node?.city
? normalizeCityName(location?.node?.city)
: location?.node?.displayCountry
)
)
)
const location = getLocation(cities, city)
return (
<Box {...rest}>
<ResponsiveBox
bg="black10"
aspectHeight={3}
aspectWidth={4}
maxWidth="100%"
>
<RouterLink to={partnerHref}>
{image && (
<Image
lazyLoad
src={image.src}
srcSet={image.srcSet}
width="100%"
height="100%"
/>
)}
</RouterLink>
</ResponsiveBox>
<Flex justifyContent="space-between" mt={1}>
<Box>
<RouterLink noUnderline to={partnerHref}>
<Text variant="subtitle">{name}</Text>
{location && <Text color="black60">{location}</Text>}
</RouterLink>
</Box>
{canFollow && !!profile && (
<<API key>
profile={profile}
user={user}
contextModule={ContextModule.partnerHeader}
buttonProps={{
size: "small",
variant: "secondaryOutline",
}}
/>
)}
</Flex>
</Box>
)
}
export const <API key> = <API key>(
NearbyGalleryCard,
{
partner: graphql`
fragment <API key> on Partner {
name
slug
type
profile {
image {
cropped(height: 300, width: 400, version: "wide") {
src
srcSet
}
}
<API key>
}
locationsConnection(first: 20) {
edges {
node {
city
displayCountry
}
}
}
}
`,
}
) |
'use strict';
var React = require('react');
var Modal = require('react-modal');
var customStyles = {
content: {
top: '50%',
left: '50%',
right: 'auto',
bottom: 'auto',
marginRight: '-50%',
transform: 'translate(-50%, -50%)',
backgroundColor: '#272525',
color: '#fff'
}
};
var AddTabModal = React.createClass({
displayName: 'AddTabModal',
getInitialState: function getInitialState() {
return {
modalIsOpen: false
};
},
afterOpenModal: function afterOpenModal() {},
closeModal: function closeModal() {
this.props.onClose();
},
okModal: function okModal() {
var title = this.refs.title.value;
var pluginName = this.refs.plugins.value;
this.props.onOk({ title: title, plugin: pluginName });
this.props.onClose();
},
<API key>: function <API key>() {},
render: function render() {
var options = this.props.pluginNames.map(function (name) {
return React.createElement(
'option',
{ key: 'addtab-' + name },
name
);
});
return React.createElement(
'div',
null,
React.createElement(
Modal,
{
isOpen: this.props.isOpen,
onAfterOpen: this.afterOpenModal,
onRequestClose: this.closeModal,
style: customStyles },
React.createElement(
'h2',
null,
'\u30BF\u30D6\u306E\u8FFD\u52A0'
),
React.createElement(
'div',
{ className: 'core-modal-form' },
React.createElement(
'span',
{ className: '<API key>' },
'\u30D7\u30E9\u30B0\u30A4\u30F3'
),
React.createElement(
'div',
{ className: '<API key>' },
React.createElement(
'select',
{ ref: 'plugins' },
options
)
)
),
React.createElement(
'div',
{ className: 'core-modal-form' },
React.createElement(
'span',
{ className: '<API key>' },
'\u4F5C\u6210\u3059\u308B\u30BF\u30D6\u306E\u540D\u524D'
),
React.createElement(
'div',
{ className: '<API key>' },
React.createElement('input', { ref: 'title', type: 'text' })
)
),
React.createElement(
'button',
{ onClick: this.okModal },
'OK'
),
React.createElement(
'button',
{ onClick: this.closeModal },
'Cancel'
)
)
);
}
});
module.exports = AddTabModal;
//# sourceMappingURL=addTab.js.map |
import { createTranslator } from 'kolibri.utils.i18n';
import logger from 'kolibri.lib.logging';
import { OBJECTS, ADJECTIVES, VERBS } from './constants';
export const logging = logger.getLogger(__filename);
/*
Strings variations below are defined based on the following constructions:
Item status: N Object(s) is/are Adjective
Learner progress: N Learner(s) Verbed one Object
*/
export const translations = {
itemStatus: {
exercise: {
difficult: createTranslator('<API key>', {
label: '{count, plural, one {Exercise is difficult} other {Exercises are difficult}}',
labelShort: '{count, plural, other {Difficult}}',
count:
'{count, number, integer} {count, plural, one {exercise is difficult} other {exercises are difficult}}',
countShort:
'{count, number, integer} {count, plural, one {is difficult} other {are difficult}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {exercises are difficult}}',
<API key>:
'All {count, number, integer} {count, plural, other {are difficult}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {exercise} other {exercises}} {count, plural, one {is difficult} other {are difficult}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {is difficult} other {are difficult}}',
}),
completed: createTranslator('<API key>', {
label: '{count, plural, one {Exercise completed} other {Exercises completed}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, number, integer} {count, plural, one {exercise completed} other {exercises completed}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {exercises completed}}',
<API key>: 'All {count, number, integer} {count, plural, other {completed}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {exercise} other {exercises}} {count, plural, other {completed}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {completed}}',
}),
inProgress: createTranslator('<API key>', {
label: '{count, plural, one {Exercise in progress} other {Exercises in progress}}',
labelShort: '{count, plural, other {In progress}}',
count:
'{count, number, integer} {count, plural, one {exercise in progress} other {exercises in progress}}',
countShort: '{count, number, integer} {count, plural, other {in progress}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {exercises in progress}}',
<API key>: 'All {count, number, integer} {count, plural, other {in progress}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {exercise} other {exercises}} {count, plural, other {in progress}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {in progress}}',
}),
notStarted: createTranslator('<API key>', {
label: '{count, plural, one {Exercise not started} other {Exercises not started}}',
labelShort: '{count, plural, other {Not started}}',
count:
'{count, number, integer} {count, plural, one {exercise not started} other {exercises not started}}',
countShort: '{count, number, integer} {count, plural, other {not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {exercise} other {exercises}} {count, plural, other {not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {not started}}',
}),
},
lesson: {
difficult: createTranslator('<API key>', {
label: '{count, plural, one {Lesson is difficult} other {Lessons are difficult}}',
labelShort: '{count, plural, other {Difficult}}',
count:
'{count, number, integer} {count, plural, one {lesson is difficult} other {lessons are difficult}}',
countShort:
'{count, number, integer} {count, plural, one {is difficult} other {are difficult}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {lessons are difficult}}',
<API key>:
'All {count, number, integer} {count, plural, other {are difficult}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {lesson} other {lessons}} {count, plural, one {is difficult} other {are difficult}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {is difficult} other {are difficult}}',
}),
completed: createTranslator('<API key>', {
label: '{count, plural, one {Lesson completed} other {Lessons completed}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, number, integer} {count, plural, one {lesson completed} other {lessons completed}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo: 'All {count, number, integer} {count, plural, other {lessons completed}}',
<API key>: 'All {count, number, integer} {count, plural, other {completed}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {lesson} other {lessons}} {count, plural, other {completed}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {completed}}',
}),
inProgress: createTranslator('<API key>', {
label: '{count, plural, one {Lesson in progress} other {Lessons in progress}}',
labelShort: '{count, plural, other {In progress}}',
count:
'{count, number, integer} {count, plural, one {lesson in progress} other {lessons in progress}}',
countShort: '{count, number, integer} {count, plural, other {in progress}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {lessons in progress}}',
<API key>: 'All {count, number, integer} {count, plural, other {in progress}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {lesson} other {lessons}} {count, plural, other {in progress}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {in progress}}',
}),
notStarted: createTranslator('<API key>', {
label: '{count, plural, one {Lesson not started} other {Lessons not started}}',
labelShort: '{count, plural, other {Not started}}',
count:
'{count, number, integer} {count, plural, one {lesson not started} other {lessons not started}}',
countShort: '{count, number, integer} {count, plural, other {not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {lesson} other {lessons}} {count, plural, other {not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {not started}}',
}),
},
question: {
difficult: createTranslator('<API key>', {
label: '{count, plural, one {Question is difficult} other {Questions are difficult}}',
labelShort: '{count, plural, other {Difficult}}',
count:
'{count, number, integer} {count, plural, one {question is difficult} other {questions are difficult}}',
countShort:
'{count, number, integer} {count, plural, one {is difficult} other {are difficult}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {questions are difficult}}',
<API key>:
'All {count, number, integer} {count, plural, other {are difficult}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {question} other {questions}} {count, plural, one {is difficult} other {are difficult}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {is difficult} other {are difficult}}',
}),
completed: createTranslator('<API key>', {
label: '{count, plural, one {Question completed} other {Questions completed}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, number, integer} {count, plural, one {question completed} other {questions completed}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {questions completed}}',
<API key>: 'All {count, number, integer} {count, plural, other {completed}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {question} other {questions}} {count, plural, other {completed}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {completed}}',
}),
inProgress: createTranslator('<API key>', {
label: '{count, plural, one {Question in progress} other {Questions in progress}}',
labelShort: '{count, plural, other {In progress}}',
count:
'{count, number, integer} {count, plural, one {question in progress} other {questions in progress}}',
countShort: '{count, number, integer} {count, plural, other {in progress}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {questions in progress}}',
<API key>: 'All {count, number, integer} {count, plural, other {in progress}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {question} other {questions}} {count, plural, other {in progress}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {in progress}}',
}),
notStarted: createTranslator('<API key>', {
label: '{count, plural, one {Question not started} other {Questions not started}}',
labelShort: '{count, plural, other {Not started}}',
count:
'{count, number, integer} {count, plural, one {question not started} other {questions not started}}',
countShort: '{count, number, integer} {count, plural, other {not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {question} other {questions}} {count, plural, other {not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {not started}}',
}),
},
quiz: {
difficult: createTranslator('QuizStatusDifficult', {
label: '{count, plural, one {Quiz is difficult} other {Quizzes are difficult}}',
labelShort: '{count, plural, other {Difficult}}',
count:
'{count, number, integer} {count, plural, one {quiz is difficult} other {quizzes are difficult}}',
countShort:
'{count, number, integer} {count, plural, one {is difficult} other {are difficult}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {quizzes are difficult}}',
<API key>:
'All {count, number, integer} {count, plural, other {are difficult}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {quiz} other {quizzes}} {count, plural, one {is difficult} other {are difficult}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {is difficult} other {are difficult}}',
}),
completed: createTranslator('QuizStatusCompleted', {
label: '{count, plural, one {Quiz completed} other {Quizzes completed}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, number, integer} {count, plural, one {quiz completed} other {quizzes completed}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo: 'All {count, number, integer} {count, plural, other {quizzes completed}}',
<API key>: 'All {count, number, integer} {count, plural, other {completed}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {quiz} other {quizzes}} {count, plural, other {completed}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {completed}}',
}),
inProgress: createTranslator('<API key>', {
label: '{count, plural, one {Quiz in progress} other {Quizzes in progress}}',
labelShort: '{count, plural, other {In progress}}',
count:
'{count, number, integer} {count, plural, one {quiz in progress} other {quizzes in progress}}',
countShort: '{count, number, integer} {count, plural, other {in progress}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {quizzes in progress}}',
<API key>: 'All {count, number, integer} {count, plural, other {in progress}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {quiz} other {quizzes}} {count, plural, other {in progress}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {in progress}}',
}),
notStarted: createTranslator('<API key>', {
label: '{count, plural, one {Quiz not started} other {Quizzes not started}}',
labelShort: '{count, plural, other {Not started}}',
count:
'{count, number, integer} {count, plural, one {quiz not started} other {quizzes not started}}',
countShort: '{count, number, integer} {count, plural, other {not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {quiz} other {quizzes}} {count, plural, other {not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {not started}}',
}),
},
resource: {
difficult: createTranslator('<API key>', {
label: '{count, plural, one {Resource is difficult} other {Resources are difficult}}',
labelShort: '{count, plural, other {Difficult}}',
count:
'{count, number, integer} {count, plural, one {resource is difficult} other {resources are difficult}}',
countShort:
'{count, number, integer} {count, plural, one {is difficult} other {are difficult}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {resources are difficult}}',
<API key>:
'All {count, number, integer} {count, plural, other {are difficult}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {resource} other {resources}} {count, plural, one {is difficult} other {are difficult}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {is difficult} other {are difficult}}',
}),
completed: createTranslator('<API key>', {
label: '{count, plural, one {Resource completed} other {Resources completed}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, number, integer} {count, plural, one {resource completed} other {resources completed}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {resources completed}}',
<API key>: 'All {count, number, integer} {count, plural, other {completed}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {resource} other {resources}} {count, plural, other {completed}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {completed}}',
}),
inProgress: createTranslator('<API key>', {
label: '{count, plural, one {Resource in progress} other {Resources in progress}}',
labelShort: '{count, plural, other {In progress}}',
count:
'{count, number, integer} {count, plural, one {resource in progress} other {resources in progress}}',
countShort: '{count, number, integer} {count, plural, other {in progress}}',
allOfMoreThanTwo:
'All {count, number, integer} {count, plural, other {resources in progress}}',
<API key>: 'All {count, number, integer} {count, plural, other {in progress}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {resource} other {resources}} {count, plural, other {in progress}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {in progress}}',
}),
notStarted: createTranslator('<API key>', {
label: '{count, plural, one {Resource not started} other {Resources not started}}',
labelShort: '{count, plural, other {Not started}}',
count:
'{count, number, integer} {count, plural, one {resource not started} other {resources not started}}',
countShort: '{count, number, integer} {count, plural, other {not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {resource} other {resources}} {count, plural, other {not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, other {not started}}',
}),
},
},
learnerProgress: {
completed: createTranslator('LearnersCompleted', {
label: '{count, plural, one {Completed by learner} other {Completed by learners}}',
labelShort: '{count, plural, other {Completed}}',
count:
'{count, plural, other {Completed by}} {count, number, integer} {count, plural, one {learner} other {learners}}',
countShort: '{count, number, integer} {count, plural, other {completed}}',
allOfMoreThanTwo:
'Completed by all {total, number, integer} {total, plural, one {learner} other {learners}}',
<API key>: 'Completed by all {total, number, integer}',
ratio:
'{count, plural, other {Completed by}} {count, number, integer} of {total, number, integer} {total, plural, one {learner} other {learners}}',
ratioShort:
'{count, plural, other {Completed by}} {count, number, integer} of {total, number, integer}',
}),
notStarted: createTranslator('LearnersDidNotStart', {
label: '{count, plural, one {Learner has not started} other {Learners have not started}}',
labelShort: '{count, plural, one {Has not started} other {Have not started}}',
count:
'{count, number, integer} {count, plural, one {learner has not started} other {learners have not started}}',
countShort:
'{count, number, integer} {count, plural, one {has not started} other {have not started}}',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {learner} other {learners}} {count, plural, one {has not started} other {have not started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {has not started} other {have not started}}',
}),
needHelp: createTranslator('LearnersNeedHelp', {
label: '{count, plural, one {Learner needs help} other {Learners need help}}',
labelShort: '{count, plural, one {Needs help} other {Need help}}',
count:
'{count, number, integer} {count, plural, one {learner needs help} other {learners need help}}',
countShort: '{count, number, integer} {count, plural, one {needs help} other {need help}}',
allOfMoreThanTwo: 'All {total, number, integer} learners need help',
<API key>: 'All {total, number, integer} need help',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {learner} other {learners}} {count, plural, one {needs help} other {need help}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {needs help} other {need help}}',
}),
started: createTranslator('LearnersStarted', {
label: '{count, plural, one {Learner has started} other {Learners have started}}',
labelShort: '{count, plural, other {Started}}',
count: 'Started by {count, number, integer} {count, plural, one {learner} other {learners}}',
countShort: '{count, number, integer} {count, plural, other {started}}',
allOfMoreThanTwo: 'All {total, number, integer} learners have started',
<API key>: 'All {total, number, integer} have started',
ratio:
'{count, number, integer} of {total, number, integer} {total, plural, one {learner} other {learners}} {count, plural, one {has started} other {have started}}',
ratioShort:
'{count, number, integer} of {total, number, integer} {count, plural, one {has started} other {have started}}',
questionsStarted: '{<API key>} of {totalQuestionsCount} answered',
}),
},
};
export function isValidObject(value) {
const output = Boolean(OBJECTS[value]);
if (!output) {
logging.error(`'${value}' must be one of: ${Object.values(OBJECTS)}`);
}
return output;
}
export function isValidAdjective(value) {
const output = Boolean(ADJECTIVES[value]);
if (!output) {
logging.error(`'${value}' must be one of: ${Object.values(ADJECTIVES)}`);
}
return output;
}
export function isValidVerb(value) {
const output = Boolean(VERBS[value]);
if (!output) {
logging.error(`'${value}' must be one of: ${Object.values(VERBS)}`);
}
return output;
}
export const statusStringsMixin = {
props: {
count: {
type: Number,
required: true,
validator(value) {
const output = value >= 0;
if (!output) {
logging.error(`'${value}' must be greater than 0`);
}
return output;
},
},
verbosity: {
type: [Number, String],
required: true,
validator(value) {
const output = [0, 1, 2].includes(Number(value));
if (!output) {
logging.error(`'${value}' must be one of: ${[0, 1, 2]}`);
}
return output;
},
},
total: {
type: Number,
required: false,
validator(value) {
const output = value >= 0;
if (!output) {
logging.error(`'${value}' must be greater than 0`);
}
return output;
},
},
},
methods: {
shorten(id, verbosity) {
return verbosity === 1 ? id + 'Short' : id;
},
},
computed: {
verbosityNumber() {
return Number(this.verbosity);
},
translations() {
return translations;
},
},
}; |
namespace <API key>.Services
{
public class ProductService : IProductService
{
}
public interface IProductService
{
}
} |
package com.azure.resourcemanager;
import com.azure.resourcemanager.compute.models.<API key>;
import com.azure.resourcemanager.compute.models.VirtualMachine;
import com.azure.resourcemanager.compute.models.<API key>;
import com.azure.resourcemanager.compute.models.VirtualMachines;
import com.azure.resourcemanager.network.models.PublicIpAddress;
import com.azure.resourcemanager.network.models.PublicIpAddresses;
import com.azure.core.management.Region;
import com.azure.resourcemanager.test.<API key>;
import com.jcraft.jsch.ChannelExec;
import com.jcraft.jsch.JSch;
import com.jcraft.jsch.Session;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.Base64;
import org.junit.jupiter.api.Assertions;
public class <API key> extends TestTemplate<VirtualMachine, VirtualMachines> {
final PublicIpAddresses pips;
public <API key>(PublicIpAddresses pips) {
this.pips = pips;
}
@Override
public VirtualMachine createResource(VirtualMachines virtualMachines) throws Exception {
final String vmName = virtualMachines.manager().resourceManager().internalContext().randomResourceName("vm", 10);
final String publicIpDnsLabel = virtualMachines.manager().resourceManager().internalContext().randomResourceName("abc", 16);
final String <API key>.password();
// Prepare the custom data
String cloudInitFilePath = getClass().getClassLoader().getResource("cloud-init").getPath();
cloudInitFilePath = cloudInitFilePath.replaceFirst("^/(.:/)", "$1"); // In Windows remove leading slash
byte[] cloudInitAsBytes = Files.readAllBytes(Paths.get(cloudInitFilePath));
byte[] cloudInitEncoded = Base64.getEncoder().encode(cloudInitAsBytes);
String <API key> = new String(cloudInitEncoded);
PublicIpAddress pip =
pips
.define(publicIpDnsLabel)
.withRegion(Region.US_EAST)
.<API key>()
.withLeafDomainLabel(publicIpDnsLabel)
.create();
VirtualMachine vm =
virtualMachines
.define(vmName)
.withRegion(pip.regionName())
.<API key>(pip.resourceGroupName())
.<API key>("10.0.0.0/28")
.<API key>()
.<API key>(pip)
.<API key>(<API key>.<API key>)
.withRootUsername("testuser")
.withRootPassword(password)
.withCustomData(<API key>)
.withSize(<API key>.fromString("Standard_D2a_v4"))
.create();
pip.refresh();
Assertions.assertTrue(pip.<API key>());
if (TestUtils.isRecordMode()) {
JSch jsch = new JSch();
Session session = null;
ChannelExec channel = null;
try {
java.util.Properties config = new java.util.Properties();
config.put("<API key>", "no");
session = jsch.getSession("testuser", publicIpDnsLabel + "." + "eastus.cloudapp.azure.com", 22);
session.setPassword(password);
session.setConfig(config);
session.connect();
// Try running the package installed via init script
channel = (ChannelExec) session.openChannel("exec");
BufferedReader in = new BufferedReader(new InputStreamReader(channel.getInputStream()));
channel.setCommand("pwgen;");
channel.connect();
String msg;
while ((msg = in.readLine()) != null) {
Assertions.assertFalse(msg.startsWith("The program 'pwgen' is currently not installed"));
}
} catch (Exception e) {
Assertions.fail("SSH connection failed" + e.getMessage());
} finally {
if (channel != null) {
channel.disconnect();
}
if (session != null) {
session.disconnect();
}
}
}
return vm;
}
@Override
public VirtualMachine updateResource(VirtualMachine virtualMachine) throws Exception {
return virtualMachine;
}
@Override
public void print(VirtualMachine virtualMachine) {
TestUtils.print(virtualMachine);
}
} |
<?php
use <API key> as Config;
/**
* Bonus snapshot for current state.
*
* User: Alex Gusev <alex@flancer64.com>
*
* @method int getCalcTypeTypeId()
* @method null setCalcTypeTypeId(int $val)
* @method int getCustomerId()
* @method null setCustomerId(int $val)
* @method string getPeriod()
* @method null setPeriod(string $val)
* @method decimal getValue()
* @method null setValue(decimal $val)
*/
class <API key> extends <API key> {
const ATTR_CALC_TYPE_ID = 'calc_type_id';
const ATTR_CUSTOMER_ID = 'customer_id';
const ATTR_ID = 'id';
const ATTR_PERIOD = 'period';
const ATTR_VALUE = 'value';
protected function _construct() {
$this->_init(Config::ENTITY_SNAP_BONUS);
}
} |
#!/usr/bin/perl
# EECS678
# Adopted from CS 241 @ The University of Illinois |
describe('Forced March', function() {
integration(function() {
describe('when revealed', function() {
beforeEach(function() {
const deck = this.buildDeck('targaryen', [
'Forced March (R)', 'A Noble Cause',
'Hedge Knight', 'Hedge Knight', 'Hedge Knight', 'Winterfell Steward', 'Ygritte'
]);
this.player1.selectDeck(deck);
this.player2.selectDeck(deck);
this.startGame();
this.keepStartingHands();
[this.char1, this.char2, this.char3] = this.player1.filterCardsByName('Hedge Knight');
[this.char4] = this.player1.filterCardsByName('Winterfell Steward');
[this.ygritte] = this.player1.filterCardsByName('Ygritte');
[this.opponentChar1, this.opponentChar2, this.opponentChar3] = this.player2.filterCardsByName('Hedge Knight');
[this.opponentChar4] = this.player2.filterCardsByName('Winterfell Steward');
[this.opponentYgritte] = this.player2.filterCardsByName('Ygritte');
this.game.addGold(this.player1Object, 3);
this.player1.clickCard(this.char1);
this.player1.clickCard(this.char2);
this.player1.clickCard(this.char3);
this.player1.clickCard(this.char4);
this.player1.clickCard(this.ygritte);
this.game.addGold(this.player2Object, 3);
this.player2.clickCard(this.opponentChar1);
this.player2.clickCard(this.opponentChar2);
this.player2.clickCard(this.opponentChar3);
this.player2.clickCard(this.opponentChar4);
this.player2.clickCard(this.opponentYgritte);
this.completeSetup();
this.player1.selectPlot('Forced March');
this.player2.selectPlot('A Noble Cause');
this.selectFirstPlayer(this.player1);
});
it('lets you select characters you control with military icons to kneel', function() {
expect(this.player1).toHavePrompt('Select characters');
this.player1.clickCard(this.char1);
this.player1.clickCard(this.char2);
this.player1.clickPrompt('Done');
expect(this.char1.kneeled).toBe(true);
expect(this.char2.kneeled).toBe(true);
expect(this.char3.kneeled).toBe(false);
expect(this.char4.kneeled).toBe(false);
expect(this.ygritte.kneeled).toBe(false);
});
it('as many kneelable characters the opponent controls are knelt', function() {
this.player1.clickCard(this.char1);
this.player1.clickCard(this.char2);
this.player1.clickPrompt('Done');
expect(this.player2).toHavePrompt('Select 2 characters');
this.player2.clickCard(this.opponentChar1);
this.player2.clickCard(this.opponentChar2);
this.player2.clickPrompt('Done');
expect(this.opponentChar1.kneeled).toBe(true);
expect(this.opponentChar2.kneeled).toBe(true);
expect(this.opponentChar3.kneeled).toBe(false);
expect(this.opponentChar4.kneeled).toBe(false);
expect(this.opponentYgritte.kneeled).toBe(false);
});
});
});
}); |
from . import graphics
from . import input
from . import util
from .controller import Controller |
<?php
namespace Orchestra\OrchestraBundle\Tests\Controller;
use Symfony\Bundle\FrameworkBundle\Test\WebTestCase;
class <API key> extends WebTestCase
{
} |
#!/usr/bin/env python
# -*- coding:utf-8 -*-
from fnmatch import fnmatch
def <API key>(
string_to_parse,
pattern_strings,
<API key>="<",
<API key>=">",
):
if type(pattern_strings) is list:
for pattern_string in pattern_strings:
identifier_values = <API key>(
string_to_parse,
pattern_string,
<API key>,
<API key>,
)
if identifier_values != None:
break
return identifier_values
else:
pattern_string = pattern_strings
keys = get_pattern_keys(
pattern_string, <API key>, <API key>
)
if not does_pattern_match(
string_to_parse,
pattern_string,
keys,
<API key>,
<API key>,
):
return None
identifier_values = {}
file_name_parts = split_by_delimiters(
pattern_string, delimiters=[<API key>, <API key>]
)
file_name_parts = [
part for part in file_name_parts if part != ""
] # remove empty parts
checked_part = ""
for index, part in enumerate(file_name_parts):
start_pos = len(checked_part)
if part in keys:
if index == len(file_name_parts) - 1:
stop_pos = len(string_to_parse)
else:
next_part = file_name_parts[index + 1]
stop_pos = string_to_parse.find(next_part, start_pos + 1)
value_string = string_to_parse[start_pos:stop_pos]
identifier_values[part] = value_string
checked_part += value_string
else:
if not string_to_parse[start_pos:].startswith(part):
return None
checked_part += part
return identifier_values
def does_pattern_match(
string_to_parse,
pattern_string,
keys,
<API key>="<",
<API key>=">",
):
match_string = pattern_string
for key in keys:
key_string = "%s%s%s" % (<API key>, key, <API key>)
match_string = match_string.replace(key_string, "*")
return fnmatch(string_to_parse, match_string)
def get_pattern_keys(
pattern_string, <API key>="<", <API key>=">"
):
keys = []
parts = pattern_string.split(<API key>)
for part in parts:
if <API key> in part:
key_str, _ = part.split(<API key>)
keys.append(key_str)
return keys
def split_by_delimiters(string_to_split, delimiters):
split_string = []
<API key> = [string_to_split]
for delimiter in delimiters:
split_string = []
for string_part in <API key>:
split_string.extend(string_part.split(delimiter))
<API key> = split_string
return split_string |
require 'bundler/setup'
require 'minitest/autorun'
require '<API key>'
ActiveRecord::Base.<API key> :adapter => 'sqlite3', :database => 'test/test.sqlite3'
ActiveRecord::Migration.create_table :test_models do |t|
t.float :number
end rescue nil # poor's man schema
class TestModel < ::ActiveRecord::Base
<API key> :number
validates :number, numericality: true
end |
package com.bullhornsdk.data.model.response.single;
import com.bullhornsdk.data.model.entity.core.paybill.surcharge.Surcharge;
public class SurchargeWrapper extends StandardWrapper<Surcharge> {
} |
process.env.NODE_ENV = 'test';
global.chai = require('chai');
global.expect = global.chai.expect; |
<div class="commune_descr limited">
<p>
Les Rivières-Henruel est
un village
situé dans le département de Marne en Champagne-Ardenne. Elle totalisait 147 habitants en 2008.</p>
<p>La commune offre quelques équipements, elle dispose, entre autres, de une base nautique.</p>
<p>Si vous envisagez de venir habiter à Les Rivières-Henruel, vous pourrez facilement trouver une maison à acheter. </p>
<p>À proximité de Les Rivières-Henruel sont situées les communes de
<a href="{{VLROOT}}/immobilier/<API key>/">Cloyes-sur-Marne</a> localisée à 5 km, 112 habitants,
<a href="{{VLROOT}}/immobilier/norrois_51406/">Norrois</a> localisée à 4 km, 168 habitants,
<a href="{{VLROOT}}/immobilier/frignicourt_51262/">Frignicourt</a> située à 5 km, 1 769 habitants,
<a href="{{VLROOT}}/immobilier/gigny-bussy_51270/">Gigny-Bussy</a> à 5 km, 248 habitants,
<a href="{{VLROOT}}/immobilier/glannes_51275/">Glannes</a> à 5 km, 158 habitants,
<a href="{{VLROOT}}/immobilier/<API key>/"><API key></a> située à 4 km, 411 habitants,
entre autres. De plus, Les Rivières-Henruel est située à seulement 28 km de <a href="{{VLROOT}}/immobilier/saint-dizier_52448/">Saint-Dizier</a>.</p>
<p>Le nombre d'habitations, à Les Rivières-Henruel, se décomposait en 2011 en un appartements et 84 maisons soit
un marché plutôt équilibré.</p>
</div> |
\documentclass[utf8]{beamer}
%% === CJK ===
\usepackage{CJKutf8,CJKnumb} %
%% === AMS ===
\usepackage{amsmath,amsfonts,amssymb,amsthm} %
\usepackage{ulem}
%% === ===
%\usepackage[chapter]{algorithm} %
%\usepackage[noend]{algpseudocode} % pseudocode
\usepackage{listings} %
%% === TikZ ===
\usepackage{tikz,tkz-graph,tkz-berge} %
\usepackage{multicol}
\usepackage{xkeyval,xargs}
\usepackage{xcolor}
\usetheme{Boadilla}
\usecolortheme{whale}
\setbeamertemplate{items}[circle]
%% === C++ ===
\lstset{%
language=C++, %
%% === , tab ===
tabsize=2, % tab =
%showspaces=true, %
%showtabs=true, % tab
%tab=\rightarrowfill, % tab
%% === ===
%numbers=left, %
%stepnumber=1, %
%numberstyle=\tiny,
%% === ===
basicstyle=\ttfamily,
keywordstyle=\color{blue}\ttfamily,
stringstyle=\color{red!50!brown}\ttfamily,
commentstyle=\color{green!50!black}\ttfamily,
%identifierstyle=\color{black}\ttfamily,
emphstyle=\color{purple}\ttfamily,
extendedchars=false,
texcl=true,
moredelim=[l][\color{magenta}]{\
}
\begin{document}
\begin{CJK}{UTF8}{bkai}
\title{()\\}
\author{}
\institute[PCSH]{}
\begin{frame}
\titlepage
\end{frame}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents
\end{multicols}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\begin{frame}
\frametitle{}
\begin{block}{ ...}<2->
\begin{itemize}[<3->]
\item
\end{itemize}
\end{block}
\begin{exampleblock}{ ...}<4->
\begin{enumerate}
\item<5->
\item<6->
\item<7-> ( debug)
\item<8->
\item<9-> ... \sout{}
\end{enumerate}
\end{exampleblock}
\begin{itemize}
\item<10-> \alert{}
\item<11-> \alert{ C++ } \alert{coding }
\end{itemize}
\end{frame}
\begin{frame}
\frametitle{ ...}
\begin{alertblock}{ ...}<2->
\begin{enumerate}
\item<3->
\item<4->
\item<5-> code
\item<6-> TOI
\end{enumerate}
\end{alertblock}
\begin{itemize}
\item<7->
\item<7->
\begin{itemize}
\item<8->
\item<9->
\item<10-> App
\item<11-> coding
\end{itemize}
\end{itemize}
\end{frame}
\begin{frame}
\frametitle{}
\begin{block}{}
\begin{enumerate}[<+->]
\item C++ \alert{}
\item
\item \alert{}
\end{enumerate}
\end{block}
\begin{exampleblock}{XD}<+->
\begin{itemize}
\item XD
\end{itemize}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{C++ }
\pause
\begin{lstlisting}
#include <iostream>
using namespace std;
int main() {
}
\end{lstlisting}
\end{block}
\begin{exampleblock}{}<3->
\begin{itemize}
\item \uncover<4->{ \alert{}}
\item<5-> \alert{}
\item<6-> ()
\end{itemize}
\end{exampleblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}[<+->]
\item \lstinline{cout << 1;}{}
\item \lstinline{system("PAUSE");}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{cout}{} \lstinline{<<}{}
\item<+-> \lstinline{system("PAUSE");}{}
\begin{itemize}[<+->]
\item
\item
\end{itemize}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}
\item<1-> \lstinline{cout << 1}{}()
\item<3-> \lstinline{cout << 1 << 2;}{}
\item<5-> \lstinline{cout << 1 << " " << 2;}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<2->
\begin{itemize}
\item<2-> C++ \alert{}\alert{}
\item<4-> \lstinline{<<}{}
\item<5-> \lstinline{" "}{} \alert{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}[<+->]
\item \lstinline{cout << 1 << 2 << endl;}{}\lstinline{cout << 1 << 2;}{}
\item \lstinline{cout << 1 << endl << 2;}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{endl}\alert{}
\end{itemize}
\end{exampleblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{itemize}[<+->]
\item
\item \alert{}
\item C++ \alert{}\alert{}
\end{itemize}
\end{block}
\begin{alertblock}{}<+->
\begin{lstlisting}
int x;
\end{lstlisting}
\end{alertblock}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{x}{}
\item<+-> \lstinline{int}{}\alert{} \lstinline{x}{} \alert{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\begin{lstlisting}
#include <iostream>
using namespace std;
int main() {
int x;
x = 5; // 5 x
cout << x << endl;
}
\end{lstlisting}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{int}{}
\item<+-> \lstinline{x = 5;}{}\alert{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}
\frametitle{}
\begin{block}{}
\lstinline{x = 5;}{}
\begin{enumerate}[<+->]
\item \lstinline{x = 5.0;}{}
\item \lstinline{x = 0.5;}{}
\item \lstinline{5 = x;}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \alert{} debug
\item<+->
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{columns}[T]
\begin{column}[T]{5cm}
\begin{block}{}
\begin{itemize}[<+->]
\item
\begin{lstlisting}
int a;
int b;
\end{lstlisting}
\item
\begin{lstlisting}
int a, b;
\end{lstlisting}
\end{itemize}
\end{block}
\end{column}
\begin{column}[T]{5cm}
\begin{exampleblock}{}<+->
\begin{lstlisting}
int a, b, c;
\end{lstlisting}
\end{exampleblock}
\end{column}
\end{columns}
\end{frame}
\begin{frame}[fragile]
\frametitle{ ...}
\begin{block}{}<+->
\begin{lstlisting}
#include <iostream>
using namespace std;
int main() {
int x;
cout << x << endl;
}
\end{lstlisting}
\end{block}
\begin{exampleblock}{}<+->
\begin{enumerate}
\item
\item<+->
\end{enumerate}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{alertblock}{}
\begin{itemize}[<+->]
\item C++ \alert{}
\begin{itemize}
\item \lstinline{x = 5;}{} 5 \lstinline{x}{}
\end{itemize}
\item \alert{}
\begin{itemize}[<+->]
\item \lstinline{x}{} 0
\item \alert{}
\end{itemize}
\end{itemize}
\end{alertblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{lstlisting}
#include <iostream>
using namespace std;
int main() {
int x;
cin >> x;
cout << x << endl;
}
\end{lstlisting}
\end{block}
\begin{exampleblock}{}<2->
1 enter
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{}<1->
\begin{itemize}
\item \lstinline{cin}{}
\begin{itemize}
\item<2-> \lstinline{x}{} \alert{}
\item<3-> \lstinline{cin}{} \alert{\lstinline{>>}{}} \lstinline{cout}{} \alert{\lstinline{<<}{}}
\end{itemize}
\end{itemize}
\end{exampleblock}
\begin{block}{ ()}<4->
\begin{itemize}
\item 5.0 enter
\item<5-> 0.5 enter
\item<6-> XD enter
\end{itemize}
\end{block}
\begin{alertblock}{}<7->
\begin{lstlisting}
int x, y;
cin >> x >> y;
\end{lstlisting}
\begin{itemize}[<8->]
\item \lstinline{endl}{}
\end{itemize}
\end{alertblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{itemize}
\item<1->
\item<2-> \alert{}
\end{itemize}
\end{block}
\pause\pause
\begin{table}[h]
\begin{tabular}{|c|c|c|}
\hline
& & \\
\hline
\lstinline{bool}{} & & \lstinline{true}{} \lstinline{false}{}\\
\hline
\lstinline{int}{} & &\\
\hline
\lstinline{long long}{} & & \\
\hline
\lstinline{double}{} & \alert{} & \\
\hline
\end{tabular}
\caption{}
\end{table}
\begin{exampleblock}{}<4->
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{}
\begin{itemize}[<+->]
\item \lstinline{true}{}\lstinline{false}{}
\end{itemize}
\end{exampleblock}
\begin{block}{}<+->
\begin{lstlisting}
bool b;
\end{lstlisting}
\end{block}
\begin{alertblock}{}<+->
\begin{itemize}
\item
\begin{lstlisting}
int a, bool b;
\end{lstlisting}
\item<+-> \alert{}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{itemize}[<+->]
\item \alert{}
\item 5 \lstinline{x}{}
\begin{lstlisting}
int x;
x = 5;
\end{lstlisting}
\end{itemize}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item
\begin{lstlisting}
int x = 5; // x 5
\end{lstlisting}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{lstlisting}
bool b;
cout << b << endl;
\end{lstlisting}
\lstinline{b}{}
\begin{enumerate}
\item<2-> \lstinline{b = true;}{}
\item<3-> \lstinline{b = false;}{}
\item<4-> \lstinline{b = 2;}{}
\item<5-> \lstinline{b = 0;}{}
\item<6-> \lstinline{b = -1;}{}
\end{enumerate}
\end{block}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{alertblock}{}
\begin{itemize}[<+->]
\item C++ \alert{}\lstinline{true}{} (\alert{ 1})
\item 0\lstinline{false}{}\alert{0}
\end{itemize}
\end{alertblock}
\begin{exampleblock}{}<+->
\alert{}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{itemize}[<+->]
\item \lstinline{long long}{} \lstinline{long long}{}
\item = =
\end{itemize}
\begin{alertblock}{}<+->
\begin{lstlisting}
double d;
\end{lstlisting}
\end{alertblock}
\begin{exampleblock}{}<+->
\begin{itemize}
\item 1.0 \lstinline{d}{} $\Rightarrow$ \lstinline{d = 1.0;}{}
\item<+-> 0.5 \lstinline{d}{} $\Rightarrow$ \lstinline{d = 0.5;}{}
\begin{itemize}[<+->]
\item 0.5 \lstinline{d = .5;}{}
\end{itemize}
\item<+-> \lstinline{18.23e5}{} $\Rightarrow$ $18.23\times{10^5}$ (\alert{})
\end{itemize}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{+}{} & & 6 & $\rightarrow$\\
\hline
\lstinline{-}{} & & 6 & $\rightarrow$\\
\hline
\lstinline{*}{} & & 5 & $\rightarrow$\\
\hline
\lstinline{/}{} & & 5 & $\rightarrow$\\
\hline
\lstinline{%}{} & & 5 & $\rightarrow$\\
\hline
\end{tabular}
\caption{}
\end{table}
\begin{exampleblock}{}<2->
\begin{itemize}
\item<2-> \alert{}\alert{}
\item<3-> ...
\begin{itemize}[<4->]
\item
\end{itemize}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}
\frametitle{}
\begin{exampleblock}{$1+2+3=?$}
\begin{itemize}
\item<2-> 6
\item<3-> ()
\end{itemize}
\end{exampleblock}
\begin{block}{}<4->
\alert{}\alert{}\alert{}
\begin{enumerate}
\item<5-> $1+2$$+$$1$$2$ ()
\item<6->
\end{enumerate}
\end{block}
\begin{itemize}[<7->]
\item Well, ...
\end{itemize}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{ ...}
\begin{exampleblock}{$1+2+3=?$}
\begin{itemize}
\item \alert{}
\begin{itemize}[<2->]
\item $1+2+3$
\end{itemize}
\item<3-> \alert{}
\begin{enumerate}
\item<4-> $1+2=3$ $\alert{3}+3=6$
\item<5-> $2+3=5$ $1+\alert{5}=6$
\end{enumerate}
\item<6-> = =
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<7->
\alert{}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ ...}
\begin{exampleblock}{$1-2-3=?$}
\begin{itemize}
\item<2-> $1-2=-1$ $\alert{-1}-3=-4$
\item<3-> C++ \alert{}\alert{}
\end{itemize}
\end{exampleblock}
\pause \pause \pause
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \alert{}\\
\hline
\lstinline{+}{} & & 6 & \alert{$\rightarrow$}\\
\hline
\lstinline{-}{} & & 6 & \alert{$\rightarrow$}\\
\hline
\lstinline{*}{} & & 5 & \alert{$\rightarrow$}\\
\hline
\lstinline{/}{} & & 5 & \alert{$\rightarrow$}\\
\hline
\lstinline{%}{} & & 5 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\caption{}
\end{table}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{$1+2*3-4=?$}
\begin{itemize}
\item<2-> \alert{}
\item<3-> C++ \alert{}
\begin{itemize}
\item<4->
\item<5->
\end{itemize}
\end{itemize}
\end{exampleblock}
\pause \pause \pause \pause \pause
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & \alert{} & \\
\hline
\lstinline{+}{} & & \alert{6} & $\rightarrow$\\
\hline
\lstinline{-}{} & & \alert{6} & $\rightarrow$\\
\hline
\lstinline{*}{} & & \alert{5} & $\rightarrow$\\
\hline
\lstinline{/}{} & & \alert{5} & $\rightarrow$\\
\hline
\lstinline{%}{} & & \alert{5} & $\rightarrow$\\
\hline
\end{tabular}
\caption{}
\end{table}
\end{frame}
\begin{frame}
\frametitle{}
\begin{exampleblock}{$1+2*3-4=?$}
\begin{align*}
\onslide<1->{ & 1+\alert{2*3}-4 &\text{ }*\text{ }\\}
\onslide<2->{= & \alert{1+6}-4 &\text{}\\}
\onslide<3->{= & \alert{7-4} &\text{}\\
= & 3}
\end{align*}
\end{exampleblock}
\begin{alertblock}{}<4->
\begin{itemize}
\item C++ \alert{}\alert{}
\item<5->
\end{itemize}
\end{alertblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}[<+->]
\item \lstinline{cout << 8 / 5 << endl;}{} \onslide<+->{\alert{Ans: 1}}
\item \lstinline{cout << 8.0 / 5.0 << endl;}{} \onslide<+->{\alert{Ans: 1.6}}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{8 / 5}{} 8 5 \lstinline{int}{} C++ \alert{}
\item<+-> \lstinline{8.0 / 5.0}{} 8.0 5.0 \lstinline{double}{}\alert{}
\end{itemize}
\end{exampleblock}
\begin{itemize}[<+->]
\item ...
\end{itemize}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}
\item \lstinline{cout << 1 / 0 << endl;}{}
\item<3-> \lstinline{cout << 0 / 0 << endl;}{}
\item<4-> \lstinline{cout << 1.0 / 0.0 << endl;}{}
\item<5-> \lstinline{cout << 0.0 / 0.0 << endl;}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<2->
\end{exampleblock}
\begin{alertblock}{}<6->
\end{alertblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{enumerate}[<+->]
\item \lstinline{cout << 5 % 3 << endl;}{} \onslide<+->{\alert{Ans:2}}
\item \lstinline{cout << (-5) % 3 << endl;}{} \onslide<+->{\alert{Ans:-2}}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item
\item<+-> 1
\begin{itemize}[<+->]
\item C++ \alert{} ...
\end{itemize}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\end{block}
\begin{enumerate}[<+->]
\item n mod m ...
\item \lstinline{n % m}{}
\begin{itemize}[<+->]
\item $n\geq{0}$\onslide<+->{ $0$ $m-1$ }
\item $n<0$\onslide<+->{ $-(m-1)$ $0$ }
\end{itemize}
\item m
\begin{itemize}[<+->]
\item $n\geq{0}$\onslide<+->{ $m$ $2m-1$ }
\item $n<0$\onslide<+->{ $-(m-1)+m=1$ $m$ }
\item \onslide<+->{\alert{ ...}}
\end{itemize}
\item mod m $0$ $m-1$
\begin{itemize}[<+->]
\item ~ \lstinline{(n % m + m) % m}{}
\end{itemize}
\end{enumerate}
\end{frame}
\begin{frame}
\frametitle{}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/100/p10071/}{UVa 10071 - Back to High School Physics}}<+->
\label{uva:10071}
(EOF )
\end{exampleblock}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/103/p10300/}{UVa 10300 - Ecological Premium}}<+->
\label{uva:10300}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{==}{} & & 9 & $\rightarrow$\\
\hline
\lstinline{!=}{} & & 9 & $\rightarrow$\\
\hline
\lstinline{>}{} & & 8 & $\rightarrow$\\
\hline
\lstinline{<}{} & & 8 & $\rightarrow$\\
\hline
\lstinline{>=}{} & & 8 & $\rightarrow$\\
\hline
\lstinline{<=}{} & & 8 & $\rightarrow$\\
\hline
\end{tabular}
\caption{}
\end{table}
\begin{alertblock}{}<2->
\begin{itemize}
\item C++ \lstinline{==}{}\lstinline{=}{}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\begin{enumerate}
\item \lstinline{cout << (3 < 5) << endl;}{}
\end{enumerate}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \alert{}
\begin{itemize}[<+->]
\item \lstinline{true}{}
\item \lstinline{false}{}
\end{itemize}
\item<+-> \alert{}
\begin{itemize}[<+->]
\item \lstinline{bool}{}
\item \alert{\lstinline{3 < 5}{}} $\Rightarrow$ \lstinline{true}{}
\item \lstinline{true}{} C++ \lstinline{true}{} \alert{} ( 1)
\end{itemize}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\lstinline{n % m}{} 0
\end{block}
\begin{exampleblock}{}<+->
\lstinline{n % m != 0}{}
\begin{itemize}[<+->]
\item \lstinline{n % m}{} $\neq{0}$ $\Rightarrow$ \lstinline{true}{}
\item 0 \lstinline{false}{}
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\lstinline{n % m}{}
\begin{itemize}[<+->]
\item \lstinline{n % m}{} $\neq{0}$ \lstinline{true}{}
\item 0\lstinline{false}{}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}
\frametitle{}
\begin{alertblock}{}<+->
\begin{itemize}
\item C++ \alert{}\lstinline{true}{} (\alert{ 1})
\item 0\lstinline{false}{}\alert{0}
\end{itemize}
\end{alertblock}
\begin{exampleblock}{}<+->
\begin{itemize}
\item
\item<+-> \lstinline{if}{}\lstinline{else}{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{&&}{} & & 13 & $\rightarrow$\\
\hline
\lstinline{||}{} & & 14 & $\rightarrow$\\
\hline
\lstinline{!}{} & & 3 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\caption{}
\end{table}
\begin{exampleblock}{}<2->
\begin{itemize}
\item
\item<3-> \lstinline{1 < x && x < 5}{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
x a b \lstinline{a <= x <= b;}{} \onslide<+->{\alert{Ans:}}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{<=}{} \alert{}
\item<+-> \alert{\lstinline{a <= x}{}} \lstinline{true}{} \lstinline{false}{}
\item<+-> \lstinline{a=-4}{}\lstinline{b=-1}{}\lstinline{x=-2}{} ( \lstinline{true}{})
\begin{itemize}[<+->]
\item \lstinline{a <= x <= b}{} \lstinline{a <= x}{} \lstinline{true}{}
\item \lstinline{true <= b}{} \lstinline{true}{} 1 \lstinline{b=-1}{} \lstinline{false}{}
\item \lstinline{x}{} \lstinline{a}{} \lstinline{b}{}
\end{itemize}
\item<+-> \lstinline{a <= x}{} \lstinline{false}{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ (1)}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/100/p10055/}{UVa 10055 - Hashmat the brave warrior}}<+->
\label{uva:10055}
\lstinline{if}{} \lstinline{abs()}{} \lstinline{abs()}{} \lstinline{<cstdlib>}{} \lstinline{include}{} Visual C++ \alert{} (Compilation Error, CE)
\end{exampleblock}
\begin{alertblock}{}
\lstinline{long long}{} \lstinline{int}{}
\end{alertblock}
\end{frame}
\begin{frame}
\frametitle{ (2)}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/111/p11172/}{UVa 11172 - Relational Operators}}<+->
\label{uva:11172}
\end{exampleblock}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/119/p11942/}{UVa 11942 - Lumberjack Sequencing}}<+->
\label{uva:11942}
\end{exampleblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\begin{itemize}
\item \lstinline{A && B}{}
\begin{itemize}[<+->]
\item \lstinline{&&}{} A B \lstinline{false}{} \lstinline{false}{}
\item C++ A \lstinline{false}{} (\alert{} \lstinline{false}{}) C++ \alert{} B
\end{itemize}
\end{itemize}
\end{block}
\begin{exampleblock}{}<+->
\begin{lstlisting}
int i, j;
i = j = 0;
if ((i++ < 0) && (j++ > 0))
cout << "XD" << endl;
cout << i << " " << j << endl;
\end{lstlisting}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\begin{itemize}
\item \lstinline{A || B}{}
\begin{itemize}[<+->]
\item \lstinline{||}{} A B \lstinline{true}{} \lstinline{true}{}
\item C++ A \lstinline{true}{} (\alert{} \lstinline{true}{}) C++ \alert{} B
\end{itemize}
\end{itemize}
\end{block}
\begin{exampleblock}{}<+->
\begin{lstlisting}
int i, j;
i = j = 0;
if ((i++ >= 0) || (j++ < 0))
cout << "XD" << endl;
cout << i << " " << j << endl;
\end{lstlisting}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\subsection{int long long }
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{}
\begin{itemize}[<+->]
\item \alert{} (bit, b) \alert{0 1}
\item \alert{} (byte, B) 8
\begin{table}[h]
\begin{tabular}{|c|}
\hline
01001010\\
\hline
\end{tabular}
\caption{}
\end{table}
\item
\begin{itemize}[<+->]
\item KBMBGBTBPB
\item KbpsMbpsGbps
\end{itemize}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{int }
\begin{block}{int ...}
\begin{itemize}
\item 2
\item<2-> \onslide<3->{\alert{ 4 }}
\item<4-> \lstinline{int}{} 2
\item<5-> 4
\end{itemize}
\end{block}
\pause \pause \pause \pause \pause
\begin{table}[h]
\begin{tabular}{|c|c|}
\hline
& \\
\hline
\lstinline{bool}{} & 1 \\
\hline
\lstinline{int}{} & 2 \alert{4} \\
\hline
\lstinline{long long}{} & 4 \alert{8} \\
\hline
\lstinline{double}{} & 8 \\
\hline
\end{tabular}
\caption{}
\end{table}
\end{frame}
\begin{frame}[fragile]
\frametitle{int }
\begin{alertblock}{int }
\begin{itemize}[<+->]
\item \lstinline{int}{} 4
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
10100010 & 00110011 & 00100111 & 10101101\\
\hline
\end{tabular}
\end{table}
\item 32
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
$x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
\end{tabular}
\end{table}
\item $x_{31}$
\begin{itemize}[<+->]
\item 0 \lstinline{int}{}
\item 1 \lstinline{int}{}
\end{itemize}
\end{itemize}
\end{alertblock}
\begin{exampleblock}{}<+->
\lstinline{int}{}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{int }
\begin{alertblock}{}<+->
\end{alertblock}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{int x = 1;}{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
\alert{0}0000000 & 00000000 & 00000000 & 0000000\alert{1}\\
\hline
\end{tabular}
\end{table}
\item<+-> \lstinline{int x = 255;}{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
\alert{0}0000000 & 00000000 & 00000000 & \alert{11111111}\\
\hline
\end{tabular}
\end{table}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{int }
\begin{exampleblock}{}
\begin{itemize}[<+->]
\item \lstinline{int x = -1;}{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
\alert{1}1111111 & 11111111 & 11111111 & 11111111\\
\hline
\end{tabular}
\end{table}
\item
\end{itemize}
\end{exampleblock}
\begin{block}{}<+->
\begin{itemize}
\item $(-1)+1=0$
\begin{table}[h]
\begin{tabular}{|c|r|c|c|c|}
\hline
& 11111111 & 11111111 & 11111111 & 11111111\\
\hline
$+$ & 00000000 & 00000000 & 00000000 & 00000001\\
\hline
\hline
& \alert{1}00000000 & 00000000 & 00000000 & 00000000\\
\hline
\end{tabular}
\end{table}
\item<+-> \alert{1} 32 \alert{}
\end{itemize}
\end{block}
\end{frame}
\begin{frame}[fragile]
\frametitle{int }
\begin{exampleblock}{}
\begin{itemize}[<+->]
\item \lstinline{int x = -2;}{}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
11111111 & 11111111 & 11111111 & 11111110\\
\hline
\end{tabular}
\end{table}
}
\item \lstinline{int x = -256;}{}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|c|}
\hline
11111111 & 11111111 & 11111111 & 00000000\\
\hline
\end{tabular}
\end{table}
}
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item \alert{ (2's complement)}
\item<+-> $-x$ $(-x)+x$ 0
\item<+-> \lstinline{0}{} \alert{ 0}\lstinline{-1}{} \alert{ 1}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{<<}{} & & 7 & $\rightarrow$\\
\hline
\lstinline{>>}{} & & 7 & $\rightarrow$\\
\hline
\lstinline{&}{} & AND & 10 & $\rightarrow$\\
\hline
\lstinline{^}{} & XOR & 11 & $\rightarrow$\\
\hline
\lstinline{|}{} & OR & 12 & $\rightarrow$\\
\hline
\lstinline{~}{} & 1's & 3 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\caption{}
\end{table}
\begin{alertblock}{}<2->
\begin{itemize}
\item \lstinline{cin}{} \lstinline{cout}{} \lstinline{<<}{}\lstinline{>>}{}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
k
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{2 << 2}{}\onslide<+->{ $\Rightarrow$ \lstinline{8}{}}
\end{itemize}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 000000\alert{10}\\
\hline
\end{tabular}
\onslide<+->{
\begin{center}
$\Downarrow$
\end{center}
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 0000\alert{10}00\\
\hline
\end{tabular}
}
\end{table}
}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ (2)}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{5 >> 1}{}\onslide<+->{ $\Rightarrow$ \lstinline{2}{}}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 00000\alert{101}\\
\hline
\end{tabular}
\onslide<+->{
\begin{center}
$\Downarrow$
\end{center}
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 000000\alert{10}\\
\hline
\end{tabular}
}
\end{table}
}
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item
\item<+-> $x_{31}$ $x_{31}$
\begin{itemize}[<+->]
\item \lstinline{2147483647 << 1}{}
\item \lstinline{-5 >> 1}{}
\item \lstinline{(2147483647 << 1) >> 1}{}
\end{itemize}
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ (3)}
\begin{block}{}
\begin{itemize}[<+->]
\item \lstinline{a << k}{}
\item \lstinline{a >> k}{}
\end{itemize}
\end{block}
\begin{alertblock}{}<+->
\begin{itemize}
\item \lstinline{a << k}{} $a\times{2^k}$\lstinline{a >> k}{} $a / 2^k$
\item<+->
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ (2)}
\begin{block}{}
\lstinline{x}{} \lstinline{y}{}
\begin{multicols}{3}
\pause
\begin{table}[h]
\begin{tabular}{|c||c|c|}
\hline
\lstinline{&}{} & \alert{1} & \alert{0}\\
\hline
\hline
\alert{1} & 1 & 0\\
\hline
\alert{0} & 0 & 0\\
\hline
\end{tabular}
\caption{and }
\end{table}
\pause
\begin{table}[h]
\begin{tabular}{|c||c|c|}
\hline
\lstinline{^}{} & \alert{1} & \alert{0}\\
\hline
\hline
\alert{1} & 0 & 1\\
\hline
\alert{0} & 1 & 0\\
\hline
\end{tabular}
\caption{xor }
\end{table}
\pause
\begin{table}[h]
\begin{tabular}{|c||c|c|}
\hline
\lstinline{|}{} & \alert{1} & \alert{0}\\
\hline
\hline
\alert{1} & 1 & 1\\
\hline
\alert{0} & 1 & 0\\
\hline
\end{tabular}
\caption{or }
\end{table}
\end{multicols}
\end{block}
\pause
\begin{exampleblock}{}
\begin{itemize}
\item andor \alert{}\pause
\item xor 1 0
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{itemize}[<+->]
\item \lstinline{5 & 3}{}\onslide<+->{ $\Rightarrow$ \lstinline{1}{}}
\begin{block}{}<+->
\begin{table}[h]
\begin{tabular}{|c|r|c|c|c|}
\hline
& 00000000 & 00000000 & 00000000 & 00000\alert{101}\\
\hline
$\&$ & 00000000 & 00000000 & 00000000 & 00000\alert{011}\\
\hline
\hline
& 00000000 & 00000000 & 00000000 & 00000\alert{001}\\
\hline
\end{tabular}
\end{table}
\end{block}
\item \lstinline{5 | 3}{}\onslide<+->{ $\Rightarrow$ \lstinline{7}{}}
\begin{block}{}<+->
\begin{table}[h]
\begin{tabular}{|c|r|c|c|c|}
\hline
& 00000000 & 00000000 & 00000000 & 00000\alert{101}\\
\hline
$|$ & 00000000 & 00000000 & 00000000 & 00000\alert{011}\\
\hline
\hline
& 00000000 & 00000000 & 00000000 & 00000\alert{111}\\
\hline
\end{tabular}
\end{table}
\end{block}
\end{itemize}
\end{frame}
\begin{frame}[fragile]
\frametitle{ (3)}
\begin{block}{}<+->
\lstinline{x}{} \lstinline{y}{}
\begin{table}[h]
\begin{tabular}{|c||c|c|}
\hline
\lstinline{~}{} & \alert{1} & \alert{0}\\
\hline
& 0 & 1\\
\hline
\end{tabular}
\caption{and }
\end{table}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item 1 0 0 1 ( \lstinline{!}{})
\item<+-> 1's
\item<+-> \lstinline{~0}{}\onslide<+->{ $\Rightarrow$ \lstinline{-1}{}}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<1->
\alert{}
\pause
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{+}{} & & 3 & \alert{$\rightarrow$}\\
\hline
\lstinline{-}{} & & 3 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\end{table}
\end{block}
\begin{exampleblock}{}<3->
\lstinline{~~3}{} \lstinline{~3}{} \lstinline{-4}{} \lstinline{-4}{} \lstinline{3}{}
\end{exampleblock}
\end{frame}
\subsection{ 1}
\begin{frame}[fragile]
\frametitle{ 1}
\begin{block}{}<+->
2 k 1
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item 3 1
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 00000\alert{111}\\
\hline
\end{tabular}
\end{table}
\item<+-> 5 1
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 000\alert{11111}\\
\hline
\end{tabular}
\end{table}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ 1}
\begin{block}{}<+->
2 k 1
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item k 1 $2^k-1$
\item<+-> \alert{ $x_{31}$}
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item \lstinline{(1 << k) - 1}{}
\item<+->
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ 1 ()}
\begin{block}{ \alert{()}}<1->
2 $x_a$ $x_b$ 1 ( $a<b$)
\end{block}
\begin{exampleblock}{}<2->
\begin{itemize}
\item $x_0$ $x_2$ \onslide<3->{$\Rightarrow$ 3 1 }
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 00000\alert{111}\\
\hline
\end{tabular}
\end{table}
\item<4-> $x_3$ $x_7$
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & \alert{11111}000\\
\hline
\end{tabular}
\end{table}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ 1 ()}
\begin{block}{ \alert{()}}<+->
2 $x_a$ $x_b$ 1 ( $a<b$)
\end{block}
\begin{alertblock}{}<+->
\begin{itemize}
\item $2^{b+1}-2^a$
\item<+-> k 1
\item<+->
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{alertblock}{}<+->
\lstinline{x}{} \lstinline{-x}{}
\end{alertblock}
\begin{block}{}<+->
\lstinline{-x}{} \lstinline{~x}{}
\end{block}
\begin{exampleblock}{}<+->
\end{exampleblock}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<1->
\pause
\begin{multicols}{2}
\begin{table}[h]
\begin{tabular}{|c||c|}
\hline
\lstinline{&}{} & \alert{x}\\
\hline
\hline
\alert{1} & x\\
\hline
\alert{0} & 0\\
\hline
\end{tabular}
\caption{and }
\end{table}
\pause
\begin{table}[h]
\begin{tabular}{|c||c|}
\hline
\lstinline{|}{} & \alert{x}\\
\hline
\hline
\alert{1} & 1\\
\hline
\alert{0} & x\\
\hline
\end{tabular}
\caption{or }
\end{table}
\end{multicols}
\end{block}
\begin{exampleblock}{}<4->
\lstinline{x}{} ... ( 0 1)
\begin{itemize}
\item<5-> \lstinline{x & 0}{} \lstinline{0}{}
\item<6-> \lstinline{x | 1}{} \lstinline{1}{}\onslide<7->{ \alert{()}}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
$x_0$ 1 0
\end{block}
\begin{exampleblock}{}<+->
\begin{table}[h]
\begin{tabular}{|c|c|c|c|c|}
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
$\&$ & 00000000 & 00000000 & 00000000 & 0000000\alert{1}\\
\hline
\hline
& 00000000 & 00000000 & 00000000 & 0000000\alert{$x_0$}\\
\hline
\end{tabular}
\end{table}
\onslide<+->{}
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item $x_i$ 1 0
\item<+-> $x_a$ $x_b$
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
x $x_a$ 1
\end{block}
\begin{exampleblock}{}<+->
$x_0$ 1
\begin{table}[h]
\begin{tabular}{|c|c|c|c|c|}
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
\lstinline{|}{} & 00000000 & 00000000 & 00000000 & 0000000\alert{1}\\
\hline
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{1}}$\alert{1}\\
\hline
\end{tabular}
\end{table}
\end{exampleblock}
\begin{alertblock}{}<+->
\lstinline{1}{} or \lstinline{1}{}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{ ()}<+->
$x_2$ 1
\begin{table}[h]
\begin{tabular}{|c|c|c|c|c|}
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}\cdots{x_{3}}x_{2}x_{1}x_{0}$\\
\hline
\lstinline{|}{} & 00000000 & 00000000 & 00000000 & 00000\alert{1}00\\
\hline
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}\cdots{x_{3}}$\alert{1}$x_{1}x_{0}$\\
\hline
\end{tabular}
\end{table}
\end{exampleblock}
\begin{alertblock}{}<+->
1 1
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
x $x_a$ 0
\end{block}
\begin{exampleblock}{}<+->
$x_0$ 0
\begin{table}[h]
\begin{tabular}{|c|c|c|c|c|}
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
\lstinline{&}{} & 11111111 & 11111111 & 11111111 & 1111111\alert{0}\\
\hline
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{1}}$\alert{0}\\
\hline
\end{tabular}
\end{table}
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item \lstinline{1}{}
\item<+->
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ $2^k$ }
\begin{itemize}[<+->]
\item 2
\begin{itemize}
\item 01 $x_0$
\item \lstinline{x % 2}{} $\Rightarrow$ \lstinline{x & 1}{}
\end{itemize}
\item 4
\begin{itemize}
\item 0(\lstinline{00}{})1(\lstinline{01}{})2(\lstinline{10}{})3(\lstinline{11}{}) $x_1x_0$
\item \lstinline{x % 4}{} $\Rightarrow$ \lstinline{x & 3}{} \onslide<+->{$\Rightarrow$ \lstinline{x & ((1 << 2) - 1)}{}}
\end{itemize}
\item $2^k$ \onslide<+->{$\Rightarrow$ \lstinline{x & ((1 << k) - 1)}{}}
\end{itemize}
\begin{columns}[T]
\begin{column}[T]{5.5cm}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{%}{}
\item<+->
\end{itemize}
\end{exampleblock}
\end{column}
\begin{column}[T]{5.5cm}
\begin{alertblock}{}<+->
\begin{itemize}
\item
\item<+->
\item<+-> \alert{}
\end{itemize}
\end{alertblock}
\end{column}
\end{columns}
\end{frame}
\subsection{Parity}
\begin{frame}[fragile]
\frametitle{Parity}
\begin{block}{Parity }<+->
$x$ 2 1
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item Parity(5) \onslide<+->{$\Rightarrow$ 2}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & 00000\alert{1}0\alert{1}\\
\hline
\end{tabular}
\end{table}
}
\item<+-> Parity(255) \onslide<+->{$\Rightarrow$ 8}
\onslide<+->{
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
00000000 & 00000000 & 00000000 & \alert{11111111}\\
\hline
\end{tabular}
\end{table}
}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{Parity}
\begin{block}{}<+->
\begin{lstlisting}
for (; x; x /= 2) {
if (x % 2 != 0)
cnt++;
}
\end{lstlisting}
\end{block}
\begin{exampleblock}{}<+->
\begin{lstlisting}
for ( ; x; x >>= 1) {
if (x & 1)
cnt++;
}
\end{lstlisting}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{Parity}
\begin{exampleblock}{ Parity}<+->
Parity
\begin{lstlisting}
unsigned int v; // 32-bit word
v ^= v >> 1;
v ^= v >> 2;
v = (v & 0x11111111U) * 0x11111111U;
(v >> 28) & 1;
\end{lstlisting}
\end{exampleblock}
\begin{alertblock}{}<+->
\end{alertblock}
\end{frame}
\subsection{xor }
\begin{frame}[fragile]
\frametitle{xor }
\begin{block}{xor }<+->
\lstinline{x}{}\lstinline{x ^ x}{} 0
\end{block}
\begin{exampleblock}{}<+->
\begin{table}
\begin{tabular}{|c|c|c|c|c|}
\hline
& $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
\lstinline{^}{} & $x_{31}x_{30}\cdots{x_{24}}$ & $x_{23}x_{22}\cdots{x_{16}}$ & $x_{15}x_{14}\cdots{x_{8}}$ & $x_{7}x_{6}\cdots{x_{0}}$\\
\hline
\hline
& 00000000 & 00000000 & 00000000 & 00000000\\
\hline
\end{tabular}
\end{table}
\end{exampleblock}
\begin{alertblock}{}<+->
xor 0 1 xor 0
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}<+->
\lstinline{int}{} x y
\end{block}
\begin{columns}[T]
\begin{column}[T]{3.5cm}
\begin{exampleblock}{swap }<+->
\begin{lstlisting}
swap(x, y);
\end{lstlisting}
\end{exampleblock}
\end{column}
\begin{column}[T]{3.5cm}
\begin{exampleblock}{}<+->
\begin{lstlisting}
int tmp = x;
x = y;
y = tmp;
\end{lstlisting}
\end{exampleblock}
\end{column}
\begin{column}[T]{3.5cm}
\begin{alertblock}{}<+->
\begin{lstlisting}
x ^= y;
y ^= x;
x ^= y;
\end{lstlisting}
\end{alertblock}
\end{column}
\end{columns}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{columns}[T]
\begin{column}[T]{3.5cm}
\begin{alertblock}{}<1->
\begin{lstlisting}
x ^= y;
y ^= x;
x ^= y;
\end{lstlisting}
\end{alertblock}
\end{column}
\begin{column}[T]{7.5cm}
\onslide<2->{
\begin{table}[h]
\begin{tabular}{c|c|c}
& \alert{x} & \alert{y}\\
\hline
\hline
& x & y \onslide<3->\\
\hline
& x xor y & y \onslide<4->\\
\hline
& x xor y & \uncover<4>{\alert{y} xor }x\uncover<4>{ xor \alert{y}} \onslide<6->\\
\hline
& \uncover<6>{\alert{x} xor }y\uncover<6>{ xor \alert{x}} & x \onslide<7>\\
\end{tabular}
\end{table}
}
\end{column}
\end{columns}
\end{frame}
\begin{frame}
\frametitle{}
\begin{exampleblock}{\href{http://unfortunate-dog.github.io/articles/104/p10469/}{UVa 10469 - To Carry or not to Carry}}<+->
\label{uva:10469}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\caption{}
\end{table}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{+=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{-=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{*=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{/=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{%=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\end{table}
\begin{exampleblock}{}<2->
\begin{multicols}{2}
\begin{itemize}
\item \lstinline{x += a}{} $\Rightarrow$ \lstinline{x = x + a}{}
\item \lstinline{x -= a}{} $\Rightarrow$ \lstinline{x = x - a}{}
\item \lstinline{x *= a}{} $\Rightarrow$ \lstinline{x = x * a}{}
\item \lstinline{x /= a}{} $\Rightarrow$ \lstinline{x = x / a}{}
\item \lstinline{x %= a}{} $\Rightarrow$ \lstinline{x = x % a}{}
\item
\end{itemize}
\end{multicols}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{<<=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{>>=}{} & & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{&=}{} & AND & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{^=}{} & XOR & 16 & \alert{$\rightarrow$}\\
\hline
\lstinline{|=}{} & OR & 16 & \alert{$\rightarrow$}\\
\hline
\end{tabular}
\end{table}
\begin{exampleblock}{}<2->
\begin{multicols}{2}
\begin{itemize}
\item \lstinline{x <<= a}{} $\Rightarrow$ \lstinline{x = x << a}{}
\item \lstinline{x >>= a}{} $\Rightarrow$ \lstinline{x = x >> a}{}
\item \lstinline{x &= a}{} $\Rightarrow$ \lstinline{x = x & a}{}
\item \lstinline{x ^= a}{} $\Rightarrow$ \lstinline{x = x ^ a}{}
\item \lstinline{x |= a}{} $\Rightarrow$ \lstinline{x = x | a}{}
\item
\end{itemize}
\end{multicols}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{++}{} & & 2 & $\rightarrow$\\
\hline
\lstinline{--}{} & & 2 & $\rightarrow$\\
\hline
\lstinline{++}{} & & 3 & $\rightarrow$\\
\hline
\lstinline{--}{} & & 3 & $\rightarrow$\\
\hline
\end{tabular}
\end{table}
\begin{exampleblock}{}<2->
\begin{itemize}
\item \lstinline{i++}{}\lstinline{j
\item<3-> \lstinline{++i}{}\lstinline{--j}{}
\item<4-> \lstinline{i = i + 1}{} \lstinline{j = j - 1}{}
\end{itemize}
\end{exampleblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{ vs }
\begin{block}{}<+->
\begin{itemize}
\item \lstinline{cout << i++ << endl;}{}
\item \lstinline{cout << ++i << endl;}{}
\item \lstinline{i++; cout << i << endl;}{}
\item \lstinline{++i; cout << i << endl;}{}
\end{itemize}
\end{block}
\begin{columns}[T]
\begin{column}[T]{5.5cm}
\begin{exampleblock}{}<+->
\begin{itemize}
\item
\item<+-> \alert{}
\end{itemize}
\end{exampleblock}
\end{column}
\begin{column}[T]{5.5cm}
\begin{alertblock}{}<+->
\begin{itemize}
\item
\item<+-> \alert{}
\end{itemize}
\end{alertblock}
\end{column}
\end{columns}
\end{frame}
\subsection{}
\begin{frame}[fragile]
\frametitle{}
\begin{exampleblock}{}<+->
\begin{lstlisting}
int i = 0;
cout << i++ + ++i << endl;
\end{lstlisting}
\end{exampleblock}
\begin{block}{}<+->
\begin{itemize}
\item \alert{}
\item<+->
\item<+-> \alert{}
\end{itemize}
\end{block}
\begin{alertblock}{}<+->
\begin{itemize}
\item \lstinline{i = ++i + 1;}{}
\item<+-> \lstinline{i++*++i+i
\end{itemize}
\end{alertblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{table}[h]
\begin{tabular}{|c|c|c|c|}
\hline
& & & \\
\hline
\lstinline{sizeof}{} & & 3 & \alert{$\rightarrow$}\\
\hline
\lstinline{(type)}{} & & 3 & \alert{$\rightarrow$}\\
\hline
\lstinline{,}{} & & 18 & $\rightarrow$\\
\hline
\end{tabular}
\end{table}
\begin{alertblock}{}<2->
\begin{itemize}
\item \alert{}
\item<3->
\end{itemize}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{sizeof }
\begin{block}{}<+->
\alert{}\alert{}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{sizeof(int)}{}\onslide<+->{ \alert{} 4 }
\item<+-> \lstinline{sizeof(double)}{}\onslide<+->{ \alert{} 8 }
\item<+->
\begin{lstlisting}
bool b = true;
cout << sizeof b << endl;
\end{lstlisting}
\onslide<+->{\alert{} 1 }
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\lstinline{int}{} 2
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{(type) }<+->
C++ \alert{}
\end{block}
\begin{exampleblock}{}<+->
\begin{itemize}
\item \lstinline{int}{} \lstinline{x}{} \lstinline{double}{} %
\onslide<+->{$\rightarrow$ \lstinline{(double) x}{} \lstinline{double(x)}{}}
\item<+-> \lstinline{double}{} \lstinline{int}{} %
\onslide<+->{$\rightarrow$ \lstinline{(int) 5.14}{} \lstinline{int(5.14)}{}}
\end{itemize}
\end{exampleblock}
\begin{alertblock}{}<+->
\alert{}
\end{alertblock}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{block}{}
\begin{itemize}
\item \alert{}\onslide<2->{\alert{}}\onslide<3->{\alert{}()}
\item<4-> \alert{}\alert{}
\end{itemize}
\end{block}
\begin{exampleblock}{}<5->
n $n=0$
\pause \pause \pause \pause \pause
\begin{lstlisting}
int n;
while (cin >> n, n) {
}
\end{lstlisting}
\end{exampleblock}
\end{frame}
\section{}
\begin{frame}
\frametitle{}
\begin{multicols}{2}
\tableofcontents[currentsection]
\end{multicols}
\end{frame}
\begin{frame}[fragile]
\frametitle{}
\begin{alertblock}{}
\begin{enumerate}[<+->]
\item \lstinline{;}{}
\item
\item C++
\item
\item \lstinline{false}{} \lstinline{true}{}
\item
\item \lstinline{int}{} \lstinline{long long}{}
\item
\end{enumerate}
\end{alertblock}
\end{frame}
\begin{frame}
\frametitle{}
\begin{exampleblock}{}<+->
$\rightarrow$ $\rightarrow$ $\rightarrow$ $\rightarrow$ $\rightarrow$ $\rightarrow$
\end{exampleblock}
\begin{alertblock}{}<+->
\begin{itemize}
\item
\item<+-> \alert{}
\end{itemize}
\end{alertblock}
\end{frame}
\clearpage
\end{CJK}
\end{document} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.