answer
stringlengths 15
1.25M
|
|---|
'use strict';
var _ = require('lodash'),
jsonFormat = require('json-format'),
grunt = require('grunt');
var util = require('../util/util');
module.exports = {
json: function(data, options, generatedContent, callback){
if(_.isString(options.dest)){
grunt.file.write(options.dest + '/json/' + generatedContent.task + '.json', jsonFormat(generatedContent));
grunt.file.write(options.dest + '/json/content/' + data.uuid + '.json', jsonFormat(data));
}
callback(generatedContent);
}
};
|
/**
* Dont edit this file!
* This module generates itself from lang.js files!
* Instead edit the language files in /lang/
**/
/*global define*/
define(function () {
"use strict";
var i18n = {};
i18n.de = {
"Visit %s overview" : "Zur %s Übersicht",
"An error occured, please reload." : "Es gab einen unerwarteten Fehler. Bitte laden Sie die Seite neu.",
"Order successfully saved" : "Reihenfolge erfolgreich gespeichert",
"Your browser doesnt support the following technologies: %s <br>Please update your browser!" : "Ihr Browser unterstützt die folgenden Technologien nicht: %s <br>Bitte installieren Sie eine neuere Version Ihres Browsers!",
"Close" : "Schließen",
"When asynchronously trying to load a ressource, I came across an error: %s" : "Beim Laden einer Ressource gab es leider folgenden Fehler: %s",
"You are using an outdated web browser. Please consider an update!" : "Sie benutzen eine veraltete Browser Version. Bitte installieren Sie einen aktuelleren Browser.",
"No results found." : "Keine Ergebnisse gefunden.",
"No results found for \"%s\"." : "Keine Ergebnisse für \"%s\" gefunden.",
"Illegal injection found" : "",
"Could not load injection" : "",
"You\'re almost done!" : "Du hast es fast geschafft!",
"Show overview" : "Übersicht anzeigen",
"Show %d contents for \"%s\"" : "",
"Abort": "Abbrechen"
};
i18n.en = {
"An error occured, please reload." : "",
"Close" : "",
"Visit %s overview" : "",
"Order successfully saved" : "",
"Your browser doesnt support the following technologies: %s <br>Please update your browser!" : "",
"When asynchronously trying to load a ressource, I came across an error: %s" : "",
"You are using an outdated web browser. Please consider an update!" : "",
"No results found." : "",
"No results found for \"%s\"." : "",
"Illegal injection found" : "",
"Could not load injection" : "",
"You\'re almost done!" : "",
"Show overview" : "",
"Show %d contents for \"%s\"" : "",
"Abort": ""
};
return i18n;
});
|
layout: page
title: "ACCT 4825: Experimental Seminar Statistics"
comments: true
description: "blanks"
keywords: "ACCT,4825,CU,Boulder"
<head>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.3/jquery.min.js"></script>
<script src="https://dl.dropboxusercontent.com/s/pc42nxpaw1ea4o9/highcharts.js?dl=0"></script>
<!-- <script src="../assets/js/highcharts.js"></script> -->
<style type="text/css">@font-face {
font-family: "Bebas Neue";
src: url(https:
}
h1.Bebas {
font-family: "Bebas Neue", Verdana, Tahoma;
}
</style>
</head>
<body>
<div id="container" style="float: right; width: 45%; height: 88%; margin-left: 2.5%; margin-right: 2.5%;"></div>
<script language="JavaScript">
$(document).ready(function() {
var chart = {type: 'column'};
var title = {text: 'Grade Distribution'};
var xAxis = {categories: ['A','B','C','D','F'],crosshair: true};
var yAxis = {min: 0,title: {text: 'Percentage'}};
var tooltip = {headerFormat: '<center><b><span style="font-size:20px">{point.key}</span></b></center>',
pointFormat: '<td style="padding:0"><b>{point.y:.1f}%</b></td>',
footerFormat: '</table>',shared: true,useHTML: true};
var plotOptions = {column: {pointPadding: 0.0,borderWidth: 0}};
var credits = {enabled: false};var series= [{name: 'Percent',data: [36.0,60.0,0.0,4.0,0.0,]}];
var json = {};
json.chart = chart;
json.title = title;
json.tooltip = tooltip;
json.xAxis = xAxis;
json.yAxis = yAxis;
json.series = series;
json.plotOptions = plotOptions;
json.credits = credits;
$('#container').highcharts(json);
});
</script>
</body>
# GRADE AND WORKLOAD STATISTICS
**Percent withdrawn**: 0.0%
**Percent incomplete**: 0.0%
**Average grade** (4.0 scale): 3.3
**Standard deviation in grades** (4.0 scale): 0.0
**Average workload** (raw): 2.62
**Standard deviation in workload** (raw): 0.0
# COURSE AND INSTRUCTOR RATINGS/INFORMATION
**Average course rating** (6 point scale): 5.32
**Standard deviation in course rating** (6 point scale): 0.0
**Average instructor rating** (6 point scale): 5.86
**Standard deviation in instructor rating** (6 point scale): 0.0
**Instructors**: <a href='../../instructors/Susan_Morley'>Susan Morley</a>
# GENERAL CLASS INFORMATION
**Years provided**: Fall 2011
**Credits**: 3
**RAP/Honors class?** Neither
**Number of Sections**: 1
**Department**: BADM
**College**: Leeds School of Business
**Level**: Upper
**Activity**: LEC - Lecture
|
use chrono::{offset::Utc, DateTime};
use rustorm::{pool, DbError, FromDao, Pool, ToColumnNames, ToDao, ToTableName};
Run using:
```sh
cargo run --example insert_usage_mysql --features "with-mysql"
```
fn main() {
mod for_insert {
use super::*;
#[derive(Debug, PartialEq, ToDao, ToColumnNames, ToTableName)]
pub struct Actor {
pub first_name: String,
pub last_name: String,
}
}
mod for_retrieve {
use super::*;
#[derive(Debug, FromDao, ToColumnNames, ToTableName)]
pub struct Actor {
pub actor_id: i32,
pub first_name: String,
pub last_name: String,
pub last_update: DateTime<Utc>,
}
}
let db_url = "mysql://root:r00tpwdh3r3@localhost/sakila";
let mut pool = Pool::new();
pool.ensure(db_url);
let mut em = pool.em(db_url).expect("Can not connect");
let tom_cruise = for_insert::Actor {
first_name: "TOM".into(),
last_name: "CRUISE".to_string(),
};
let tom_hanks = for_insert::Actor {
first_name: "TOM".into(),
last_name: "HANKS".to_string(),
};
println!("tom_cruise: {:#?}", tom_cruise);
println!("tom_hanks: {:#?}", tom_hanks);
let actors: Result<Vec<for_retrieve::Actor>, DbError> = em.insert(&[&tom_cruise, &tom_hanks]);
println!("Actor: {:#?}", actors);
assert!(actors.is_ok());
let actors = actors.unwrap();
let today = Utc::now().date();
assert_eq!(tom_cruise.first_name, actors[0].first_name);
assert_eq!(tom_cruise.last_name, actors[0].last_name);
assert_eq!(today, actors[0].last_update.date());
assert_eq!(tom_hanks.first_name, actors[1].first_name);
assert_eq!(tom_hanks.last_name, actors[1].last_name);
assert_eq!(today, actors[1].last_update.date());
}
|
#ifndef <API key>
#define <API key>
#include "base/task/task.h"
#include "base/threading/condition.h"
#include "base/threading/message_pump.h"
#include "base/timer/timer.h"
namespace base {
class MessagePumpPosix : public MessagePump {
public:
MessagePumpPosix();
virtual ~MessagePumpPosix();
virtual void Run(Delegate* delegate);
virtual void ScheduleWork();
virtual void ScheduleDelayedWork(Closure* closure, int delayed_time);
virtual void <API key>(Closure* closure, int delayed_time);
virtual void Stop();
private:
Condition condition_;
Timer timer_;
bool keep_running_;
};
} // namespace base
#endif // <API key>
|
'use strict';
/**
* Module dependencies.
*/
var path = require('path'),
mongoose = require('mongoose'),
Person = mongoose.model('Person'),
errorHandler = require(path.resolve('./modules/core/server/controllers/errors.server.controller')),
_ = require('lodash');
/**
* Create a Person
*/
exports.create = function(req, res) {
var person = new Person(req.body);
person.user = req.user;
person.save(function(err) {
if (err) {
return res.status(400).send({
message: errorHandler.getErrorMessage(err)
});
} else {
res.jsonp(person);
}
});
};
/**
* Show the current Person
*/
exports.read = function(req, res) {
// convert mongoose document to JSON
var person = req.person ? req.person.toJSON() : {};
// Add a custom field to the Article, for determining if the current User is the "owner".
// NOTE: This field is NOT persisted to the database, since it doesn't exist in the Article model.
res.jsonp(person);
};
/**
* Update a Person
*/
exports.update = function(req, res) {
var person = req.person;
person = _.extend(person, req.body);
person.save(function(err) {
if (err) {
return res.status(400).send({
message: errorHandler.getErrorMessage(err)
});
} else {
res.jsonp(person);
}
});
};
/**
* Delete a Person
*/
exports.delete = function(req, res) {
var person = req.person;
person.remove(function(err) {
if (err) {
return res.status(400).send({
message: errorHandler.getErrorMessage(err)
});
} else {
res.jsonp(person);
}
});
};
/**
* List of People
*/
exports.list = function(req, res) {
var search = {};
if (req.query.full_name) {
search.full_name = new RegExp(req.query.full_name, 'i');
}
if (req.query.url) {
search.url = new RegExp(req.query.url, 'i');
}
if (req.query.email) {
search.email = new RegExp(req.query.email, 'i');
}
if (req.query.job) {
search.job = new RegExp(req.query.job, 'i');
}
if (req.query.location_safe) {
search.location_safe = new RegExp(req.query.location_safe, 'i');
}
if (req.query.phone) {
search.phone = new RegExp(req.query.phone, 'i');
}
if (req.query.notes) {
search.notes = new RegExp(req.query.notes, 'i');
}
if (req.query.keywords) {
search.keywords = new RegExp(req.query.keywords, 'i');
}
Person.find(search).sort('-created').exec(function (err, people) {
if (err) {
return res.status(400).send({
message: err.message
});
} else {
res.json(people);
}
});
};
/**
* List of Dupliacte People
*/
exports.duplicates = function (req, res) {
var aggregate = [
{
$group: {
_id: { url: '$url' },
count: { $sum: 1 }
}
}, {
$match: {
count: { $gte: 2 }
}
}
];
Person.aggregate(aggregate, function (err, groups) {
if (err) {
return res.status(400).send({
message: err.message
});
} else {
var dup_urls = [];
for (var i = 0; i < groups.length; i++) {
var group = groups[i];
var _id = group._id;
dup_urls.push(_id.url);
}
Person.find({ url: { $in: dup_urls } }).sort('url').exec(function (err, people) {
if (err) {
return res.status(400).send({
message: err.message
});
} else {
res.json(people);
}
});
}
});
};
/**
* Person middleware
*/
exports.personByID = function(req, res, next, id) {
if (!mongoose.Types.ObjectId.isValid(id)) {
return res.status(400).send({
message: 'Person is invalid'
});
}
Person.findById(id).populate('user', 'displayName').exec(function (err, person) {
if (err) {
return next(err);
} else if (!person) {
return res.status(404).send({
message: 'No Person with that identifier has been found'
});
}
req.person = person;
next();
});
};
|
#include <iostream>
#include <sstream>
#include <vector>
#include <cmath>
#include <reader.hpp>
#include <writer.hpp>
using namespace std;
using namespace jam;
struct JoinK {
JoinK(vector<vector<char>>&& input, int kIn) : g(input), k(kIn) { n = g.size(); }
void rotate() {
for (auto& v : g) {
v.erase(remove(v.begin(), v.end(), '.'), v.end());
v.insert(v.begin(), g.size() - v.size(), '.');
}
}
bool winAt(int i, int j, char c) {
bool winRight = false, winDown = false, winDiagRight = false, winDiagLeft = false;
if (i <= n - k) {
winDown = true;
for (int x = i; x < i + k; ++x) { if (g[x][j] != c) { winDown = false; break; } }
}
if (j <= n - k) {
winRight = true;
for (int x = j; x < j + k; ++x) { if (g[i][x] != c) { winRight = false; break; } }
}
if (i <= n - k && j >= k - 1) {
winDiagLeft = true;
for (int x = 0; x < k; ++x) { if (g[i + x][j - x] != c) { winDiagLeft = false; break; } }
}
if (i <= n - k && j <= n - k) {
winDiagRight = true;
for (int x = 0; x < k; ++x) { if (g[i + x][j + x] != c) { winDiagRight = false; break; } }
}
return winRight || winDown || winDiagRight || winDiagLeft;
}
bool winFor(char c) {
for (int i = 0; i < n; ++i) {
for (int j = 0; j < n; ++j) {
if (winAt(i, j, c)) { return true; }
}
}
return false;
}
void dump() {
cout << endl;
for (int i = 0; i < n; ++i) {
for (int j = 0; j < n; ++j) {
cout << g[i][j];
}
cout << endl;
}
}
string result() {
//dump();
bool redWins = winFor('R');
bool blueWins = winFor('B');
if (redWins && blueWins) return "Both";
else if (redWins) return "Red";
else if (blueWins) return "Blue";
else return "Neither";
}
vector<vector<char>> g;
int k;
size_t n = 0;
};
int main(int argc, char** argv) {
Writer w(argc, argv);
Reader r(argc, argv);
stringstream ss;
int numCases = 0;
r.nextLine(ss);
ss >> numCases;
for (int i = 0; i < numCases; ++i) {
r.nextLine(ss);
int n, k;
ss >> n >> k;
vector<vector<char>> input;
for (int j = 0; j < n; ++j) {
r.nextLine(ss);
string line;
ss >> line;
vector<char> temp;
move(line.begin(), line.end(), back_inserter(temp));
input.push_back(temp);
}
JoinK j(move(input), k);
j.rotate();
w.out() << "Case #" << (i + 1) << ": " << j.result() << '\n';
}
return 0;
}
|
"use strict";require("retape")(require("./index"))
|
use('sassmine').on(function(sas) {
var Block = Class.extend({
constructor: function(message, code) {
this.base();
this.message = message;
this.code = code;
this.before = [];
this.after = [];
},
execute: function() {
this.code.call(null, sas);
},
addBeforeEach: function(action) {
this.before.push(action);
},
addAfterEach: function(action) {
this.after.push(action);
},
beforeEach: function() {
for (var i = 0; i < this.before.length; i++)
this.before[i].call(null, sas);
},
afterEach: function() {
for (var i = 0; i < this.after.length; i++)
this.after[i].call(null, sas);
}
});
sas.Spec = sas.Suite = Block.extend();
});
|
#include <Core/Platform.h>
#include <Shared/misc.h>
#include <Core/Core.h>
#include "DebugCamera.h"
#include "SceneTools.h"
DebugCamera::DebugCamera(Pimp::World* world) :
world(world)
, isEnabled(false)
, isLookingAt(false)
{
ASSERT(nullptr != world);
camera = new Pimp::Camera(world);
world->GetElements().push_back(camera);
camera->SetFOVy(0.563197f);
xform = new Pimp::Xform(world);
world->GetElements().push_back(xform);
AddChildToParent(xform,world->GetRootNode());
AddChildToParent(camera,xform);
}
void DebugCamera::SetEnabled( bool enabled )
{
if (enabled == isEnabled)
return;
else
{
isEnabled = enabled;
if (true == isEnabled)
{
// Adopt current camera.
Pimp::Camera* prevCam = world->GetCamera();
ASSERT(prevCam->GetParents().size() == 1);
Pimp::Node* prevCamParent = prevCam->GetParents()[0];
ASSERT(prevCamParent->GetType() == Pimp::ET_Xform);
Pimp::Xform* <API key> = static_cast<Pimp::Xform*>(prevCamParent);
// And then set it as ours.
xform->SetTranslation(<API key>->GetTranslation());
xform->SetRotation(<API key>->GetRotation());
world->SetCamera(camera);
}
}
}
void DebugCamera::Move( const Vector3& directionViewSpace )
{
float speed = 1.0f; //< Totally framerate-dependent movement speed
Vector3 dirWorld = xform->GetWorldTransform()->TransformNormal(directionViewSpace);
Vector3 pos = xform->GetTranslation();
pos += dirWorld * speed;
xform->SetTranslation(pos);
}
void DebugCamera::Roll(bool positive)
{
Quaternion rot = xform->GetRotation();
const float rollAmount = 0.10f; //< Totally framerate-dependent roll amount
rot = <API key>(0, 0, positive ? rollAmount : -rollAmount) * rot;
xform->SetRotation(rot);
}
void DebugCamera::StartLookAt()
{
ASSERT(!isLookingAt);
isLookingAt = true;
<API key> = xform->GetRotation();
}
void DebugCamera::EndLookAt()
{
ASSERT(isLookingAt);
isLookingAt = false;
}
void DebugCamera::LookAt(int deltaMouseX, int deltaMouseY)
{
ASSERT(isLookingAt);
// Calculate new orientation
const float mouseSensitivity = -0.01f;
float yaw = deltaMouseX * mouseSensitivity;
float pitch = deltaMouseY * mouseSensitivity;
Quaternion camOrientationDelta = <API key>(yaw, pitch, 0);
Quaternion newRot = camOrientationDelta * <API key>;
xform->SetRotation(newRot);
}
void DebugCamera::<API key>()
{
Quaternion rot = xform->GetRotation();
Vector3 pos = xform->GetTranslation();
Vector3 rotEulerXYZ = rot.GetEulerAnglesXYZ();
DEBUG_LOG("Current debug camera transform:");
DEBUG_LOG("X = %.2ff", pos.x);
DEBUG_LOG("Y = %.2ff", pos.y);
DEBUG_LOG("Z = %.2ff", pos.z);
DEBUG_LOG("X = %.2ff", rot.x);
DEBUG_LOG("Y = %.2ff", rot.y);
DEBUG_LOG("Z = %.2ff", rot.z);
DEBUG_LOG("W = %.2ff", rot.w);
}
|
#ifndef <API key>
#define <API key>
// OpenTissue Template Library
// - A generic toolbox for physics-based modeling and simulation.
#include <OpenTissue/configuration.h>
#include <OpenTissue/core/containers/mesh/mesh.h>
#include <boost/cast.hpp>
#include <list>
namespace OpenTissue
{
namespace sdf
{
/**
* Compute Point Sampling.
* This function tries to resample a mesh geometry to better fit the
* resolution of the corresponding signed distance map.
*
* @param mesh The surface mesh from which a point sampling is computed.
* @param phi The signed distance field corresponding to the specified mesh.
*
* @param edge_resolution Threshold value, indicating the sampling
* resolution along edges. If zero it will be
* computed on the fly, to match the resolution
* of the signed distance map.
*
* @param face_sampling Boolean flag indicating wheter face sampling is on or off.
*
* @param points Upon return this argument holds the computed point sampling.
*/
template<typename mesh_type,typename grid_type, typename point_container>
void <API key>(
mesh_type /*const*/ & mesh
, grid_type const & phi
, double edge_resolution
, bool face_sampling
, point_container & points
)
{
using std::min;
using std::max;
using std::sqrt;
typedef typename mesh_type::vertex_iterator vertex_iterator;
typedef typename mesh_type::halfedge_iterator halfedge_iterator;
typedef typename mesh_type::face_iterator face_iterator;
typedef typename mesh_type::face_type face_type;
typedef typename mesh_type::halfedge_type halfedge_type;
typedef typename mesh_type::<API key> <API key>;
typedef typename std::list<face_type*> face_queue;
typedef typename mesh_type::math_types math_types;
typedef typename math_types::vector3_type vector3_type;
typedef typename math_types::real_type real_type;
assert(edge_resolution>=0 || !"<API key>(): edge resolution was negative");
mesh::clear_vertex_tags( mesh);
mesh::clear_halfedge_tags( mesh);
mesh::clear_face_tags( mesh);
points.clear();
for(vertex_iterator v = mesh.vertex_begin();v!=mesh.vertex_end();++v)
{
v->m_tag = 1;
if(!is_convex( *v ) )
continue;
points.push_back( v->m_coord );
}
real_type tmp = boost::numeric_cast<real_type>( edge_resolution );
real_type threshold = max(tmp, sqrt( phi.dx()*phi.dx() + phi.dy()*phi.dy() + phi.dz()*phi.dz() ));
for(halfedge_iterator h = mesh.halfedge_begin();h!=mesh.halfedge_end();++h)
{
if(h->m_tag)
continue;
h->m_tag = 1;
h->get_twin_iterator()->m_tag = 1;
if(!is_convex( *h ) )
continue;
vector3_type u = h-><API key>()->m_coord - h->get_origin_iterator()->m_coord;
real_type lgth = sqrt(u*u);
if(lgth>threshold)
{
u /= lgth;
vector3_type p = h->get_origin_iterator()->m_coord;
real_type t = threshold;
while(t<lgth)
{
p += u*threshold;
t += threshold;
points.push_back( p );
}
}
}
if(face_sampling)
{
vector3_type Ai,ai,ei;
real_type area_test = max( phi.dx()*phi.dy(), max(phi.dx()*phi.dz(),phi.dy()*phi.dz()));
for(face_iterator face = mesh.face_begin();face!=mesh.face_end();++face)
{
if(face->m_tag)
continue;
real_type area = 0;
vector3_type centroid = vector3_type(0,0,0);
unsigned int size = 0;
face_queue Q;
Q.push_back( &(*face) );
face->m_tag = 1;
while(!Q.empty())
{
face_type * cur = Q.front();Q.pop_front();
<API key> h(*cur),hend;
for(;h!=hend;++h)
{
ai = h->get_origin_iterator()->m_coord;
ei = h-><API key>()->m_coord - ai;
Ai = ai % ei;
area += 0.5*sqrt(Ai*Ai);
++size;
centroid += h->get_origin_iterator()->m_coord;
if(h->get_twin_iterator()->get_face_handle().is_null())
continue;
face_type * neighbor = &(*h->get_twin_iterator()->get_face_iterator());
bool unseen = !neighbor->m_tag;
// TODO 2007-02-08: polymesh specific, bad idea
bool coplanar = is_planar(*h);
if(unseen && coplanar)
{
neighbor->m_tag = 1;
Q.push_back(neighbor);
}
}
}
if(size && area > area_test)
{
centroid /= size;
points.push_back( centroid );
}
}
}
}
} // namespace sdf
} // namespace OpenTissue
// <API key>
#endif
|
<?xml version="1.0" ?><!DOCTYPE TS><TS language="fa_IR" version="2.0">
<defaultcodec>UTF-8</defaultcodec>
<context>
<name>AboutDialog</name>
<message>
<location filename="../forms/aboutdialog.ui" line="+14"/>
<source>About callcoin</source>
<translation>در مورد بیتکویین</translation>
</message>
<message>
<location line="+39"/>
<source><b>callcoin</b> version</source>
<translation><b>callcoin</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 type="unfinished"/>
</message>
<message>
<location filename="../aboutdialog.cpp" line="+14"/>
<source>Copyright</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>The callcoin 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 callcoin 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 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 callcoin 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="+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 callcoin 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="-5"/>
<source>These are your callcoin 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>سی.اس.وی. (فایل جداگانه دستوری)</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 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 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>رمز/پَس فرِیز جدید را در wallet وارد کنید. برای انتخاب رمز/پَس فرِیز از 10 کاراکتر تصادفی یا بیشتر و یا هشت کلمه یا بیشتر استفاده کنید. </translation>
</message>
<message>
<location line="+1"/>
<source>Encrypt wallet</source>
<translation>wallet را رمزگذاری کنید</translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to unlock the wallet.</source>
<translation>برای انجام این عملکرد به رمز/پَس فرِیزِwallet نیاز است تا آن را از حالت قفل درآورد.</translation>
</message>
<message>
<location line="+5"/>
<source>Unlock wallet</source>
<translation>باز کردن قفل wallet </translation>
</message>
<message>
<location line="+3"/>
<source>This operation needs your wallet passphrase to decrypt the wallet.</source>
<translation>برای کشف رمز wallet، به رمز/پَس فرِیزِwallet نیاز است.</translation>
</message>
<message>
<location line="+5"/>
<source>Decrypt wallet</source>
<translation>کشف رمز wallet</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>رمز/پَس فرِیزِ قدیم و جدید را در wallet وارد کنید</translation>
</message>
<message>
<location line="+46"/>
<source>Confirm wallet encryption</source>
<translation>رمزگذاری wallet را تایید کنید</translation>
</message>
<message>
<location line="+1"/>
<source>Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR SKEINCOINS</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="+100"/>
<location line="+24"/>
<source>Warning: The Caps Lock key is on!</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-130"/>
<location line="+58"/>
<source>Wallet encrypted</source>
<translation>تایید رمزگذاری</translation>
</message>
<message>
<location line="-56"/>
<source>callcoin will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your callcoins from being stolen by malware infecting your computer.</source>
<translation>callcoin برای اتمام فرایند رمزگذاری بسته خواهد شد. به خاطر داشته باشید که رمزگذاری WALLET شما، کامپیوتر شما را از آلودگی به بدافزارها مصون نمی دارد.</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>رمزگذاری به علت خطای داخلی تایید نشد. wallet شما رمزگذاری نشد</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>قفل wallet باز نشد</translation>
</message>
<message>
<location line="+1"/>
<location line="+11"/>
<location line="+19"/>
<source>The passphrase entered for the wallet decryption was incorrect.</source>
<translation>رمزهای/پَس فرِیزهایِ وارد شده wallet برای کشف رمز اشتباه است.</translation>
</message>
<message>
<location line="-20"/>
<source>Wallet decryption failed</source>
<translation>کشف رمز wallet انجام نشد</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="+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>نمای کلی از wallet را نشان بده</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>از "درخواست نامه"/ application خارج شو</translation>
</message>
<message>
<location line="+4"/>
<source>Show information about callcoin</source>
<translation>اطلاعات در مورد callcoin را نشان بده</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>تغییر رمز/پَس فرِیز</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 callcoin address</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+49"/>
<source>Modify configuration options for callcoin</source>
<translation>اصلاح انتخابها برای پیکربندی callcoin</translation>
</message>
<message>
<location line="+9"/>
<source>Backup wallet to another location</source>
<translation>گرفتن نسخه پیشتیبان در آدرسی دیگر</translation>
</message>
<message>
<location line="+2"/>
<source>Change the passphrase used for wallet encryption</source>
<translation>رمز مربوط به رمزگذاریِ wallet را تغییر دهید</translation>
</message>
<message>
<location line="+6"/>
<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="-4"/>
<source>&Verify message...</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-165"/>
<location line="+530"/>
<source>callcoin</source>
<translation>callcoin</translation>
</message>
<message>
<location line="-530"/>
<source>Wallet</source>
<translation>کیف پول</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 callcoin</source>
<translation>&در مورد بیتکویین</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 callcoin 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 callcoin 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>[testnet]</translation>
</message>
<message>
<location line="+47"/>
<source>callcoin client</source>
<translation>مشتری callcoin</translation>
</message>
<message numerus="yes">
<location line="+141"/>
<source>%n active connection(s) to callcoin network</source>
<translation><numerusform>%n ارتباط فعال به شبکه callcoin
%n ارتباط فعال به شبکه callcoin</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 type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="-23"/>
<location line="+23"/>
<source>URI can not be parsed! This can be caused by an invalid callcoin address or malformed URI parameters.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+17"/>
<source>Wallet is <b>encrypted</b> and currently <b>unlocked</b></source>
<translation>wallet رمزگذاری شد و در حال حاضر از حالت قفل در آمده است</translation>
</message>
<message>
<location line="+8"/>
<source>Wallet is <b>encrypted</b> and currently <b>locked</b></source>
<translation>wallet رمزگذاری شد و در حال حاضر قفل است</translation>
</message>
<message>
<location filename="../bitcoin.cpp" line="+111"/>
<source>A fatal error occurred. callcoin can no longer continue safely and will quit.</source>
<translation type="unfinished"/>
</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 callcoin address.</source>
<translation>آدرس وارد شده "%1" یک آدرس صحیح برای callcoin نسشت</translation>
</message>
<message>
<location line="+10"/>
<source>Could not unlock wallet.</source>
<translation>عدم توانیی برای قفل گشایی wallet</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>callcoin-Qt</source>
<translation type="unfinished"/>
</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 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.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+15"/>
<source>Pay transaction &fee</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+31"/>
<source>Automatically start callcoin after logging in to the system.</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>&Start callcoin on system login</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+6"/>
<source>Automatically open the callcoin 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 callcoin 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 callcoin.</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 callcoin addresses in the transaction list or not.</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="-9"/>
<location line="+9"/>
<source>This setting will take effect after restarting callcoin.</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="+50"/>
<location line="+166"/>
<source>The displayed information may be out of date. Your wallet automatically synchronizes with the callcoin network after a connection is established, but this process has not completed yet.</source>
<translation>اطلاعات نمایش داده شده ممکن است روزآمد نباشد. wallet شما به صورت خودکار بعد از برقراری اتصال با شبکه callcoin به روز می شود اما این فرایند هنوز تکمیل نشده است.</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>کیف پول</translation>
</message>
<message>
<location line="+107"/>
<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="+46"/>
<source><b>Recent transactions</b></source>
<translation>تراکنشهای اخیر</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 callcoin: 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 type="unfinished"/>
</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 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>متن وارد شده طولانی است، متنِ برچسب/پیام را کوتاه کنید</translation>
</message>
<message>
<location line="+25"/>
<source>Save QR Code</source>
<translation type="unfinished"/>
</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 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="+339"/>
<source>N/A</source>
<translation type="unfinished"/>
</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 callcoin-Qt help message to get a list with possible callcoin 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>callcoin - Debug window</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+25"/>
<source>callcoin 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 callcoin 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="-30"/>
<source>Welcome to the callcoin RPC console.</source>
<translation>به کنسول آر.پی.سی. SKEINCOIN خوش آمدید</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 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="+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 type="unfinished"/>
</message>
<message>
<location line="+20"/>
<source>Remove all transaction fields</source>
<translation>تمامی فیلدهای تراکنش حذف شوند</translation>
</message>
<message>
<location line="+3"/>
<source>Clear &All</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+22"/>
<source>Balance:</source>
<translation>مانده حساب:</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>تایید عملیات ارسال </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>%1 به %2 (%3)</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 را ارسال کنید؟</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 type="unfinished"/>
</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 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>خطا: تراکنش تایید نشد. این خطا ممکن است به این دلیل اتفاق بیافتد که سکه های 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>و میزان وجه</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 callcoin address (e.g. <API key>)</source>
<translation>یک آدرس callcoin وارد کنید (مثال <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 type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+18"/>
<source>The address to sign the message with (e.g. <API key>)</source>
<translation>یک آدرس callcoin وارد کنید (مثال <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 type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>Sign the message to prove you own this callcoin address</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+3"/>
<location line="+146"/>
<source>Clear &All</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-87"/>
<source>&Verify Message</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+21"/>
<source>The address the message was signed with (e.g. <API key>)</source>
<translation>یک آدرس callcoin وارد کنید (مثال <API key>)</translation>
</message>
<message>
<location line="+40"/>
<source>Verify the message to ensure it was signed with the specified callcoin address</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location filename="../<API key>.cpp" line="+27"/>
<location line="+3"/>
<source>Enter a callcoin address (e.g. <API key>)</source>
<translation>یک آدرس callcoin وارد کنید (مثال <API key>)</translation>
</message>
<message>
<location line="-2"/>
<source>Click "Sign Message" to generate signature</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Enter callcoin 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>SplashScreen</name>
<message>
<location filename="../splashscreen.cpp" line="+25"/>
<source>The callcoin developers</source>
<translation type="unfinished"/>
</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>باز کن تا %1</translation>
</message>
<message>
<location line="+6"/>
<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></translation>
</message>
<message>
<location line="+4"/>
<source>Date</source>
<translation>تاریخ</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>برچسب</translation>
</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></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>پیام</translation>
</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 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 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="+3"/>
<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 type="unfinished"/>
</message>
<message>
<location line="+0"/>
<source>false</source>
<translation type="unfinished"/>
</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</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 type="unfinished"><numerusform></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>این block توسط گره های دیگری دریافت نشده است و ممکن است قبول نشود</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 type="unfinished"/>
</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 separated file (*.csv) فایل جداگانه دستوری</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>callcoin version</source>
<translation>نسخه callcoin</translation>
</message>
<message>
<location line="+102"/>
<source>Usage:</source>
<translation>میزان استفاده:</translation>
</message>
<message>
<location line="-29"/>
<source>Send command to -server or callcoind</source>
<translation>ارسال دستور به سرور یا callcoined</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: callcoin.conf)</source>
<translation>فایل پیکربندیِ را مشخص کنید (پیش فرض: callcoin.conf)</translation>
</message>
<message>
<location line="+3"/>
<source>Specify pid file (default: callcoind.pid)</source>
<translation>فایل pid را مشخص کنید (پیش فرض: callcoind.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: 8333 or testnet: 18333)</source>
<translation>ارتباطات را در <PORT> بشنوید (پیش فرض: 8333 or testnet: 18333)</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 type="unfinished"/>
</message>
<message>
<location line="+82"/>
<source>Specify your own public address</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+27"/>
<source>Listen for JSON-RPC connections on <port> (default: 8332 or testnet: 18332)</source>
<translation>ارتباطاتِ JSON-RPC را در <port> گوش کنید (پیش فرض:8332)</translation>
</message>
<message>
<location line="+37"/>
<source>Accept command line and JSON-RPC commands</source>
<translation>command line و JSON-RPC commands را قبول کنید</translation>
</message>
<message>
<location line="+76"/>
<source>Run in the background as a daemon and accept commands</source>
<translation>به عنوان daemon بک گراند را اجرا کنید و دستورات را قبول نمایید</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 type="unfinished"/>
</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=callcoinrpc
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 "callcoin 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. callcoin 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 type="unfinished"/>
</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 type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Warning: Please check that your computer's date and time are correct! If your clock is wrong callcoin will not work properly.</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</message>
<message>
<location line="+5"/>
<source>Connect only to the specified node(s)</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</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 type="unfinished"/>
</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 type="unfinished"/>
</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 type="unfinished"/>
</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 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="+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 type="unfinished"/>
</message>
<message>
<location line="+2"/>
<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="+2"/>
<source>Prepend debug output with timestamp</source>
<translation>برونداد اشکال زدایی با timestamp</translation>
</message>
<message>
<location line="+5"/>
<source>SSL options: (see the callcoin Wiki for SSL setup instructions)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Select the version of socks proxy to use (4-5, default: 5)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+3"/>
<source>Send trace/debug info to console instead of debug.log file</source>
<translation>ارسال اطلاعات پیگیری/خطایابی به کنسول به جای ارسال به فایل debug.log</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 type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Set minimum block size in bytes (default: 0)</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+2"/>
<source>Shrink debug.log file on client startup (default: 1 when no -debug)</source>
<translation type="unfinished"/>
</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>تعیین مدت زمان وقفه (time out) به هزارم ثانیه</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 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="+1"/>
<source>Use proxy to reach tor hidden services (default: same as -proxy)</source>
<translation type="unfinished"/>
</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 type="unfinished"/>
</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>دستورات را به گره اجرا شده در<ip> ارسال کنید (پیش فرض: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>دستور را وقتی بهترین بلاک تغییر کرد اجرا کن (%s در دستور توسط 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>حجم key pool را به اندازه <n> تنظیم کنید (پیش فرض:100)</translation>
</message>
<message>
<location line="-12"/>
<source>Rescan the block chain for missing wallet transactions</source>
<translation>زنجیره بلاک را برای تراکنش جا افتاده در WALLET دوباره اسکن کنید</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>فایل certificate سرور (پیش فرض 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>ciphers قابل قبول (پیش فرض: default: 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 type="unfinished"/>
</message>
<message>
<location line="-91"/>
<source>Connect through socks proxy</source>
<translation type="unfinished"/>
</message>
<message>
<location line="-10"/>
<source>Allow DNS lookups for -addnode, -seednode and -connect</source>
<translation type="unfinished"/>
</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: Wallet corrupted</translation>
</message>
<message>
<location line="+1"/>
<source>Error loading wallet.dat: Wallet requires newer version of callcoin</source>
<translation>خطا در هنگام لود شدن wallet.dat. به نسخه جدید callcoin برای wallet نیاز است.</translation>
</message>
<message>
<location line="+93"/>
<source>Wallet needed to be rewritten: restart callcoin to complete</source>
<translation>wallet نیاز به بازنویسی دارد. callcoin را برای تکمیل عملیات دوباره اجرا کنید.</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 type="unfinished"/>
</message>
<message>
<location line="+56"/>
<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="-96"/>
<source>Cannot resolve -bind address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+1"/>
<source>Cannot resolve -externalip address: '%s'</source>
<translation type="unfinished"/>
</message>
<message>
<location line="+44"/>
<source>Invalid amount for -paytxfee=<amount>: '%s'</source>
<translation>میزان اشتباه است for -paytxfee=<amount>: '%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. callcoin is probably already running.</source>
<translation type="unfinished"/>
</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>wallet در حال لود شدن است...</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>شما باید یک رمز rpcpassword=<password> را در فایل تنظیمات ایجاد کنید⏎ %s ⏎ اگر فایل ایجاد نشده است، آن را با یک فایل "فقط متنی" ایجاد کنید.
</translation>
</message>
</context>
</TS>
|
import { Component } from '@angular/core';
import { ContactService } from './contact.service';
@Component({
selector: 'app-root',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent {
title = 'Simple Contacts Application';
constructor(private contactService:ContactService){
}
}
|
package org.moe.runtime
class MoeSystem(
private var STDOUT : java.io.PrintStream = Console.out,
private var STDIN : java.io.BufferedReader = Console.in,
private var STDERR : java.io.PrintStream = Console.err
) {
def getSTDIN = STDIN
def getSTDOUT = STDOUT
def getSTDERR = STDERR
def getEnv = sys.env
def exit () = sys.exit()
def exit (status: Int) = sys.exit(status)
}
|
<?php
use Phinx\Migration\AbstractMigration;
class CreateCinemaTables extends AbstractMigration
{
public function change()
{
$movies = $this->table("movies", ['id' => true, 'primary_key' => 'id']);
$movies->addColumn('kinopoisk_id', 'integer')
->addColumn('name', 'string')
->addColumn('poster', 'string')
->addColumn('data', 'text')
->addIndex(['kinopoisk_id'])
->save();
$sessions = $this->table("sessions", ['id' => true, 'primary_key' => 'id']);
$sessions->addColumn('movie_id', 'integer')
->addColumn('time', 'datetime')
->addIndex(['movie_id'])
->save();
}
}
|
import { delay } from "../delay"
import { getOneTrustConsent } from "../getOneTrustConsent"
import { oneTrustReady } from "../oneTrustReady"
jest.mock("../delay")
jest.mock("../oneTrustReady")
describe("getOneTrustConsent", () => {
const delayMock = delay as jest.Mock
const oneTrustReadyMock = oneTrustReady as jest.Mock
beforeEach(() => {
delayMock.mockImplementation(() => Promise.resolve())
})
afterEach(() => {
delayMock.mockRestore()
oneTrustReadyMock.mockRestore()
})
it("returns empty string if onetrust is never ready", async () => {
oneTrustReadyMock.mockImplementation(() => {
return false
})
const result = await getOneTrustConsent()
expect(delayMock).<API key>(10)
expect(delayMock).<API key>(101)
expect(oneTrustReadyMock).<API key>()
expect(oneTrustReadyMock).<API key>(103)
expect(result).toBe("")
})
it("returns onetrust consent string if onetrust is ready", async () => {
oneTrustReadyMock.mockImplementation(() => {
return true
})
window.<API key> = "C0001"
const result = await getOneTrustConsent()
expect(delayMock).not.toHaveBeenCalled()
expect(oneTrustReadyMock).<API key>()
expect(result).toBe("C0001")
})
})
|
'use strict'
const { describe, it, beforeEach, afterEach } = require('mocha')
const Helper = require('hubot-test-helper')
const { expect } = require('chai')
const mock = require('mock-require')
const http = require('http')
const sleep = m => new Promise(resolve => setTimeout(() => resolve(), m))
const request = uri => {
return new Promise((resolve, reject) => {
http
.get(uri, res => {
const result = { statusCode: res.statusCode }
if (res.statusCode !== 200) {
resolve(result)
} else {
res.setEncoding('utf8')
let rawData = ''
res.on('data', chunk => {
rawData += chunk
})
res.on('end', () => {
result.body = rawData
resolve(result)
})
}
})
.on('error', err => reject(err))
})
}
const infoRutStub = {
getPersonByRut (rut) {
return new Promise((resolve, reject) => {
if (rut === '11111111-1') {
return resolve({ name: 'Anonymous', rut })
} else if (rut === '77777777-7') {
return resolve({ name: 'Sushi', rut })
} else if (rut === '22222222-2') {
return resolve(null)
}
reject(new Error('Not found'))
})
},
getEnterpriseByRut (rut) {
return new Promise((resolve, reject) => {
if (rut === '11111111-1') {
return resolve({ name: 'Anonymous', rut })
} else if (rut === '77777777-7') {
return resolve({ name: 'Sushi', rut })
} else if (rut === '22222222-2') {
return resolve(null)
}
reject(new Error('Not found'))
})
},
getPersonByName (name) {
return new Promise((resolve, reject) => {
if (name === 'juan perez perez') {
return resolve([
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' }
])
} else if (name === 'soto') {
return resolve([
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' },
{ rut: '11.111.111-1', name: 'Anonymous' }
])
} else if (name === 'info-rut') {
return resolve([])
}
reject(new Error('Not found'))
})
},
getEnterpriseByName (name) {
return new Promise((resolve, reject) => {
if (name === 'perez') {
return resolve([{ rut: '11.111.111-1', name: 'Anonymous' }])
} else if (name === 'info-rut') {
return resolve([])
}
reject(new Error('Not found'))
})
}
}
mock('info-rut', infoRutStub)
const helper = new Helper('./../src/index.js')
describe('info rut', function () {
beforeEach(() => {
this.room = helper.createRoom()
})
afterEach(() => this.room.destroy())
describe('person rut valid', () => {
const rut = '11111111-1'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut rut ${rut}`)
await sleep(1000)
})
it('should return a full name', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut rut ${rut}`],
['hubot', `Anonymous (${rut})`]
])
})
})
describe('enterprise rut valid', () => {
const rut = '77777777-7'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut rut ${rut}`)
await sleep(1000)
})
it('should return a full name', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut rut ${rut}`],
['hubot', `Sushi (${rut})`]
])
})
})
describe('rut invalid', () => {
const rut = '22222222-2'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut rut ${rut}`)
await sleep(1000)
})
it('should return a error', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut rut ${rut}`],
['hubot', '@user rut sin resultados']
])
})
})
describe('rut error', () => {
const rut = '1'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut rut ${rut}`)
await sleep(1000)
})
it('should return a error', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut rut ${rut}`],
['hubot', '@user ocurrio un error al consultar el rut']
])
})
})
describe('name valid', () => {
const name = 'juan perez perez'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut persona ${name}`)
await sleep(1000)
})
it('should return a array of results with link', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut persona ${name}`],
[
'hubot',
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Más resultados en ' +
'http://localhost:8080/info-rut?name=juan%20perez%20perez&' +
'type=persona'
]
])
})
})
describe('name valid', () => {
const name = 'soto'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut persona ${name}`)
await sleep(500)
})
it('should return a array of results', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut persona ${name}`],
[
'hubot',
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)\n' +
'Anonymous (11.111.111-1)'
]
])
})
})
describe('name without results', () => {
const name = 'info-rut'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut empresa ${name}`)
await sleep(500)
})
it('should return a empty results', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut empresa ${name}`],
['hubot', `@user no hay resultados para ${name}`]
])
})
})
describe('name invalid', () => {
const name = 'asdf'
beforeEach(async () => {
this.room.user.say('user', `hubot info-rut persona ${name}`)
await sleep(500)
})
it('should return a empty results', () => {
expect(this.room.messages).to.eql([
['user', `hubot info-rut persona ${name}`],
['hubot', '@user ocurrio un error al consultar el nombre']
])
})
})
describe('GET /info-rut?name=perez&type=persona', () => {
beforeEach(async () => {
this.response = await request(
'http://localhost:8080/info-rut?name=juan%20perez%20perez&type=persona'
)
})
it('responds with status 200 and results', () => {
expect(this.response.statusCode).to.equal(200)
expect(this.response.body).to.equal(
'Anonymous (11.111.111-1)<br/>' +
'Anonymous (11.111.111-1)<br/>' +
'Anonymous (11.111.111-1)<br/>' +
'Anonymous (11.111.111-1)<br/>' +
'Anonymous (11.111.111-1)<br/>' +
'Anonymous (11.111.111-1)'
)
})
})
describe('GET /info-rut?name=perez&type=empresa', () => {
beforeEach(async () => {
this.response = await request(
'http://localhost:8080/info-rut?name=perez&type=empresa'
)
})
it('responds with status 200 and results', () => {
expect(this.response.statusCode).to.equal(200)
expect(this.response.body).to.equal('Anonymous (11.111.111-1)')
})
})
describe('GET /info-rut?name=info-rut&type=persona', () => {
beforeEach(async () => {
this.response = await request(
'http://localhost:8080/info-rut?name=info-rut&type=persona'
)
})
it('responds with status 200 and not results', () => {
expect(this.response.statusCode).to.equal(200)
expect(this.response.body).to.equal('no hay resultados para info-rut')
})
})
describe('GET /info-rut', () => {
beforeEach(async () => {
this.response = await request('http://localhost:8080/info-rut')
})
it('responds with status 200 and not results', () => {
expect(this.response.statusCode).to.equal(200)
expect(this.response.body).to.equal('faltan los parametros type y name')
})
})
describe('GET /info-rut?name=asdf&type=persona', () => {
beforeEach(async () => {
this.response = await request(
'http://localhost:8080/info-rut?name=asdf&type=persona'
)
})
it('responds with status 200 and not results', () => {
expect(this.response.statusCode).to.equal(200)
expect(this.response.body).to.equal(
'Ocurrio un error al consultar el nombre'
)
})
})
})
|
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
namespace Fungus
{
// <summary>
Add force to a Rigidbody2D
</summary>
[CommandInfo("Rigidbody2D",
"AddForce2D",
"Add force to a Rigidbody2D")]
[AddComponentMenu("")]
public class AddForce2D : Command
{
[SerializeField]
protected Rigidbody2DData rb;
[SerializeField]
protected ForceMode2D forceMode = ForceMode2D.Force;
public enum ForceFunction
{
AddForce,
AddForceAtPosition,
AddRelativeForce
}
[SerializeField]
protected ForceFunction forceFunction = ForceFunction.AddForce;
[Tooltip("Vector of force to be added")]
[SerializeField]
protected Vector2Data force;
[Tooltip("Scale factor to be applied to force as it is used.")]
[SerializeField]
protected FloatData forceScaleFactor = new FloatData(1);
[Tooltip("World position the force is being applied from. Used only in AddForceAtPosition")]
[SerializeField]
protected Vector2Data atPosition;
public override void OnEnter()
{
switch (forceFunction)
{
case ForceFunction.AddForce:
rb.Value.AddForce(force.Value * forceScaleFactor.Value, forceMode);
break;
case ForceFunction.AddForceAtPosition:
rb.Value.AddForceAtPosition(force.Value * forceScaleFactor.Value, atPosition.Value, forceMode);
break;
case ForceFunction.AddRelativeForce:
rb.Value.AddRelativeForce(force.Value * forceScaleFactor.Value, forceMode);
break;
default:
break;
}
Continue();
}
public override string GetSummary()
{
return forceMode.ToString() + ": " + force.ToString();
}
public override Color GetButtonColor()
{
return new Color32(235, 191, 217, 255);
}
public override bool HasReference(Variable variable)
{
if (rb.rigidbody2DRef == variable || force.vector2Ref == variable || forceScaleFactor.floatRef == variable ||
atPosition.vector2Ref == variable)
return true;
return false;
}
}
}
|
exports.engine = function(version){
version = version || null;
switch (version){
case null:
case '0.8.2':
return require('./0.8.2').engine;
default:
return null;
}
};
|
/* This is a managed file. Do not delete this comment. */
#include <include/lifecycle.h>
static void echo(lifecycle_Foo this, char* hook) {
corto_state s = corto_stateof(this);
char *stateStr = corto_ptr_str(&s, corto_state_o, 0);
corto_info("callback: %s [%s]",
hook,
stateStr);
free(stateStr);
}
int16_t <API key>(
lifecycle_Foo this)
{
echo(this, "construct");
return 0;
}
void <API key>(
lifecycle_Foo this)
{
echo(this, "define");
}
void <API key>(
lifecycle_Foo this)
{
echo(this, "deinit");
}
void <API key>(
lifecycle_Foo this)
{
echo(this, "delete");
}
void <API key>(
lifecycle_Foo this)
{
echo(this, "destruct");
}
int16_t lifecycle_Foo_init(
lifecycle_Foo this)
{
echo(this, "init");
return 0;
}
void <API key>(
lifecycle_Foo this)
{
echo(this, "update");
}
int16_t <API key>(
lifecycle_Foo this)
{
echo(this, "validate");
return 0;
}
|
class CCipher:
def decode(self, cipherText, shift):
a = ord('A')
decoder = [a + (c - shift if c >= shift else c - shift + 26) for c in range(26)]
plain = [chr(decoder[ord(c) - a]) for c in cipherText]
return ''.join(plain)
|
'use strict';
var Killable = artifacts.require('../contracts/lifecycle/Killable.sol');
require('./helpers/transactionMined.js');
contract('Killable', function(accounts) {
it('should send balance to owner after death', async function() {
let killable = await Killable.new({from: accounts[0], value: web3.toWei('10','ether')});
let owner = await killable.owner();
let initBalance = web3.eth.getBalance(owner);
await killable.kill({from: owner});
let newBalance = web3.eth.getBalance(owner);
assert.isTrue(newBalance > initBalance);
});
});
|
// PCMenuPopView.h
// PCMenuPopDemo
#import <UIKit/UIKit.h>
@class PCMenuPopView;
@protocol <API key> <NSObject>
- (NSInteger)<API key>:(PCMenuPopView *)menuPopView;
//button
- (void)menuPopView:(PCMenuPopView *)menuPopView <API key>:(UIButton *)menuButton index:(NSInteger)index;
//button
- (CGRect)menuPopView:(PCMenuPopView *)menuPopView <API key>:(NSInteger)index;
@end
@interface PCMenuPopView : UIView
@property (nonatomic, strong) UIButton *closeButton;
@property (nonatomic, weak) id<<API key>>delegate;
- (void)showInView:(UIView *)view withPopButton:(UIButton *)popButton;
- (void)hide;
//index
- (CGRect)<API key>:(CGSize)size index:(NSInteger)index;
@end
|
from hwt.synthesizer.rtlLevel.<API key> import <API key>
from hwt.synthesizer.rtlLevel.<API key> import <API key>
from hwt.synthesizer.rtlLevel.<API key> import <API key>
class DummyPlatform():
"""
:note: all processors has to be callable with only one parameter
which is actual Unit/RtlNetlist instance
"""
def __init__(self):
self.beforeToRtl = []
self.beforeToRtlImpl = []
self.afterToRtlImpl = []
self.<API key> = [
<API key>,
<API key>,
<API key>,
]
self.afterToRtl = []
|
using Microsoft.Diagnostics.Tracing;
using System;
using System.Collections.Concurrent;
using System.Diagnostics;
using System.Linq;
using System.Management.Automation;
using System.Reactive.Disposables;
using System.Reactive.Linq;
using System.Threading;
namespace EtwStream.PowerShell
{
[Cmdlet(VerbsCommon.Get, "TraceEventStream", <API key> = "nameOrGuid")]
public class GetTraceEvent : PSCmdlet
{
private CompositeDisposable disposable = new CompositeDisposable();
[Parameter(Position = 0, ParameterSetName = "nameOrGuid", Mandatory = true, ValueFromPipeline = true)]
public string[] NameOrGuid { get; set; }
[ValidateSet(
nameof(<API key>.AspNetEventSource),
nameof(<API key>.<API key>),
nameof(<API key>.<API key>),
nameof(<API key>.<API key>),
nameof(<API key>.PlinqEventSource),
nameof(<API key>.SqlEventSource),
nameof(<API key>.<API key>),
nameof(<API key>.TplEventSource))]
[Parameter(Position = 0, ParameterSetName = "wellKnown", Mandatory = true, ValueFromPipeline = true)]
public string[] <API key> { get; set; }
[ValidateSet(
nameof(IISEventSources.AspDotNetEvents),
nameof(IISEventSources.HttpEvent),
nameof(IISEventSources.HttpLog),
nameof(IISEventSources.HttpService),
nameof(IISEventSources.IISAppHostSvc),
nameof(IISEventSources.IISLogging),
nameof(IISEventSources.IISW3Svc),
nameof(IISEventSources.RuntimeWebApi),
nameof(IISEventSources.RuntimeWebHttp))]
[Parameter(Position = 0, ParameterSetName = "IIS", Mandatory = true, ValueFromPipeline = true)]
public string[] IISEventSource { get; set; }
[Parameter]
public SwitchParameter DumpWithColor { get; set; }
[Parameter]
public TraceEventLevel TraceLevel { get; set; } = TraceEventLevel.Verbose;
private IObservable<TraceEvent> listener = Observable.Empty<TraceEvent>();
protected override void ProcessRecord()
{
switch (ParameterSetName)
{
case "wellKnown":
listener = listener.Merge(<API key>.Select(x => <API key>(x)).Merge());
break;
case "IIS":
listener = listener.Merge(IISEventSource.Select(x => GetIISEventListener(x)).Merge());
break;
default:
listener = listener.Merge(NameOrGuid.Select(x => <API key>.FromTraceEvent(x)).Merge());
break;
}
}
protected override void EndProcessing()
{
var q = new BlockingCollection<Action>();
Exception exception = null;
var d = listener
.Where(x => Process.GetCurrentProcess().Id != x.ProcessID)
.Where(x => x.Level <= TraceLevel)
.Subscribe(
x =>
{
q.Add(() =>
{
var item = new PSTraceEvent(x, Host.UI);
if (DumpWithColor.IsPresent)
{
item.DumpWithColor();
}
else
{
WriteObject(item);
}
WriteVerbose(item.<API key>());
});
},
e =>
{
exception = e;
q.CompleteAdding();
}, q.CompleteAdding);
disposable.Add(d);
var cts = new <API key>();
disposable.Add(new <API key>(cts));
foreach (var act in q.<API key>(cts.Token))
{
act();
}
if (exception != null)
{
<API key>(new ErrorRecord(exception, "1", ErrorCategory.OperationStopped, null));
}
}
protected override void StopProcessing()
{
disposable.Dispose();
}
private IObservable<TraceEvent> <API key>(string <API key>)
{
switch (<API key>)
{
case nameof(<API key>.AspNetEventSource):
return <API key>.FromTraceEvent(<API key>.AspNetEventSource);
case nameof(<API key>.<API key>):
return <API key>.FromTraceEvent(<API key>.<API key>);
case nameof(<API key>.<API key>):
return <API key>.FromTraceEvent(<API key>.<API key>);
case nameof(<API key>.<API key>):
return <API key>.FromTraceEvent(<API key>.<API key>);
case nameof(<API key>.PlinqEventSource):
return <API key>.FromTraceEvent(<API key>.PlinqEventSource);
case nameof(<API key>.SqlEventSource):
return <API key>.FromTraceEvent(<API key>.SqlEventSource);
case nameof(<API key>.<API key>):
return <API key>.FromTraceEvent(<API key>.<API key>);
case nameof(<API key>.TplEventSource):
return <API key>.FromTraceEvent(<API key>.TplEventSource);
default:
return Observable.Empty<TraceEvent>();
}
}
private IObservable<TraceEvent> GetIISEventListener(string iisEventSource)
{
switch (iisEventSource)
{
case nameof(IISEventSources.AspDotNetEvents):
return <API key>.FromTraceEvent(IISEventSources.AspDotNetEvents);
case nameof(IISEventSources.HttpEvent):
return <API key>.FromTraceEvent(IISEventSources.HttpEvent);
case nameof(IISEventSources.HttpLog):
return <API key>.FromTraceEvent(IISEventSources.HttpLog);
case nameof(IISEventSources.HttpService):
return <API key>.FromTraceEvent(IISEventSources.HttpService);
case nameof(IISEventSources.IISAppHostSvc):
return <API key>.FromTraceEvent(IISEventSources.IISAppHostSvc);
case nameof(IISEventSources.IISLogging):
return <API key>.FromTraceEvent(IISEventSources.IISLogging);
case nameof(IISEventSources.IISW3Svc):
return <API key>.FromTraceEvent(IISEventSources.IISW3Svc);
case nameof(IISEventSources.RuntimeWebApi):
return <API key>.FromTraceEvent(IISEventSources.RuntimeWebApi);
case nameof(IISEventSources.RuntimeWebHttp):
return <API key>.FromTraceEvent(IISEventSources.RuntimeWebHttp);
default:
return Observable.Empty<TraceEvent>();
}
}
}
}
|
package com.ipvans.flickrgallery.ui.main;
import android.util.Log;
import com.ipvans.flickrgallery.data.SchedulerProvider;
import com.ipvans.flickrgallery.di.PerActivity;
import com.ipvans.flickrgallery.domain.FeedInteractor;
import com.ipvans.flickrgallery.domain.UpdateEvent;
import java.util.concurrent.TimeUnit;
import javax.inject.Inject;
import io.reactivex.Observable;
import io.reactivex.disposables.CompositeDisposable;
import io.reactivex.disposables.Disposable;
import io.reactivex.subjects.BehaviorSubject;
import io.reactivex.subjects.PublishSubject;
import static com.ipvans.flickrgallery.ui.main.MainViewState.*;
@PerActivity
public class MainPresenterImpl implements MainPresenter<MainViewState> {
private final FeedInteractor interactor;
private final SchedulerProvider schedulers;
private BehaviorSubject<MainViewState> stateSubject = BehaviorSubject.createDefault(empty());
private PublishSubject<UpdateEvent> searchSubject = PublishSubject.create();
private Disposable disposable = new CompositeDisposable();
@Inject
public MainPresenterImpl(FeedInteractor interactor, SchedulerProvider schedulers) {
this.interactor = interactor;
this.schedulers = schedulers;
}
@Override
public void onAttach() {
Observable.combineLatest(searchSubject
.debounce(150, TimeUnit.MILLISECONDS, schedulers.io())
.doOnNext(interactor::getFeed),
interactor.observe(),
(tags, feed) -> new MainViewState(feed.isLoading(),
feed.getError(), feed.getData(), tags.getTags()))
.withLatestFrom(stateSubject,
(newState, oldState) -> new MainViewState(
newState.isLoading(), newState.getError(),
newState.getData() != null ? newState.getData() : oldState.getData(),
newState.getTags()
))
.observeOn(schedulers.io())
.subscribeWith(stateSubject)
.onSubscribe(disposable);
}
@Override
public void onDetach() {
disposable.dispose();
}
@Override
public void restoreState(MainViewState data) {
stateSubject.onNext(data);
}
@Override
public Observable<MainViewState> observe() {
return stateSubject;
}
@Override
public MainViewState getLatestState() {
return stateSubject.getValue();
}
@Override
public void search(String tags, boolean force) {
searchSubject.onNext(new UpdateEvent(tags, force));
}
}
|
package aaron.org.anote.viewbinder;
import android.app.Activity;
import android.os.Bundle;
public class DynamicActivity extends Activity {
@Override
public void onCreate(Bundle savedInstance) {
super.onCreate(savedInstance);
Layout.start(this);
}
}
|
'use strict';
describe('Directive: resize', function () {
// load the directive's module
beforeEach(module('orderDisplayApp'));
var element,
scope;
beforeEach(inject(function ($rootScope) {
scope = $rootScope.$new();
}));
//TODO: Add unit tests
/*it('should change height', inject(function ($compile, $window) {
element = angular.element('<resize></resize>');
element = $compile(element)(scope);
expect(scope.screenHeight).toBe($window.outerHeight);
}));*/
});
|
package net.jenet;
import java.nio.ByteBuffer;
import org.apache.commons.lang.builder.ToStringBuilder;
import org.apache.commons.lang.builder.ToStringStyle;
/**
* Wraps information to be sent through JeNet.
* @author Dizan Vasquez
*/
public class Packet implements IBufferable {
/**
* Indicates that this packet is reliable
*/
public static final int FLAG_RELIABLE = 1;
/**
* Indicates that the packet should be processed no
* matter its order relative to other packets.
*/
public static final int FLAG_UNSEQUENCED = 2;
protected int referenceCount;
protected int flags;
protected ByteBuffer data;
protected int dataLength;
private Packet() {
super();
}
/**
* Creates a new Packet.
* The constructor allocates a new packet and allocates a
* buffer of <code>dataLength</code> bytes for it.
*
* @param dataLength
* The size in bytes of this packet.
* @param flags
* An byte inidicating the how to handle this packet.
*/
public Packet( int dataLength, int flags ) {
data = ByteBuffer.allocateDirect( dataLength );
this.dataLength = dataLength;
this.flags = flags;
}
/**
* Copies this packet's data into the given buffer.
* @param buffer
* Destination buffer
*/
public void toBuffer( ByteBuffer buffer ) {
data.flip();
for ( int i = 0; i < dataLength; i++ ) {
buffer.put( data.get() );
}
}
/**
* Copies part of this packet's data into the given buffer.
* @param buffer
* Destination buffer
* @param offset
* Initial position of the destination buffer
* @param length
* Total number of bytes to copy
*/
public void toBuffer( ByteBuffer buffer, int offset, int length ) {
int position = data.position();
int limit = data.limit();
data.flip();
data.position( offset );
for ( int i = 0; i < length; i++ ) {
buffer.put( data.get() );
}
data.position( position );
data.limit( limit );
}
/**
* Copies the given buffer into this packet's data.
* @ param buffer
* Buffer to copy from
*/
public void fromBuffer( ByteBuffer buffer ) {
data.clear();
for ( int i = 0; i < dataLength; i++ ) {
data.put( buffer.get() );
}
}
/**
* Copies part of the given buffer into this packet's data.
* @param buffer
* Buffer to copy from
* @param fragmentOffset
* Position of the first byte to copy
* @param length
* Total number of bytes to copy
*/
public void fromBuffer( ByteBuffer buffer, int fragmentOffset, int length ) {
data.position( fragmentOffset );
for ( int i = 0; i < length; i++ ) {
data.put( buffer.get() );
}
data.position( dataLength );
data.limit( dataLength );
}
/**
* Returs size of this packet.
* @return Size in bytes of this packet
*/
public int byteSize() {
return dataLength;
}
/**
* Returns the data contained in this packet
* @return Returns the data.
*/
public ByteBuffer getData() {
return data;
}
/**
* Returns the size in bytes of this packet's data
* @return Returns the dataLength.
*/
public int getDataLength() {
return dataLength;
}
/**
* Returns this packet's flags.
* @return Returns the flags.
*/
public int getFlags() {
return flags;
}
/**
* @return Returns the referenceCount.
*/
int getReferenceCount() {
return referenceCount;
}
/**
* Sets the flags for this packet.
* The parameter is an or of the flags <code>FLAG_RELIABLE</code> and <code>FLAG_UNSEQUENCED</code>
* a value of zero indicates an unreliable, sequenced (last one is kept) packet.
* @param flags
* The flags to set.
*/
public void setFlags( int flags ) {
this.flags = flags;
}
/**
* @param referenceCount
* The referenceCount to set.
*/
void setReferenceCount( int referenceCount ) {
this.referenceCount = referenceCount;
}
public String toString() {
return ToStringBuilder.reflectionToString( this, ToStringStyle.MULTI_LINE_STYLE );
}
}
|
'use strict';
angular.module('core').controller('HomeController', ['$scope', 'Authentication', '$http', '$modal','$rootScope',
function($scope, Authentication, $http, $modal, $rootScope) {
// This provides Authentication context.
$scope.authentication = Authentication;
$scope.card = {};
$scope.columnWidth = function() {
return Math.floor((100 / $scope.columns.length) * 100) / 100;
};
$scope.updateCard = function(column, card) {
var modalInstance = $modal.open({
templateUrl: '/modules/core/views/card-details.client.view.html',
controller: modalController,
size: 'lg',
resolve: {
items: function() {
return angular.copy({
title: card.title,
Details: card.details,
release: card.release,
cardColor: card.ragStatus,
column: column,
architect: card.architect,
analyst: card.Analyst,
designer: card.designer,
buildCell: card.buildCell
});
}
}
});
modalInstance.result.then(function(result) {
console.log(result.title);
angular.forEach($scope.columns, function(col) {
if(col.name === column.name) {
angular.forEach(col.cards, function(cd) {
if (cd.title === card.title) {
if (col.name === 'Backlog') {
cd.details = result.Details;
} else {
cd.details = result.Details;
if (result.cardColor) {
cd.ragStatus = '#' + result.cardColor;
} else {
cd.ragStatus = '#5CB85C';
}
cd.release = result.release;
cd.architect = result.architect;
cd.designer = result.designer;
cd.Analyst = result.analyst;
cd.buildCell = result.buildCell
}
}
});
}
});
console.log('modal closed');
}, function() {
console.log('modal dismissed');
});
//setTimeout(function() {
// $scope.$apply(function(){
// console.log('broadcasting event');
// $rootScope.$broadcast('OpenCardDetails', column, card);
//}, 500);
};
var modalController = function($scope, $modalInstance, items) {
$scope.colorOptions = ['5CB85C','FFEB13','FF0000'];
console.log(items.column.name);
$scope.card = items;
$scope.ok = function () {
//events();
$modalInstance.close($scope.card);
};
$scope.cancel = function () {
$modalInstance.dismiss('cancel');
};
};
$scope.$on('OpenCardDetails', function(e, column,card) {
console.log('in broadcast event');
console.log(column.name);
$scope.card = card;
});
$scope.columns = [
{'name': 'Backlog',cards: [{'id': '1', 'title': 'item1', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""},
{'id': '2','title': 'item2', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""},
{'id': '3','title': 'item3', 'drag':true, 'release':"",'ragStatus':'#ffeb13', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""},
{'id': '4','title': 'item4', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""},
{'id': '5','title': 'item5', 'drag':true, 'release':"",'ragStatus':'#ff0000', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""},
{'id': '6','title': 'item6', 'drag':true, 'release':"",'ragStatus':'#5cb85c', 'details':"",'architect':"", 'Analyst':"",'designer':"",'buildCell':""}], 'hideCol':false},
{'name': 'Discovery',cards: [], 'hideCol':false},
{'name': 'Design',cards: [], 'hideCol':false},
{'name': 'Build',cards: [], 'hideCol':false},
{'name': 'Pilot',cards: [], 'hideCol':false}
];
$scope.hiddenCol = function(column) {
angular.forEach($scope.columns, function(col) {
if(col.name === column.name) {
if(column.hideCol === true) {
column.hideCol = false;
} else {
column.hideCol = true;
}
}
});
};
$scope.addCard = function(column) {
angular.forEach($scope.columns, function(col){
if(col.name === column.name) {
column.cards.push({'title': 'item8','drag':true});
}
});
};
$scope.list1 = [
{'title': 'item1', 'drag':true},
{'title': 'item2', 'drag':true},
{'title': 'item3', 'drag':true},
{'title': 'item4', 'drag':true},
{'title': 'item5', 'drag':true},
{'title': 'item6', 'drag':true}
];
$scope.list2 = [];
$scope.sortableOptions = {
//containment: '#sortable-container1'
};
$scope.sortableOptions1 = {
//containment: '#sortable-container2'
};
$scope.removeCard = function(column, card) {
angular.forEach($scope.columns, function(col) {
if (col.name === column.name) {
col.cards.splice(col.cards.indexOf(card), 1);
}
});
};
$scope.<API key> = {
itemMoved: function (event) {
var releaseVar = '';
var columnName = event.dest.sortableScope.$parent.column.name;
if (columnName === 'Backlog') {
releaseVar = '';
} else {
//releaseVar = prompt('Enter Release Info !');
}
angular.forEach($scope.columns, function(col) {
if (col.name === columnName) {
angular.forEach(col.cards, function(card) {
if (card.title === event.source.itemScope.modelValue.title) {
if (releaseVar === ' ' || releaseVar.length === 0) {
releaseVar = 'Rel';
}
card.release = releaseVar;
}
});
}
});
}
};
}
]);
|
/*eslint-disable */
var webpack = require( "webpack" );
var sml = require( "source-map-loader" );
/*eslint-enable */
var path = require( "path" );
module.exports = {
module: {
preLoaders: [
{
test: /\.js$/,
loader: "source-map-loader"
}
],
loaders: [
{ test: /sinon.*\.js/, loader: "imports?define=>false" },
{ test: /\.spec\.js$/, exclude: /node_modules/, loader: "babel-loader" }
],
postLoaders: [ {
test: /\.js$/,
exclude: /(spec|node_modules)\
loader: "<API key>"
} ]
},
resolve: {
alias: {
"when.parallel": "when/parallel",
"when.pipeline": "when/pipeline",
react: "react/dist/react-with-addons.js",
lux: path.join( __dirname, "./lib/lux.js" )
}
}
};
|
import {Component, OnInit} from '@angular/core';
import {ActivityService} from '../../services/activity.service';
import {Activity} from "../../models/activity";
import {BarChartComponent} from "../bar-chart/bar-chart.component";
@Component({
selector: 'records-view',
moduleId: module.id,
templateUrl: 'records-view.component.html',
styleUrls: ['records-view.component.css'],
directives: [BarChartComponent]
})
export class <API key> implements OnInit {
calBurnActs:Activity[];
longestActs:Activity[];
constructor(private activityService:ActivityService) {
}
getData() {
this.activityService.getActivities('totalCalories','desc',6).then(
data => this.calBurnActs = data
);
this.activityService.getActivities('totalDistance','desc',6).then(
data => this.longestActs = data
);
}
ngOnInit() {
this.getData();
}
}
|
from __future__ import (absolute_import, division, print_function,
unicode_literals)
RJUST = 12
def format_fans(fans):
return format_line(prefix='fans'.rjust(RJUST), values=fans)
def format_rpms(rpms):
return format_line(prefix='rpms'.rjust(RJUST), values=rpms)
def format_pwms(pwms):
return format_line(prefix='pwms'.rjust(RJUST), values=pwms)
def format_tmps(tmps):
return format_line(prefix='temps'.rjust(RJUST), values=tmps)
def format_names(names):
return format_line(prefix='names'.rjust(RJUST), values=names)
def format_ports(ports):
return format_line(prefix='ports'.rjust(RJUST), values=ports)
def format_temps(temps):
return format_line(prefix='temps'.rjust(RJUST), values=temps)
def format_ambients(ambients):
return format_line(prefix='ambients'.rjust(RJUST), values=ambients)
def format_limits(limits):
return format_line(prefix='limits'.rjust(RJUST), values=limits)
def format_buffers(buffers):
return format_line(prefix='buffers'.rjust(RJUST), values=buffers)
def format_headrooms(headrooms):
return format_line(prefix='headrooms'.rjust(RJUST), values=headrooms)
def format_directions(directions):
return format_line(prefix='directions'.rjust(RJUST), values=directions)
def format_differences(differences):
return format_line(prefix='differences'.rjust(RJUST), values=differences)
def format_pwms_new(pwms_new):
return format_line(prefix='new pwms'.rjust(RJUST), values=pwms_new)
def format_line(prefix, values):
line = ''
line += prefix
line += ': '
line += '['
for value in values:
try:
if value >= 1:
value = int(round(value, 0))
if 1 > value != 0:
value = str(value)[1:4].ljust(3, '0')
except TypeError:
# value is None
pass
value = str(value) if value is not None else ''
line += value.rjust(6)
line += ', '
line = line[:-len(', ')]
line += ']'
return line
|
/** \file stlsoft/conversion/internal/<API key>.hpp
*
* \brief [C++ only] Explicit specialisations of stlsoft::explicit_cast
* (\ref <API key> "Conversion" Library).
*/
#ifndef <API key>
# error This file is included from within stlsoft/conversion/explicit_cast.hpp, and cannot be included directly
#else
#ifndef <API key>
# define <API key> 4
# define <API key> 0
# define STLSOFT_VER_STLSOFT_CONVERSION_INTERNAL_HPP_EXPLICIT_CAST_SPECIALISATIONS_REVISION 1
# define <API key> 21
#endif /* !<API key> */
/* /////////////////////////////////////////////////////////////////////////
* Auto-generation and compatibility
*/
/*
[<[STLSOFT-AUTO:NO-UNITTEST]>]
[<[STLSOFT-AUTO:NO-DOCFILELABEL]>]
*/
/* /////////////////////////////////////////////////////////////////////////
* Specialisations
*/
<API key>
class explicit_cast<char const&>
{
public:
typedef char value_type;
typedef explicit_cast<char> class_type;
// Construction
public:
explicit_cast(char const& t)
: m_t(t)
{}
// Conversions
public:
operator char const& () const
{
return m_t;
}
// Members
private:
char const& m_t;
};
#ifdef <API key>
<API key>
class explicit_cast<wchar_t const&>
{
public:
typedef wchar_t value_type;
typedef explicit_cast<wchar_t> class_type;
// Construction
public:
explicit_cast(wchar_t const& t)
: m_t(t)
{}
// Conversions
public:
operator wchar_t const& () const
{
return m_t;
}
// Members
private:
wchar_t const& m_t;
};
#endif /* <API key> */
<API key>
class explicit_cast<unsigned char const&>
{
public:
typedef unsigned char value_type;
typedef explicit_cast<unsigned char> class_type;
// Construction
public:
explicit_cast(unsigned char const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned char const& () const
{
return m_t;
}
// Members
private:
unsigned char const& m_t;
};
<API key>
class explicit_cast<signed char const&>
{
public:
typedef signed char value_type;
typedef explicit_cast<signed char> class_type;
// Construction
public:
explicit_cast(signed char const& t)
: m_t(t)
{}
// Conversions
public:
operator signed char const& () const
{
return m_t;
}
// Members
private:
signed char const& m_t;
};
<API key>
class explicit_cast<signed short const&>
{
public:
typedef signed short value_type;
typedef explicit_cast<signed short> class_type;
// Construction
public:
explicit_cast(signed short const& t)
: m_t(t)
{}
// Conversions
public:
operator signed short const& () const
{
return m_t;
}
// Members
private:
signed short const& m_t;
};
<API key>
class explicit_cast<unsigned short const&>
{
public:
typedef unsigned short value_type;
typedef explicit_cast<unsigned short> class_type;
// Construction
public:
explicit_cast(unsigned short const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned short const& () const
{
return m_t;
}
// Members
private:
unsigned short const& m_t;
};
<API key>
class explicit_cast<signed int const&>
{
public:
typedef signed int value_type;
typedef explicit_cast<signed int> class_type;
// Construction
public:
explicit_cast(signed int const& t)
: m_t(t)
{}
// Conversions
public:
operator signed int const& () const
{
return m_t;
}
// Members
private:
signed int const& m_t;
};
<API key>
class explicit_cast<unsigned int const&>
{
public:
typedef unsigned int value_type;
typedef explicit_cast<unsigned int> class_type;
// Construction
public:
explicit_cast(unsigned int const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned int const& () const
{
return m_t;
}
// Members
private:
unsigned int const& m_t;
};
<API key>
class explicit_cast<signed long const&>
{
public:
typedef signed long value_type;
typedef explicit_cast<signed long> class_type;
// Construction
public:
explicit_cast(signed long const& t)
: m_t(t)
{}
// Conversions
public:
operator signed long const& () const
{
return m_t;
}
// Members
private:
signed long const& m_t;
};
<API key>
class explicit_cast<unsigned long const&>
{
public:
typedef unsigned long value_type;
typedef explicit_cast<unsigned long> class_type;
// Construction
public:
explicit_cast(unsigned long const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned long const& () const
{
return m_t;
}
// Members
private:
unsigned long const& m_t;
};
#ifdef <API key>
<API key>
class explicit_cast<signed long long const&>
{
public:
typedef signed long long value_type;
typedef explicit_cast<signed long long> class_type;
// Construction
public:
explicit_cast(signed long long const& t)
: m_t(t)
{}
// Conversions
public:
operator signed long long const& () const
{
return m_t;
}
// Members
private:
signed long long const& m_t;
};
<API key>
class explicit_cast<unsigned long long const&>
{
public:
typedef unsigned long long value_type;
typedef explicit_cast<unsigned long long> class_type;
// Construction
public:
explicit_cast(unsigned long long const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned long long const& () const
{
return m_t;
}
// Members
private:
unsigned long long const& m_t;
};
#elif defined(<API key>)
<API key>
class explicit_cast<signed __int64 const&>
{
public:
typedef signed __int64 value_type;
typedef explicit_cast<signed __int64> class_type;
// Construction
public:
explicit_cast(signed __int64 const& t)
: m_t(t)
{}
// Conversions
public:
operator signed __int64 const& () const
{
return m_t;
}
// Members
private:
signed __int64 const& m_t;
};
<API key>
class explicit_cast<unsigned __int64 const&>
{
public:
typedef unsigned __int64 value_type;
typedef explicit_cast<unsigned __int64> class_type;
// Construction
public:
explicit_cast(unsigned __int64 const& t)
: m_t(t)
{}
// Conversions
public:
operator unsigned __int64 const& () const
{
return m_t;
}
// Members
private:
unsigned __int64 const& m_t;
};
#else
# error 64-bit discrimination not handled correctly
#endif /* 64-bit */
<API key>
class explicit_cast<float const&>
{
public:
typedef float value_type;
typedef explicit_cast<float> class_type;
// Construction
public:
explicit_cast(float const& t)
: m_t(t)
{}
// Conversions
public:
operator float const& () const
{
return m_t;
}
// Members
private:
float const& m_t;
};
<API key>
class explicit_cast<double const&>
{
public:
typedef double value_type;
typedef explicit_cast<double> class_type;
// Construction
public:
explicit_cast(double const& t)
: m_t(t)
{}
// Conversions
public:
operator double const& () const
{
return m_t;
}
// Members
private:
double const& m_t;
};
<API key>
class explicit_cast<long double const&>
{
public:
typedef long double value_type;
typedef explicit_cast<long double> class_type;
// Construction
public:
explicit_cast(long double const& t)
: m_t(t)
{}
// Conversions
public:
operator long double const& () const
{
return m_t;
}
// Members
private:
long double const& m_t;
};
#ifdef <API key>
<API key>
class explicit_cast<bool const&>
{
public:
typedef bool value_type;
typedef explicit_cast<bool> class_type;
// Construction
public:
explicit_cast(bool const& t)
: m_t(t)
{}
// Conversions
public:
operator bool const& () const
{
return m_t;
}
// Members
private:
bool const& m_t;
};
#endif /* <API key> */
#endif /* !<API key> */
/* ///////////////////////////// end of file //////////////////////////// */
|
- (fopen)
- (fgets)
- (fclose)
## fopen
ID
fopen(, );
3,
- r()
- w()
- a()
file01.txt
$fp = fopen('file01.txt', 'r');
## fclose
fopenfopen
fclose($fp);
## fgets
fopen1
fopen,fclose
if (($fp = fopen($filename, 'r')) !== FALSE) {
while (($tmp = fgets($fp)) !== FALSE) {
$data[] = htmlspecialchars($tmp, ENT_QUOTES, 'UTF-8');
}
fclose($fp);
}
11$data1
|
<!DOCTYPE html>
<html>
<head>
<title>JAVASCRIPT BASICS</title>
<meta charset="UTF-8">
<link href="../styles/main.css" rel="stylesheet" type="text/css">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/normalize/3.0.3/normalize.css">
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/skeleton/2.0.4/skeleton.css">
<link rel="stylesheet" href="styles/main.css">
<link href="https://fonts.googleapis.com/css?family=Amatic+SC|Fredericka+the+Great" rel="stylesheet">
</head>
<body>
<h1>JAVASCRIPT BASICS</h1>
<div class="container">
<h4>Technical Blog Part Four</h4>
<h5>Terminology: "Learning the Lingo"</h5>
<strong>How does JavaScript compare to HTML and CSS?</strong>
<p>
<strong><em>JavaScript</em></strong> compares differently to HTML and CSS as it is used for website functionality, this means it is able to process data and tells a page how to behave, where as HTML dictates structure, i.e. how the contents is divided, and CSS dictates style, i.e. how the page looks.
</p>
<strong> Explain control flow and loops using an example process from everyday life.</strong>
<p>
<strong><em>Control flow</em></strong> is the order in which the computer executes statements. <em>Loops</em> offer a quick and easy way to do something repeatedly, changing the control flow of the code. An example of this in daily life would be the process of waking up. The control flow when you wake up is that your alarm goes off, you turn alarm off, you wake up and you take a shower. However as we all know we like to snooze so sometimes when our alarm goes off we will snooze and go back to bed. A loop would then check that we haven't woken up and so the code to take a shower will not run until the condition of us waking up is met. If we are already awake when the alarm goes off the loop will not run at all as the condition has been met.
</p>
<strong>Explain the difference between accessing data from arrays and objects</strong>
<p>
The difference between accessing data from arrays and objects is that data from an array can only be accessed through bracket notation where as data from an object can be accessed with bracket and dot notation. Also I think arrays are ordered so that you can only add/remove the first and last element where as you can add/remove or modify any property within an object as long as you know the property name.
</p>
<strong>Explain what functions are and why they are useful</strong>
<p>
<strong><em>Functions</em></strong> are a way for us to give instructions to the computer more efficiently. Imagine us doing a daily task such as cooking. Our Ingredients(inputs) and meal(output) would differ but our method i.e. cook will be the same. Functions let us tell the computer to perform a set of instructions, without typing it over and over again, we just give it different inputs to get the corresponding output.
</p>
</div>
</body>
<footer>
<p>
<a href="../tblog.html">Back</a>
</p>
</footer>
</html>
|
<h1>Full Sail Landing Page</h1>
<h2>README</h2>
<h3>Objective:</h3>
<p>Recreate a PSD landing page using HTML/CSS/JavaScript for Full Sail University</p>
<h3>Dependencies</h3>
<ul>
<li>Rails</li>
<li>Boostrap</li>
</ul>
<h3>How to run through terminal</h3>
<ul>
<li>Fork project</li>
<li>Clone forked repo/install locally</li>
<li>Bundle install</li>
<li>run "rails s" in the terminal from the root directory of the forked project</li>
<li>Type "localhost:3000" into your browsers search bar to view the project</li>
</ul>
<h3>Designers</h3>
<ul>
<li>Full Sail University</li>
</ul>
<h3>Developers</h3>
<ul>
<li>Christopher Pelnar</li>
</ul>
|
package com.aspose.cloud.sdk.cells.model;
public enum <API key> {
csv,
xlsx,
xlsm,
xltx,
xltm,
text,
html,
pdf,
ods,
xls,
spreadsheetml,
xlsb,
xps,
tiff,
jpeg,
png,
emf,
bmp,
gif
}
|
# Haml Changelog
## 5.0.1
Released on May 3, 2017
([diff](https://github.com/haml/haml/compare/v5.0.0...v5.0.1)).
* Fix parsing attributes including string interpolation. [
* Stop distributing test files in gem package and allow installing on Windows.
* Use ActionView's Erubi/Erubis handler for erb filter only on ActionView. [
## 5.0.0
Released on April 26, 2017
([diff](https://github.com/haml/haml/compare/4.0.7...v5.0.0)).
Breaking Changes
* Haml now requires Ruby 2.0.0 or above.
* Rails 3 is no longer supported, matching the official
[Maintenance Policy for Ruby on Rails](http://weblog.rubyonrails.org/2013/2/24/<API key>/).
(Tee Parham)
* The `haml` command's debug option (`-d`) no longer executes the Haml code, but
rather checks the generated Ruby syntax for errors.
* Drop parser/compiler accessor from `Haml::Engine`. Modify `Haml::Engine#initialize` options
or `Haml::Template.options` instead. (Takashi Kokubun)
* Drop dynamic quotes support and always escape `'` for `escape_html`/`escape_attrs` instead.
Also, escaped results are slightly changed and always unified to the same characters. (Takashi Kokubun)
* Don't preserve newlines in attributes. (Takashi Kokubun)
* HTML escape interpolated code in filters.
[
(Matt Wildig)
:javascript
#{JSON.generate(foo: "bar")}
Haml 4 output: {"foo":"bar"}
Haml 5 output: {"foo":"bar"}
Added
* Add a tracing option. When enabled, Haml will output a data-trace attribute on each tag showing the path
to the source Haml file from which it was generated. Thanks [Alex Babkin](https://github.com/ababkin).
* Add `haml_tag_if` to render a block, conditionally wrapped in another element (Matt Wildig)
* Support Rails 5.1 Erubi template handler.
* Support Sprockets 3. Thanks [Sam Davies](https:
* General performance and memory usage improvements. (Akira Matsuda)
* Analyze attribute values by Ripper and render static attributes beforehand. (Takashi Kokubun)
* Optimize attribute rendering about 3x faster. (Takashi Kokubun)
* Add temple gem as dependency and create `Haml::TempleEngine` class.
Some methods in `Haml::Compiler` are migrated to `Haml::TempleEngine`. (Takashi Kokubun)
Fixed
* Fix for attribute merging. When an attribute method (or literal nested hash)
was used in an old style attribute hash and there is also a (non-static) new
style hash there is an error. The fix can result in different behavior in
some circumstances. See the [commit message](https://github.com/haml/haml/tree/<SHA1-like>)
for detailed info. (Matt Wildig)
* Make escape_once respect hexadecimal references. (Matt Wildig)
* Don't treat the 'data' attribute specially when merging attribute hashes. (Matt Wildig and Norman Clarke)
* Fix #@foo and #$foo style interpolation that was not working in html_safe mode. (Akira Matsuda)
* Allow `@` as tag's class name. Thanks [Joe Bartlett](https://github.com/redoPop).
* Raise `Haml::<API key>` when attribute name includes invalid characters. (Takashi Kokubun)
* Don't ignore unexpected exceptions on initializing `ActionView::OutputBuffer`. (Takashi Kokubun)
## 4.0.7
Released on August 10, 2015
([diff](https://github.com/haml/haml/compare/4.0.6...4.0.7)).
* Significantly improve performance of regexp used to fix whitespace handling in textareas (thanks [Stan Hu](https://github.com/stanhu)).
## 4.0.6
Released on Dec 1, 2014 ([diff](https://github.com/haml/haml/compare/4.0.5...4.0.6)).
* Fix warning on Ruby 1.8.7 "regexp has invalid interval" (thanks [Elia Schito](https://github.com/elia)).
## 4.0.5
Released on Jan 7, 2014 ([diff](https://github.com/haml/haml/compare/4.0.4...4.0.5)).
* Fix haml_concat appending unescaped HTML after a call to haml_tag.
* Fix for bug whereby when HAML :ugly option is "true",
ActionView::Helpers::CaptureHelper::capture returns the whole view buffer
when passed a block that returns nothing (thanks [Mircea
Moise](https://github.com/mmircea16)).
## 4.0.4
Released on November 5, 2013 ([diff](https://github.com/haml/haml/compare/4.0.3...4.0.4)).
* Check for Rails::Railtie rather than Rails (thanks [Konstantin Shabanov](https://github.com/etehtsea)).
* Parser fix to allow literal '#' with suppress_eval (Matt Wildig).
* Helpers#escape_once works on frozen strings (as does
ERB::Util.html_escape_once for which it acts as a replacement in
Rails (thanks [Patrik Metzmacher](https://github.com/patrik)).
* Minor test fix (thanks [Mircea Moise](https://github.com/mmircea16)).
## 4.0.3
Released May 21, 2013 ([diff](https://github.com/haml/haml/compare/4.0.2...4.0.3)).
* Compatibility with newer versions of Rails's Erubis handler.
* Fix Erubis handler for compatibility with Tilt 1.4.x, too.
* Small performance optimization for html_escape.
(thanks [Lachlan Sylvester](https://github.com/lsylvester))
* Documentation fixes.
* Documented some helper methods that were left out of the reference.
(thanks [Shane Riley](https://github.com/shaneriley))
## 4.0.2
Released April 5, 2013 ([diff](https://github.com/haml/haml/compare/4.0.1...4.0.2)).
* Explicitly require Erubis to work around bug in older versions of Tilt.
* Fix :erb filter printing duplicate content in Rails views.
(thanks [Jori Hardman](https://github.com/jorihardman))
* Replace range with slice to reduce objects created by `capture_haml`.
(thanks [Tieg Zaharia](https://github.com/tiegz))
* Correct/improve some documentation.
## 4.0.1
Released March 21, 2013 ([diff](https://github.com/haml/haml/compare/4.0.0...4.0.1)).
* Remove Rails 3.2.3+ textarea hack in favor of a more general solution.
* Fix some performance regressions.
* Fix support for Rails 4 `text_area` helper method.
* Fix data attribute flattening with singleton objects.
(thanks [Alisdair McDiarmid](https://github.com/alisdair))
* Fix support for sass-rails 4.0 beta.
(thanks [Ryunosuke SATO](https://github.com/tricknotes))
* Load "haml/template" in Railtie in order to prevent user options set in a
Rails initializer from being overwritten
* Don't depend on Rails in haml/template to allow using Haml with ActionView
but without Rails itself. (thanks [Hunter Haydel](https://github.com/wedgex))
## 4.0.0
* The Haml executable now accepts an `--autoclose` option. You can now
specify a list of tags that should be autoclosed
* The `:ruby` filter no longer redirects $stdout to the Haml document, as this
is not thread safe. Instead it provides a `haml_io` local variable, which is
an IO object that writes to the document.
* HTML5 is now the default output format rather than XHTML. This was already
the default on Rails 3+, so many users will notice no difference.
* The :sass filter now wraps its output in a style tag, as do the new :less and
:scss filters. The :coffee filter wraps its output in a script tag.
* Haml now supports only Rails 3 and above, and Ruby 1.8.7 and above. If you
still need support for Rails 2 and Ruby 1.8.6, please use Haml 3.1.x which
will continue to be maintained for bug fixes.
* The :javascript and :css filters no longer add CDATA tags when the format is
html4 or html5. This can be overridden by setting the `cdata` option to
`true`. CDATA tags are always added when the format is xhtml.
* HTML2Haml has been extracted to a separate gem, creatively named "html2haml".
* The `:erb` filter now uses Rails's safe output buffer to provide XSS safety.
* Haml's internals have been refactored to move the parser, compiler and options
handling into independent classes, rather than including them all in the
Engine module. You can also specify your own custom Haml parser or compiler
class in Haml::Options in order to extend or modify Haml reasonably easily.
* Add an {file:REFERENCE.md#<API key> `:<API key>`
option} that converts underscores to hyphens in your HTML5 data keys. This is
a language change from 3.1 and is enabled by default.
(thanks to [Andrew Smith](https://github.com/fullsailor))
* All Hash attribute values are now treated as HTML5 data, regardless of key.
Previously only the "data" key was treated this way. Allowing arbitrary keys
means you can now easily use this feature for Aria attributes, among other
uses.
(thanks to [Elvin Efendi](https://github.com/ElvinEfendi))
* Added `remove_whitespace` option to always remove all whitespace around Haml
tags. (thanks to [Tim van der Horst](https://github.com/vdh))
* Haml now flattens deeply nested data attribute hashes. For example:
`.foo{:data => {:a => "b", :c => {:d => "e", :f => "g"}}}`
would render to:
`<div class='foo' data-a='b' data-c-d='e' data-c-f='g'></div>`
(thanks to [Péter Pál Koszta](https://github.com/koszta))
* Filters that rely on third-party template engines are now implemented using
[Tilt](http://github.com/rtomayko/tilt). Several new filters have been added, namely
SCSS (:scss), LessCSS, (:less), and Coffeescript (:coffee/:coffeescript).
Though the list of "official" filters is kept intentionally small, Haml comes
with a helper method that makes adding support for other Tilt-based template
engines trivial.
As of 4.0, Haml will also ship with a "haml-contrib" gem that includes useful
but less-frequently used filters and helpers. This includes several additional
filters such as Nokogiri, Yajl, Markaby, and others.
* Generate object references based on `#to_key` if it exists in preference to
`
* Performance improvements.
(thanks to [Chris Heald](https://github.com/cheald))
* Helper `list_of` takes an extra argument that is rendered into list item
attributes.
(thanks [Iain Barnett](http://iainbarnett.me.uk/))
* Fix parser to allow lines ending with `some_method?` to be a Ruby multinline.
(thanks to [Brad Ediger](https://github.com/bradediger))
* Always use :xhtml format when the mime_type of the rendered template is
'text/xml'.
(thanks to [Stephen Bannasch](https://github.com/stepheneb))
* html2haml now includes an `--html-attributes` option.
(thanks [Stefan Natchev](https://github.com/snatchev))
* Fix for inner whitespace removal in loops.
(thanks [Richard Michael](https://github.com/richardkmichael))
* Use numeric character references rather than HTML entities when escaping
double quotes and apostrophes in attributes. This works around some bugs in
Internet Explorer earlier than version 9.
(thanks [Doug Mayer](https://github.com/doxavore))
* Fix multiline silent comments: Haml previously did not allow free indentation
inside multline silent comments.
* Fix ordering bug with partial layouts on Rails.
(thanks [Sam Pohlenz](https://github.com/spohlenz))
* Add command-line option to suppress script evaluation.
* It's now possible to use Rails's asset helpers inside the Sass and SCSS
filters. Note that to do so, you must make sure sass-rails is loaded in
production, usually by moving it out of the assets gem group.
* The Haml project now uses [semantic versioning](http://semver.org/).
## 3.2.0
The Haml 3.2 series was released only as far as 3.2.0.rc.4, but then was
renamed to Haml 4.0 when the project adopted semantic versioning.
## 3.1.8
* Fix for line numbers reported from exceptions in nested blocks
(thanks to Grant Hutchins & Sabrina Staedt).
## 3.1.7
* Fix for compatibility with Sass 3.2.x.
(thanks [Michael Westbom](https://github.com/totallymike)).
## 3.1.6
* In indented mode, don't reindent buffers that contain preserved tags, and
provide a better workaround for Rails 3.2.3's textarea helpers.
## 3.1.5
* Respect Rails' `html_safe` flag when escaping attribute values
(thanks to [Gerad Suyderhoud](https://github.com/gerad)).
* Fix for Rails 3.2.3 textarea helpers
(thanks to [James Coleman](https://github.com/jcoleman) and others).
## 3.1.4
* Fix the use of `FormBuilder#block` with a label in Haml.
* Fix indentation after a self-closing tag with dynamic attributes.
## 3.1.3
* Stop partial layouts from being displayed twice.
## 3.1.2
* If the ActionView `#capture` helper is used in a Haml template but without any Haml being run in the block,
return the value of the block rather than the captured buffer.
* Don't throw errors when text is nested within comments.
* Fix html2haml.
* Fix an issue where destructive modification was sometimes performed on Rails SafeBuffers.
* Use character code entities for attribute value replacements instead of named/keyword entities.
## 3.1.1
* Update the vendored Sass to version 3.1.0.
## 3.1.0
* Don't add a `type` attribute to `<script>` and `<style>` tags generated by filters
when `:format` is set to `:html5`.
* Add an {file:HAML_REFERENCE.md#escape_attrs-option `:escape_attrs` option}
that allows attributes to either remain unescaped
(for things like embedding PHP directives in Haml)
or to be always escaped rather than `#escape_once`d.
This can also be used from the command line via `--no-escape-attrs`.
* Allow custom filters to be loaded from the command line.
Backwards Incompatibilities -- Must Read!
* Get rid of the `--rails` flag for the `haml` executable.
This flag hasn't been necessary since Rails 2.0.
Existing Rails 2.0 installations will continue to work.
* Drop support for Hpricot 0.7. 0.8 has been out for nearly two years.
## 3.0.25
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.25).
* HTML-to-Haml conversion now works within Ruby even if Hpricot is loaded before `haml/html`.
## 3.0.24
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.24).
* `html2haml` now properly generates Haml for silent script expressions
nested within blocks.
* IronRuby compatibility. This is sort of a hack: IronRuby reports its version as 1.9,
but it doesn't support the encoding APIs, so we treat it as 1.8 instead.
## 3.0.23
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.23).
* Fix the error message for unloadable modules when running the executables under Ruby 1.9.2.
* Fix an error when combining old-style and new-style attributes.
## 3.0.22
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.22).
* Allow an empty line after `case` but before `when`.
* Remove `vendor/sass`, which snuck into the gem by mistake
and was causing trouble for Heroku users (thanks to [Jacques Crocker](http://railsjedi.com/)).
* Support the Rails 3.1 template handler API.
## 3.0.21
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.21).
* Fix the permissions errors for good.
## 3.0.20
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.20).
* Fix some permissions errors.
## 3.0.19
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.19).
* Fix the `:encoding` option under Ruby 1.9.2.
* Fix interpolated if statement when HTML escaping is enabled.
* Allow the `--unix-newlines` flag to work on Unix, where it's a no-op.
## 3.0.18
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.18).
* Don't require `rake` in the gemspec, for bundler compatibility under
JRuby. Thanks to [Gordon McCreight](http:
* Get rid of the annoying RDoc errors on install.
* Disambiguate references to the `Rails` module when `haml-rails` is installed.
* Fix a bug in `haml_tag` that would allow duplicate attributes to be added
and make `data-` attributes not work.
* Compatibility with Rails 3 final.
## 3.0.17
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.17).
* Understand that mingw counts as Windows.
## 3.0.16
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.16).
* Fix an html2haml ERB-parsing bug where ERB blocks were occasionally
left without indentation in Haml.
* Fix parsing of `if` and `case` statements whose values were assigned to variables.
This is still bad style, though.
* Fix `form_for` and `form_tag` when they're passed a block that
returns a string in a helper.
## 3.0.15
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.15).
There were no changes made to Haml between versions 3.0.14 and 3.0.15.
## 3.0.14
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.14).
* Allow CSS-style classes and ids to contain colons.
* Fix an obscure bug with if statements.
Rails 3 Support
* Don't use the `#returning` method, which Rails 3 no longer provides.
## 3.0.13
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.13).
## Rails 3 Support
Support for Rails 3 versions prior to beta 4 has been removed.
Upgrade to Rails 3.0.0.beta4 if you haven't already.
Minor Improvements
* Properly process frozen strings with encoding declarations.
## 3.0.12
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.12).
## Rails 3 Support
Apparently the last version broke in new and exciting ways under Rails 3,
due to the inconsistent load order caused by certain combinations of gems.
3.0.12 hacks around that inconsistency, and *should* be fully Rails 3-compatible.
Deprecated: Rails 3 Beta 3
Haml's support for Rails 3.0.0.beta.3 has been deprecated.
Haml 3.0.13 will only support 3.0.0.beta.4.
## 3.0.11
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.11).
## 3.0.10
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.10).
Appengine-JRuby Support
The way we determine the location of the Haml installation
no longer breaks the version of JRuby
used by [`appengine-jruby`](http://code.google.com/p/appengine-jruby/).
Bug Fixes
* Single-line comments are now handled properly by `html2haml`.
## 3.0.9
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.9).
There were no changes made to Haml between versions 3.0.8 and 3.0.9.
A bug in Gemcutter caused the gem to be uploaded improperly.
## 3.0.8
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.8).
* Fix a bug with Rails versions prior to Rails 3.
## 3.0.7
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.7).
Encoding Support
Haml 3.0.7 adds support for Ruby-style `-# coding:` comments
for declaring the encoding of a template.
For details see {file:HAML_REFERENCE.md#encodings the reference}.
This also slightly changes the behavior of Haml when the
{file:HAML_REFERENCE.md#encoding-option `:encoding` option} is not set.
Rather than defaulting to `"utf-8"`,
it defaults to the encoding of the source document,
and only falls back to `"utf-8"` if this encoding is `"us-ascii"`.
The `haml` executable also now takes an `-E` option for specifying encoding,
which works the same way as Ruby's `-E` option.
Other Changes
* Default to the {file:HAML_REFERENCE.md#format-option `:html5` format}
when running under Rails 3,
since it defaults to HTML5 as well.
Bug Fixes
* When generating Haml for something like `<span>foo</span>,`,
use `= succeed` rather than `- succeed` (which doesn't work).
## 3.0.6
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.6).
Rails 2.3.7 Support
This release fully supports Rails 2.3.7.
Rails 2.3.6 Support Removed
Rails 2.3.6 was released with various bugs related to XSS-protection
and interfacing with Haml.
Rails 2.3.7 was released shortly after with fixes for these bugs.
Thus, Haml no longer supports Rails 2.3.6,
and anyone using it should upgrade to 2.3.7.
Attempting to use Haml with Rails 2.3.6 will cause an error.
## 3.0.5
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.5).
Rails 2.3.6 Support
This release hacks around various bugs in Rails 2.3.6,
bringing Haml up to full compatibility.
Rails 3 Support
Make sure the `#capture` helper in Rails 3
doesn't print its value directly to the template.
## 3.0.4
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.4).
There were no changes made to Haml between versions 3.0.3 and 3.0.4.
## 3.0.3
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.3).
Rails 3 Support
In order to make some Rails loading errors easier to debug,
Sass will now raise an error if `Rails.root` is `nil` when Sass is loading.
Previously, this would just cause the paths to be mis-set.
## 3.0.2
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.2).
There were no changes made to Haml between versions 3.0.1 and 3.0.2.
## 3.0.1
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.1).
Installation in Rails
`haml --rails` is no longer necessary for installing Haml in Rails.
Now all you need to do is add `gem "haml"` to the Gemfile for Rails 3,
or add `config.gem "haml"` to `config/environment.rb` for previous versions.
`haml --rails` will still work,
but it has been deprecated and will print an error message.
It will not work in the next version of Haml.
Rails Test Speed
The {file:HAML_REFERENCE.md#ugly-option `:ugly` option} is now on by default
in the testing environment in Rails to help tests run faster.
## 3.0.0
[Tagged on GitHub](http://github.com/nex3/haml/commit/3.0.0).
Backwards Incompatibilities: Must Read!
* The `puts` helper has been removed.
Use {Haml::Helpers#haml\_concat} instead.
More Useful Multiline
Ruby code can now be wrapped across multiple lines
as long as each line but the last ends in a comma.
For example:
= link_to_remote "Add to cart",
:url => { :action => "add", :id => product.id },
:update => { :success => "cart", :failure => "error" }
`haml_tag` and `haml_concat` Improvements
# `haml_tag` with CSS Selectors
The {Haml::Helpers#haml_tag haml\_tag} helper can now take a string
using the same class/id shorthand as in standard Haml code.
Manually-specified class and id attributes are merged,
again as in standard Haml code.
For example:
haml_tag('#foo') #=> <div id='foo' />
haml_tag('.bar') #=> <div class='bar' />
haml_tag('span#foo.bar') #=> <span class='bar' id='foo' />
haml_tag('span#foo.bar', :class => 'abc') #=> <span class='abc bar' id='foo' />
haml_tag('span#foo.bar', :id => 'abc') #=> <span class='bar' id='abc_foo' />
Cheers, [S. Burkhard](http://github.com/hasclass/).
# `haml_tag` with Multiple Lines of Content
The {Haml::Helpers#haml_tag haml\_tag} helper also does a better job
of formatting tags with multiple lines of content.
If a tag has multiple levels of content,
that content is indented beneath the tag.
For example:
haml_tag(:p, "foo\nbar")
# foo
# bar
# `haml_tag` with Multiple Lines of Content
Similarly, the {Haml::Helpers#haml_concat haml\_concat} helper
will properly indent multiple lines of content.
For example:
haml_tag(:p) {haml_concat "foo\nbar"}
# foo
# bar
# `haml_tag` and `haml_concat` with `:ugly`
When the {file:HAML_REFERENCE.md#ugly-option `:ugly` option} is enabled,
{Haml::Helpers#haml_tag haml\_tag} and {Haml::Helpers#haml_concat haml\_concat}
won't do any indentation of their arguments.
Basic Tag Improvements
* It's now possible to customize the name used for {file:HAML_REFERENCE.md#object_reference_ object reference}
for a given object by implementing the `haml_object_ref` method on that object.
This method should return a string that will be used in place of the class name of the object
in the generated class and id.
Thanks to [Tim Carey-Smith](http://twitter.com/halorgium).
* All attribute values may be non-String types.
Their `#to_s` method will be called to convert them to strings.
Previously, this only worked for attributes other than `class`.
`:class` and `:id` Attributes Accept Ruby Arrays
In an attribute hash, the `:class` attribute now accepts an Array
whose elements will be converted to strings and joined with <nobr>`" "`</nobr>.
Likewise, the `:id` attribute now accepts an Array
whose elements will be converted to strings and joined with `"_"`.
The array will first be flattened and any elements that do not test as true
will be stripped out. For example:
.column{:class => [@item.type, @item == @sortcol && [:sort, @sortdir]] }
could render as any of:
class="column numeric sort ascending"
class="column numeric"
class="column sort descending"
class="column"
depending on whether `@item.type` is `"numeric"` or `nil`,
whether `@item == @sortcol`,
and whether `@sortdir` is `"ascending"` or `"descending"`.
A single value can still be specified.
If that value evaluates to false it is ignored;
otherwise it gets converted to a string.
For example:
.item{:class => @item.is_empty? && "empty"}
could render as either of:
class="item"
class="item empty"
Thanks to [Ronen Barzel](http:
HTML5 Custom Data Attributes
Creating an attribute named `:data` with a Hash value
will generate [HTML5 custom data attributes](http://www.whatwg.org/specs/web-apps/current-work/multipage/elements.html#<API key>).
For example:
%div{:data => {:author_id => 123, :post_id => 234}}
Will compile to:
<div data-author_id='123' data-post_id='234'></div>
Thanks to [John Reilly](http://twitter.com/johnreilly).
More Powerful `:autoclose` Option
The {file:HAML_REFERENCE.md#attributes_option `:attributes`} option
can now take regular expressions that specify which tags to make self-closing.
`--<API key>` Option
The Haml executable now has a `--<API key>` option (short form: `-q`)
that causes attributes to use a double-quote mark rather than single-quote.
Thanks to [Charles Roper](http://charlesroper.com/).
`:css` Filter
Haml now supports a {file:HAML_REFERENCE.md#css-filter `:css` filter}
that surrounds the filtered text with `<style>` and CDATA tags.
`haml-spec` Integration
We've added the <API key> tests from the [haml-spec](http://github.com/norman/haml-spec) project
to the standard Haml test suite, to be sure we remain compatible with the base functionality
of the many and varied [Haml implementations](http://en.wikipedia.org/wiki/Haml#Implementations).
Ruby 1.9 Support
* Haml and `html2haml` now produce more descriptive errors
when given a template with invalid byte sequences for that template's encoding,
including the line number and the offending character.
* Haml and `html2haml` now accept Unicode documents with a
[byte-order-mark](http://en.wikipedia.org/wiki/Byte_order_mark).
Rails Support
* When `form_for` is used with `=`, or `form_tag` is used with `=` and a block,
they will now raise errors explaining that they should be used with `-`.
This is similar to how {Haml::Helpers#haml\_concat} behaves,
and will hopefully clear up some difficult bugs for some users.
Rip Support
Haml is now compatible with the [Rip](http://hellorip.com/) package management system.
Thanks to [Josh Peek](http://joshpeek.com/).
`html2haml` Improvements
* Ruby blocks within ERB are now supported.
The Haml code is properly indented and the `end`s are removed.
This includes methods with blocks and all language constructs
such as `if`, `begin`, and `case`.
For example:
<% content_for :footer do %>
<p>Hi there!</p>
<% end %>
is now transformed into:
- content_for :footer do
%p Hi there!
Thanks to [Jack Chen](http:
for inspiring this and creating the first draft of the code.
* Inline HTML text nodes are now transformed into inline Haml text.
For example, `<p>foo</p>` now becomes `%p foo`, whereas before it became:
%p
foo
The same is true for inline comments,
and inline ERB when running in ERB mode:
`<p><%= foo %></p>` will now become `%p= foo`.
* ERB included within text is now transformed into Ruby interpolation.
For example:
<p>
Foo <%= bar %> baz!
Flip <%= bang %>.
</p>
is now transformed into:
%p
Foo #{bar} baz!
Flip #{bang}.
* `<script>` tags are now transformed into `:javascript` filters,
and `<style>` tags into `:css` filters.
and indentation is preserved.
For example:
<script type="text/javascript">
function foo() {
return 12;
}
</script>
is now transformed into:
:javascript
function foo() {
return 12;
}
* `<pre>` and `<textarea>` tags are now transformed into the `:preserve` filter.
For example:
<pre>Foo
bar
baz</pre>
is now transformed into:
%pre
:preserve
Foo
bar
baz
* Self-closing tags (such as `<br />`) are now transformed into
self-closing Haml tags (like `%br/`).
* IE conditional comments are now properly parsed.
* Attributes are now output in a more-standard format,
without spaces within the curly braces
(e.g. `%p{:foo => "bar"}` as opposed to `%p{ :foo => "bar" }`).
* IDs and classes containing `#` and `.` are now output as string attributes
(e.g. `%p{:class => "foo.bar"}`).
* Attributes are now sorted, to maintain a deterministic order.
* `>` or {Haml::Helpers#succeed #succeed} are inserted where necessary
when inline formatting is used.
* Multi-line ERB statements are now properly indented,
and those without any content are removed.
Minor Improvements
* {Haml::Helpers#capture_haml capture\_haml} is now faster when using `:ugly`.
Thanks to [Alf Mikula](http://alfmikula.blogspot.com/).
* Add an `RDFa` doctype shortcut.
## 2.2.24
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.24).
* Don't prevent ActiveModel form elements from having error formatting applied.
* Make sure `form_for` blocks are properly indented under Rails 3.0.0.beta.3.
* Don't activate a bug in the `dynamic_form` plugin under Rails 3.0.0.beta.3
that would cause its methods not to be loaded.
## 2.2.23
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.23).
* Don't crash when `rake gems` is run in Rails with Haml installed.
Thanks to [Florian Frank](http://github.com/flori).
* Don't remove `\n` in filters with interpolation.
* Silence those annoying `"regexp match /.../n against to UTF-8 string"` warnings.
## 2.2.22
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.22).
* Add a railtie so Haml and Sass will be automatically loaded in Rails 3.
Thanks to [Daniel Neighman](http://pancakestacks.wordpress.com/).
* Add a deprecation message for using `-` with methods like `form_for`
that return strings in Rails 3.
This is [the same deprecation that exists in Rails 3](http://github.com/rails/rails/commit/<SHA1-like>).
* Make sure line numbers are reported correctly when filters are being used.
* Make loading the gemspec not crash on read-only filesystems like Heroku's.
* Don't crash when methods like `form_for` return `nil` in, for example, Rails 3 beta.
* Compatibility with Rails 3 beta's RJS facilities.
## 2.2.21
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.21).
* Fix a few bugs in the <API key> in Haml::Version.
In particular, it will still work if `git gc` has been called recently,
or if various files are missing.
* Always use `__FILE__` when reading files within the Haml repo in the `Rakefile`.
According to [this bug report](http://github.com/carlhuda/bundler/issues/issue/44),
this should make Haml work better with Bundler.
* Make the error message for `- end` a little more intuitive based on user feedback.
* Compatibility with methods like `form_for`
that return strings rather than concatenate to the template in Rails 3.
* Add a {Haml::Helpers#with_tabs with_tabs} helper,
which sets the indentation level for the duration of a block.
## 2.2.20
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.20).
* The `form_tag` Rails helper is now properly marked as HTML-safe
when using Rails' XSS protection with Rails 2.3.5.
* Calls to `defined?` shouldn't interfere with Rails' autoloading
in very old versions (1.2.x).
* Fix a bug where calls to ActionView's `render` method
with blocks and layouts wouldn't work under the Rails 3.0 beta.
* Fix a bug where the closing tags of nested calls to \{Haml::Helpers#haml\_concat}
were improperly escaped under the Rails 3.0 beta.
## 2.2.19
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.19).
* Fix a bug with the integration with Rails' XSS support.
In particular, correctly override `safe_concat`.
## 2.2.18
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.18).
* Support [the new XSS-protection API](http://yehudakatz.com/2010/02/01/<API key>/)
used in Rails 3.
* Use `Rails.env` rather than `RAILS_ENV` when running under Rails 3.0.
Thanks to [Duncan Grazier](http://duncangrazier.com/).
* Add a `--unix-newlines` flag to all executables
for outputting Unix-style newlines on Windows.
* Fix a couple bugs with the `:erb` filter:
make sure error reporting uses the correct line numbers,
and allow multi-line expressions.
* Fix a parsing bug for HTML-style attributes including `
## 2.2.17
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.17).
* Fix compilation of HTML5 doctypes when using `html2haml`.
* `nil` values for Sass options are now ignored,
rather than raising errors.
## 2.2.16
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.16).
* Abstract out references to `ActionView::TemplateError`,
`ActionView::TemplateHandler`, etc.
These have all been renamed to `ActionView::Template::*`
in Rails 3.0.
## 2.2.15
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.15).
* Allow `if` statements with no content followed by `else` clauses.
For example:
- if foo
- else
bar
## 2.2.14
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.14).
* Don't print warnings when escaping attributes containing non-ASCII characters
in Ruby 1.9.
* Don't crash when parsing an XHTML Strict doctype in `html2haml`.
* Support the HTML5 doctype in an XHTML document
by using `!!! 5` as the doctype declaration.
## 2.2.13
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.13).
* Allow users to specify {file:HAML_REFERENCE.md#encoding_option `:encoding => "ascii-8bit"`}
even for templates that include non-ASCII byte sequences.
This makes Haml templates not crash when given non-ASCII input
that's marked as having an ASCII encoding.
* Fixed an incompatibility with Hpricot 0.8.2, which is used for `html2haml`.
## 2.2.12
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.12).
There were no changes made to Haml between versions 2.2.11 and 2.2.12.
## 2.2.11
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.11).
* Fixed a bug with XSS protection where HTML escaping would raise an error
if passed a non-string value.
Note that this doesn't affect any HTML escaping when XSS protection is disabled.
* Fixed a bug in outer-whitespace nuking where whitespace-only Ruby strings
blocked whitespace nuking beyond them.
* Use `ensure` to protect the resetting of the Haml output buffer
against exceptions that are raised within the compiled Haml code.
* Fix an error line-numbering bug that appeared if an error was thrown
within loud script (`=`).
This is not the best solution, as it disables a few optimizations,
but it shouldn't have too much effect and the optimizations
will hopefully be re-enabled in version 2.4.
* Don't crash if the plugin skeleton is installed and `rake gems:install` is run.
* Don't use `RAILS_ROOT` directly.
This no longer exists in Rails 3.0.
Instead abstract this out as `Haml::Util.rails_root`.
This changes makes Haml fully compatible with edge Rails as of this writing.
## 2.2.10
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.10).
* Fixed a bug where elements with dynamic attributes and no content
would have too much whitespace between the opening and closing tag.
* Changed `rails/init.rb` away from loading `init.rb` and instead
have it basically copy the content.
This allows us to transfer the proper binding to `Haml.init_rails`.
* Make sure Haml only tries to enable XSS protection integration
once all other plugins are loaded.
This allows it to work properly when Haml is a gem
and the `rails_xss` plugin is being used.
* Mark the return value of Haml templates as HTML safe.
This makes Haml partials work with Rails' XSS protection.
## 2.2.9
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.9).
* Fixed a bug where Haml's text was concatenated to the wrong buffer
under certain circumstances.
This was mostly an issue under Rails when using methods like `capture`.
* Fixed a bug where template text was escaped when there was interpolation in a line
and the `:escape_html` option was enabled. For example:
Foo < Bar #{"<"} Baz
with `:escape_html` used to render as
Foo &lt; Bar < Baz
but now renders as
Foo < Bar < Baz
Rails XSS Protection
Haml 2.2.9 supports the XSS protection in Rails versions 2.3.5+.
There are several components to this:
* If XSS protection is enabled, Haml's {file:HAML_REFERENCE.md#escape_html-option `:escape_html`}
option is set to `true` by default.
* Strings declared as HTML safe won't be escaped by Haml,
including the {file:Haml/Helpers.html#<API key> `#html_escape`} helper
and `&=` if `:escape_html` has been disabled.
* Haml helpers that generate HTML are marked as HTML safe,
and will escape their input if it's not HTML safe.
## 2.2.8
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.8).
* Fixed a potential XSS issue with HTML escaping and wacky Unicode nonsense.
This is the same as [the issue fixed in Rails](http://groups.google.com/group/<API key>/browse_thread/thread/48ab3f4a2c16190f) a bit ago.
## 2.2.7
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.7).
* Fixed an `html2haml` issue where ERB attribute values
weren't HTML-unescaped before being transformed into Haml.
* Fixed an `html2haml` issue where `#{}` wasn't escaped
before being transformed into Haml.
* Add `<code>` to the list of tags that's
{file:HAML_REFERENCE.md#preserve-option automatically <API key>}.
* Fixed a bug with `end` being followed by code in silent scripts -
it no longer throws an error when it's nested beneath tags.
* Fixed a bug with inner whitespace-nuking and conditionals.
The `else` et al. clauses of conditionals are now properly
whitespace-nuked.
## 2.2.6
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.6).
* Made the error message when unable to load a dependency for html2haml
respect the `--trace` option.
* Don't crash when the `__FILE__` constant of a Ruby file is a relative path,
as apparently happens sometimes in TextMate
(thanks to [Karl Varga](http://github.com/kjvarga)).
* Add "Sass" to the `--version` string for the executables.
* Raise an exception when commas are omitted in static attributes
(e.g. `%p{:foo => "bar" :baz => "bang"}`).
## 2.2.5
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.5).
* Got rid of trailing whitespace produced when opening a conditional comment
(thanks to [Norman Clarke](http://blog.njclarke.com/)).
* Fixed CSS id concatenation when a numeric id is given as an attribute.
(thanks to [Norman Clarke](http://blog.njclarke.com/)).
* Fixed a couple bugs with using "-end" in strings.
## 2.2.4
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.4).
* Allow `end` to be used for silent script when it's followed by code.
For example:
- form_for do
- end if @show_form
This isn't very good style, but we're supporting it for consistency's sake.
* Don't add `require 'rubygems'` to the top of init.rb when installed
via `haml --rails`. This isn't necessary, and actually gets
clobbered as soon as haml/template is loaded.
## 2.2.3
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.3).
Haml 2.2.3 adds support for the JRuby bundling tools
for Google AppEngine, thanks to [Jan Ulbrich](http://github.com/ulbrich).
## 2.2.2
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.2).
Haml 2.2.2 is a minor bugfix release, with several notable changes.
First, {file:Haml/Helpers.html#<API key> `haml_concat`}
will now raise an error when used with `=`.
This has always been incorrect behavior,
and in fact has never actually worked.
The only difference is that now it will fail loudly.
Second, Ruby 1.9 is now more fully supported,
especially with the {file:HAML_REFERENCE.md#<API key> new attribute syntax}.
Third, filters are no longer escaped when the {file:HAML_REFERENCE.md#escape_html-option `:escape_html` option}
is enabled and `#{}` interpolation is used.
## 2.2.1
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.1).
Haml 2.2.1 is a minor bug-fix release.
## 2.2.0
[Tagged on GitHub](http://github.com/nex3/haml/commit/2.2.0).
Haml 2.2 adds several new features to the language,
fixes several bugs, and dramatically improves performance
(particularly when running with {file:HAML_REFERENCE.md#ugly-option `:ugly`} enabled).
Syntax Changes
# HTML-Style Attribute Syntax
Haml 2.2 introduces a new syntax for attributes
based on the HTML syntax.
For example:
%a(href="http://haml.info" title="Haml's so cool!")
%img(src="/images/haml.png" alt="Haml")
There are two main reasons for this.
First, the hash-style syntax is very Ruby-specific.
There are now [Haml implementations](http://en.wikipedia.org/wiki/Haml#Implementations)
in many languages, each of which has its own syntax for hashes
(or dicts or associative arrays or whatever they're called).
The HTML syntax will be adopted by all of them,
so you can feel comfortable using Haml in whichever language you need.
Second, the hash-style syntax is quite verbose.
`%img{:src => "/images/haml.png", :alt => "Haml"}`
is eight characters longer than `%img(src="/images/haml.png" alt="Haml")`.
Haml's supposed to be about writing templates quickly and easily;
HTML-style attributes should help out a lot with that.
Ruby variables can be used as attribute values by omitting quotes.
Local variables or instance variables can be used.
For example:
%a(title=@title href=href) Stuff
This is the same as:
%a{:title => @title, :href => href} Stuff
Because there are no commas separating attributes,
more complicated expressions aren't allowed.
You can use `#{}` interpolation to insert complicated expressions
in a HTML-style attribute, though:
%span(class="widget_#{@widget.number}")
# Multiline Attributes
In general, Haml tries to keep individual elements on a single line.
There is a [multiline syntax](#multiline) for overflowing onto further lines,
but it's intentionally awkward to use to encourage shorter lines.
However, there is one case where overflow is reasonable: attributes.
Often a tag will simply have a lot of attributes, and in this case
it makes sense to allow overflow.
You can now stretch an attribute hash across multiple lines:
%script{:type => "text/javascript",
:src => "javascripts/script_#{2 + 7}"}
This also works for HTML-style attributes:
%script(type="text/javascript"
src="javascripts/script_#{2 + 7}")
Note that for hash-style attributes, the newlines must come after commas.
# Universal interpolation
In Haml 2.0, you could use `==` to interpolate Ruby code
within a line of text using `
In Haml 2.2, the `==` is unnecessary;
`#{}` can be used in any text.
For example:
%p This is a really cool #{h what_is_this}!
But is it a #{h what_isnt_this}?
In addition, to {file:HAML_REFERENCE.md#escaping_html escape} or {file:HAML_REFERENCE.md#unescaping_html unescape}
the interpolated code, you can just add `&` or `!`, respectively,
to the beginning of the line:
%p& This is a really cool #{what_is_this}!
& But is it a #{what_isnt_this}?
# Flexible indentation
Haml has traditionally required its users to use two spaces of indentation.
This is the universal Ruby style, and still highly recommended.
However, Haml now allows any number of spaces or even tabs for indentation,
provided:
* Tabs and spaces are not mixed
* The indentation is consistent within a given document
New Options
# `:ugly`
The `:ugly` option is not technically new;
it was introduced in Haml 2.0 to make rendering deeply nested templates less painful.
However, it's been greatly empowered in Haml 2.2.
It now does all sorts of performance optimizations
that couldn't be done before,
and its use increases Haml's performance dramatically.
It's enabled by default in production in Rails,
and it's highly recommended for production environments
in other frameworks.
# `:encoding` {#encoding-option}
This option specifies the encoding of the Haml template
when running under Ruby 1.9. It defaults to `Encoding.default_internal` or `"utf-8"`.
This is useful for making sure that you don't get weird
encoding errors when dealing with non-ASCII input data.
Deprecations
# `Haml::Helpers#puts`
This helper is being deprecated for the obvious reason
that it conflicts with the `Kernel#puts` method.
I'm ashamed I ever chose this name.
Use `haml_concat` instead and spare me the embarrassment.
# `= haml_tag`
A lot of people accidentally use "`= haml_tag`".
This has always been wrong; `haml_tag` outputs directly to the template,
and so should be used as "`- haml_tag`".
Now it raises an error when you use `=`.
Compatibility
# Rails
Haml 2.2 is fully compatible with Rails,
from 2.0.6 to the latest revision of edge, 783db25.
# Ruby 1.9
Haml 2.2 is also fully compatible with Ruby 1.9.
It supports Ruby 1.9-style attribute hashes,
and handles encoding-related issues
(see [the `:encoding` option](#encoding-option)).
Filters
# `:markdown`
There are numerous improvements to the Markdown filter.
No longer will Haml attempt to use RedCloth's inferior Markdown implementation.
Instead, it will look for all major Markdown implementations:
[RDiscount](https://github.com/rtomayko/rdiscount),
[RPeg-Markdown](https://github.com/rtomayko/rpeg-markdown),
[Maruku](http://maruku.rubyforge.org),
and [BlueCloth](http:
# `:cdata`
There is now a `:cdata` filter for wrapping text in CDATA tags.
# `:sass`
The `:sass` filter now uses options set in `Sass::Plugin`,
if they're available.
Executables
# `haml`
The `haml` executable now takes `-r` and `-I` flags
that act just like the same flags for the `ruby` executable.
This allows users to load helper files when using Haml
from the command line.
It also takes a `--debug` flag that causes it to spit out
the Ruby code that Haml generates from the template.
This is more for my benefit than anything,
but you may find it interesting.
# `html2haml`
The `html2haml` executable has undergone significant improvements.
Many of these are bugfixes, but there are also a few features.
For one, it now understands CDATA tags and autodetects ERB files.
In addition, a line containing just "`- end`" is now a Haml error;
since it's not possible for `html2haml` to properly parse all Ruby blocks,
this acts as a signal for the author that there are blocks
to be dealt with.
Miscellaneous
# XHTML Mobile DTD
Haml 2.2 supports a DTD for XHTML Mobile: `!!! Mobile`.
# YARD
All the documentation for Haml 2.2, including this changelog,
has been moved to [YARD](http://yard.soen.ca).
YARD is an excellent documentation system,
and allows us to write our documentation in [Maruku](http://maruku.rubyforge.org),
which is also excellent.
>>>> External Changes
|
# -*- coding: utf-8 -*-
import datetime
from south.db import db
from south.v2 import SchemaMigration
from django.db import models
class Migration(SchemaMigration):
def forwards(self, orm):
# Adding model 'Package'
db.create_table(u'api_package', (
(u'id', self.gf('django.db.models.fields.AutoField')(primary_key=True)),
('name', self.gf('django.db.models.fields.CharField')(unique=True, max_length=500, db_index=True)),
('url', self.gf('django.db.models.fields.CharField')(unique=True, max_length=500)),
('created_at', self.gf('django.db.models.fields.DateField')(auto_now_add=True, blank=True)),
))
db.send_create_signal(u'api', ['Package'])
# Adding unique constraint on 'Package', fields ['name', 'url']
db.create_unique(u'api_package', ['name', 'url'])
def backwards(self, orm):
# Removing unique constraint on 'Package', fields ['name', 'url']
db.delete_unique(u'api_package', ['name', 'url'])
# Deleting model 'Package'
db.delete_table(u'api_package')
models = {
u'api.package': {
'Meta': {'unique_together': "(('name', 'url'),)", 'object_name': 'Package'},
'created_at': ('django.db.models.fields.DateField', [], {'auto_now_add': 'True', 'blank': 'True'}),
u'id': ('django.db.models.fields.AutoField', [], {'primary_key': 'True'}),
'name': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '500', 'db_index': 'True'}),
'url': ('django.db.models.fields.CharField', [], {'unique': 'True', 'max_length': '500'})
}
}
complete_apps = ['api']
|
from __future__ import absolute_import
import matplotlib
# Force matplotlib to not use any Xwindows backend.
matplotlib.use('Agg')
import matplotlib.pyplot as plt
from plotly.tests.utils import compare_dict
from plotly.tests.test_optional.optional_utils import run_fig
from plotly.tests.test_optional.test_matplotlylib.data.annotations import *
def test_annotations():
fig, ax = plt.subplots()
ax.plot([1, 2, 3], 'b-')
ax.plot([3, 2, 1], 'b-')
ax.text(0.001, 0.999,
'top-left', transform=ax.transAxes, va='top', ha='left')
ax.text(0.001, 0.001,
'bottom-left', transform=ax.transAxes, va='baseline', ha='left')
ax.text(0.999, 0.999,
'top-right', transform=ax.transAxes, va='top', ha='right')
ax.text(0.999, 0.001,
'bottom-right', transform=ax.transAxes, va='baseline', ha='right')
renderer = run_fig(fig)
for data_no, data_dict in enumerate(renderer.plotly_fig['data']):
equivalent, msg = compare_dict(data_dict,
ANNOTATIONS['data'][data_no])
assert equivalent, msg
for no, note in enumerate(renderer.plotly_fig['layout']['annotations']):
equivalent, msg = compare_dict(note,
ANNOTATIONS['layout']['annotations'][no])
assert equivalent, msg
|
const { environment } = require('@rails/webpacker')
const webpack = require('webpack')
// excluding node_modules from being transpiled by babel-loader.
environment.loaders.delete("nodeModules");
environment.plugins.prepend('Provide',
new webpack.ProvidePlugin({
$: 'jquery',
jQuery: 'jquery',
jquery: "jquery",
Popper: ['popper.js', 'default']
}))
// const aliasConfig = {
// 'jquery': 'jquery-ui-dist/external/jquery/jquery.js',
// 'jquery-ui': 'jquery-ui-dist/jquery-ui.js'
// environment.config.set('resolve.alias', aliasConfig);
// resolve-url-loader must be used before sass-loader
// https://github.com/rails/webpacker/blob/master/docs/css.md#resolve-url-loader
environment.loaders.get("sass").use.splice(-1, 0, {
loader: "resolve-url-loader"
});
module.exports = environment
|
from distutils.core import setup
setup(
# Application name:
name="streaker",
# Version number (initial):
version="0.0.1",
# Application author details:
author="Aldi Alimucaj",
author_email="aldi.alimucaj@gmail.com",
# Packages
packages=["streaker"],
scripts=['bin/streaker'],
# Include additional files into the package
<API key>=True,
# Details
url="http://pypi.python.org/pypi/Streaker_v001/",
license="MIT",
description="GitHub streak manipulator",
# long_description=open("README.txt").read(),
# Dependent packages (distributions)
install_requires=[
],
)
|
const ResponseMessage = require('../../messages').Response;
const through2 = require('through2');
const xtend = require('xtend');
var defaults = {
ignore_invalid: false
};
function encoder(Message, options) {
options = xtend(defaults, options || {});
return through2.obj(function(message, enc, callback) {
if (Message.verify(message)) {
if (options.ignore_invalid) {
return this.queue(message);
}
throw new Error('unhandled request');
}
return callback(null, Message.encodeDelimited(message).finish());
});
}
module.exports = function () {
return encoder(ResponseMessage);
};
|
<?php
namespace CoreBundle\Model\map;
use \RelationMap;
use \TableMap;
/**
* This class defines the structure of the 'list_holidays' table.
*
*
*
* This map class is used by Propel to do runtime db structure discovery.
* For example, the createSelectSql() method checks the type of a given column used in an
* ORDER BY clause to know whether it needs to apply SQL to make the ORDER BY case-insensitive
* (i.e. if it's a text column type).
*
* @package propel.generator.src.CoreBundle.Model.map
*/
class <API key> extends TableMap
{
/**
* The (dot-path) name of this class
*/
const CLASS_NAME = 'src.CoreBundle.Model.map.<API key>';
/**
* Initialize the table attributes, columns and validators
* Relations are not initialized by this method since they are lazy loaded
*
* @return void
* @throws PropelException
*/
public function initialize()
{
// attributes
$this->setName('list_holidays');
$this->setPhpName('ListHolidays');
$this->setClassname('CoreBundle\\Model\\ListHolidays');
$this->setPackage('src.CoreBundle.Model');
$this->setUseIdGenerator(true);
// columns
$this->addPrimaryKey('id', 'Id', 'INTEGER', true, null, null);
$this->addColumn('date', 'Date', 'TIMESTAMP', true, null, null);
$this->addColumn('name', 'Name', 'VARCHAR', true, 45, null);
$this->addColumn('type', 'Type', 'VARCHAR', true, 45, null);
// validators
} // initialize()
/**
* Build the RelationMap objects for this table relationships
*/
public function buildRelations()
{
} // buildRelations()
} // <API key>
|
'use strict';
import { List } from 'immutable';
import * as <API key> from './<API key>';
import ApiDataInstance from './api-data-instance';
import <API key> from './<API key>';
import ENTITY from './entities';
import merge from 'lodash/merge';
const _ = {
merge,
}
const <API key> = '__ANNOTATION__=';
let defaultBlockTagMap = {
'atomic': `<div>%content%</div>`,
'blockquote': `<blockquote>%content%</blockquote>`,
'code-block': `<code>%content%</code>`,
'default': `<p>%content%</p>`,
'header-one': `<h1>%content%</h1>`,
'header-two': `<h2>%content%</h2>`,
'header-three': `<h3>%content%</h3>`,
'header-four': `<h4>%content%</h4>`,
'header-five': `<h5>%content%</h5>`,
'header-six': `<h6>%content%</h6>`,
'ordered-list-item': `<li>%content%</li>`,
'paragraph': `<p>%content%</p>`,
'unordered-list-item': `<li>%content%</li>`,
'unstyled': `<p>%content%</p>`,
};
let inlineTagMap = {
BOLD: ['<strong>', '</strong>'],
CODE: ['<code>', '</code>'],
default: ['<span>', '</span>'],
ITALIC: ['<em>', '</em>'],
UNDERLINE: ['<u>', '</u>'],
};
let defaultEntityTagMap = {
[ENTITY.ANNOTATION.type]: ['<abbr title="<%= data.pureAnnotationText %>"><%= data.text %>', '</abbr>'],
[ENTITY.AUDIO.type]: ['<div class="audio-container"><div class="audio-title"><%= data.title %></div><div class="audio-desc"><%= data.description %></div><audio src="<%= data.url %>" />', '</div>'],
[ENTITY.BLOCKQUOTE.type]: ['<blockquote><div><%= data.quote %></div><div><%= data.quoteBy %></div>', '<blockquote>'],
[ENTITY.EMBEDDEDCODE.type]: ['<div><%= data.embeddedCode%>', '</div>'],
[ENTITY.INFOBOX.type]: ['<div class="info-box-container"><div class="info-box-title"><%= data.title %></div><div class="info-box-body"><%= data.body %></div>', '</div>'],
[ENTITY.LINK.type]: ['<a target="_blank" href="<%= data.url %>">', '</a>'],
[ENTITY.IMAGE.type]: ['<img alt="<%= data.description %>" src="<%= data.url %>">', '</img>'],
[ENTITY.IMAGELINK.type]: ['<img alt="<%= data.description %>" src="<%= data.url %>">', '</img>'],
[ENTITY.SLIDESHOW.type]: ['<!-- slideshow component start --> <ol class="slideshow-container"> <% if(!data) { data = []; } data.forEach(function(image) { %><li class="slideshow-slide"><img src="<%- image.url %>" /></li><% }); %>', '</ol><!-- slideshow component end -->'],
[ENTITY.IMAGEDIFF.type]: ['<!-- imageDiff component start --> <ol class="<API key>"> <% if(!data) { data = []; } data.forEach(function(image, index) { if (index > 1) { return; } %><li class="image-diff-item"><img src="<%- image.url %>" /></li><% }); %>', '</ol><!-- imageDiff component end-->'],
[ENTITY.YOUTUBE.type]: ['<iframe width="560" height="315" src="https:
};
let nestedTagMap = {
'ordered-list-item': ['<ol>', '</ol>'],
'unordered-list-item': ['<ul>', '</ul>'],
};
function _convertInlineStyle (block, entityMap, blockTagMap, entityTagMap) {
return blockTagMap[block.type] ? blockTagMap[block.type].replace(
'%content%',
<API key>.convertToHtml(inlineTagMap, entityTagMap, entityMap, block)
) : blockTagMap.default.replace(
'%content%',
<API key>.convertToHtml(inlineTagMap, block)
);
}
function <API key> (blocks, entityMap, blockTagMap, entityTagMap) {
let html = '';
let nestLevel = []; // store the list type of the previous item: null/ol/ul
blocks.forEach((block) => {
// create tag for <ol> or <ul>: deal with ordered/unordered list item
// if the block is a list-item && the previous block is not a list-item
if (nestedTagMap[block.type] && nestLevel[0] !== block.type) {
html += nestedTagMap[block.type][0]; // start with <ol> or <ul>
nestLevel.unshift(block.type);
}
// end tag with </ol> or </ul>: deal with ordered/unordered list item
if (nestLevel.length > 0 && nestLevel[0] !== block.type) {
html += nestedTagMap[nestLevel.shift()][1]; // close with </ol> or </ul>
}
html += _convertInlineStyle(block, entityMap, blockTagMap, entityTagMap);
});
// end tag with </ol> or </ul>: or if it is the last block
if (blocks.length > 0 && nestedTagMap[blocks[blocks.length - 1].type]) {
html += nestedTagMap[nestLevel.shift()][1]; // close with </ol> or </ul>
}
return html;
}
function <API key> (blocks, entityMap, entityTagMap) {
let apiDataArr = List();
let content = [];
let nestLevel = [];
blocks.forEach((block) => {
// block is not a list-item
if (!nestedTagMap[block.type]) {
// if previous block is a list-item
if (content.length > 0 && nestLevel.length > 0) {
apiDataArr = apiDataArr.push(new ApiDataInstance({ type: nestLevel[0], content: content }));
content = [];
nestLevel.shift();
}
if (block.type.startsWith('atomic') || block.type.startsWith('media')) {
apiDataArr = apiDataArr.push(<API key>.convertBlock(entityMap, block));
} else {
let converted = <API key>.convertToHtml(inlineTagMap, entityTagMap, entityMap, block);
let type = block.type;
// special case for block containing annotation entity
// set this block type as annotation
if (converted.indexOf(<API key>) > -1) {
type = ENTITY.ANNOTATION.type.toLowerCase();
}
apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: type, content: [converted] }));
}
} else {
let converted = <API key>.convertToHtml(inlineTagMap, entityTagMap, entityMap, block);
// previous block is not an item-list block
if (nestLevel.length === 0) {
nestLevel.unshift(block.type);
content.push(converted);
} else if (nestLevel[0] === block.type) {
// previous block is a item-list and current block is the same item-list
content.push(converted);
} else if (nestLevel[0] !== block.type) {
// previous block is a different item-list.
apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: nestLevel[0], content: content }));
content = [converted];
nestLevel[0] = block.type;
}
}
});
// last block is a item-list
if (blocks.length > 0 && nestLevel.length > 0) {
let block = blocks[blocks.length - 1];
apiDataArr = apiDataArr.push(new ApiDataInstance({ id: block.key, type: block.type, content: content }));
}
return apiDataArr;
}
function convertRawToHtml (raw, blockTagMap, entityTagMap) {
blockTagMap = _.merge({}, defaultBlockTagMap, blockTagMap);
entityTagMap = entityTagMap || defaultEntityTagMap;
let html = '';
raw = raw || {};
const blocks = Array.isArray(raw.blocks) ? raw.blocks : [];
const entityMap = typeof raw.entityMap === 'object' ? raw.entityMap : {};
html = <API key>(blocks, entityMap, blockTagMap, entityTagMap);
return html;
}
function convertRawToApiData (raw) {
let apiData;
raw = raw || {};
const blocks = Array.isArray(raw.blocks) ? raw.blocks : [];
const entityMap = typeof raw.entityMap === 'object' ? raw.entityMap : {};
let entityTagMap = _.merge({}, defaultEntityTagMap, {
// special handling for annotation entity
// annotation entity data will be included in the speical comment.
[ENTITY.ANNOTATION.type]: [`<!--${<API key>}<%= JSON.stringify(data) %>--><!--`, '-->'],
});
apiData = <API key>(blocks, entityMap, entityTagMap);
return apiData;
}
export default {
convertToHtml: convertRawToHtml,
convertToApiData: convertRawToApiData,
};
|
-- Host: 127.0.0.1
-- SO del servidor: Win64
/*!40101 SET @<API key>=@@<API key> */;
/*!40101 SET NAMES utf8mb4 */;
/*!40014 SET @<API key>=@@FOREIGN_KEY_CHECKS, FOREIGN_KEY_CHECKS=0 */;
/*!40101 SET @OLD_SQL_MODE=@@SQL_MODE, SQL_MODE='<API key>' */;
-- Volcando estructura para tabla ironfist_areslands.laravel_migrations
CREATE TABLE IF NOT EXISTS `laravel_migrations` (
`bundle` varchar(50) COLLATE utf8_bin NOT NULL,
`name` varchar(200) COLLATE utf8_bin NOT NULL,
`batch` int(11) NOT NULL,
PRIMARY KEY (`bundle`,`name`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8 COLLATE=utf8_bin;
/*!40101 SET SQL_MODE=IFNULL(@OLD_SQL_MODE, '') */;
/*!40014 SET FOREIGN_KEY_CHECKS=IF(@<API key> IS NULL, 1, @<API key>) */;
/*!40101 SET <API key>=@<API key> */;
|
db_config = YAML.load(File.read(ROOT_DIR + '/../config/database.yaml'))['production']
ActiveRecord::Base.<API key>(db_config)
class Node < ActiveRecord::Base
has_many :cidrs
has_one :limit
def flow_id
self.id + 10
end
def mark_in
$config['iptables']['mark_prefix_in'] + "%04d" % self.id
end
def mark_out
$config['iptables']['mark_prefix_out'] + "%04d" % self.id
end
end
class Cidr < ActiveRecord::Base
belongs_to :node
end
class Limit < ActiveRecord::Base
belongs_to :node
end
|
using System;
using System.Runtime.InteropServices;
using System.Text;
namespace CSharpGL
{
public partial class GL
{
#region OpenGL 2.0
// Constants
// <summary>
// </summary>
//public const uint <API key> = 0x8009;
// <summary>
// </summary>
//public const uint <API key> = 0x8622;
// <summary>
// </summary>
//public const uint <API key> = 0x8623;
// <summary>
// </summary>
//public const uint <API key> = 0x8624;
// <summary>
// </summary>
//public const uint <API key> = 0x8625;
// <summary>
// </summary>
//public const uint <API key> = 0x8626;
<summary>
</summary>
public const uint <API key> = 0x8642;
// <summary>
// </summary>
//public const uint <API key> = 0x8645;
// <summary>
// </summary>
//public const uint <API key> = 0x8800;
// <summary>
// </summary>
//public const uint <API key> = 0x8801;
// <summary>
// </summary>
//public const uint <API key> = 0x8802;
// <summary>
// </summary>
//public const uint <API key> = 0x8803;
// <summary>
// </summary>
//public const uint GL_MAX_DRAW_BUFFERS = 0x8824;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER0 = 0x8825;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER1 = 0x8826;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER2 = 0x8827;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER3 = 0x8828;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER4 = 0x8829;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER5 = 0x882A;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER6 = 0x882B;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER7 = 0x882C;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER8 = 0x882D;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER9 = 0x882E;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER10 = 0x882F;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER11 = 0x8830;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER12 = 0x8831;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER13 = 0x8832;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER14 = 0x8833;
// <summary>
// </summary>
//public const uint GL_DRAW_BUFFER15 = 0x8834;
// <summary>
// </summary>
//public const uint <API key> = 0x883D;
// <summary>
// </summary>
//public const uint <API key> = 0x8869;
// <summary>
// </summary>
//public const uint <API key> = 0x886A;
// <summary>
// </summary>
//public const uint <API key> = 0x8872;
<summary>
</summary>
public const uint GL_FRAGMENT_SHADER = 0x8B30;
<summary>
</summary>
public const uint GL_VERTEX_SHADER = 0x8B31;
<summary>
</summary>
public const uint <API key> = 0x8E88;
<summary>
</summary>
public const uint <API key> = 0x8E87;
<summary>
</summary>
public const uint <API key> = 0x8B49;
<summary>
</summary>
public const uint <API key> = 0x8B4A;
<summary>
</summary>
public const uint <API key> = 0x8B4B;
<summary>
</summary>
public const uint <API key> = 0x8B4C;
<summary>
</summary>
public const uint <API key> = 0x8B4D;
<summary>
</summary>
public const uint GL_SHADER_TYPE = 0x8B4F;
<summary>
</summary>
public const uint GL_FLOAT_VEC2 = 0x8B50;
<summary>
</summary>
public const uint GL_FLOAT_VEC3 = 0x8B51;
<summary>
</summary>
public const uint GL_FLOAT_VEC4 = 0x8B52;
<summary>
</summary>
public const uint GL_INT_VEC2 = 0x8B53;
<summary>
</summary>
public const uint GL_INT_VEC3 = 0x8B54;
<summary>
</summary>
public const uint GL_INT_VEC4 = 0x8B55;
<summary>
</summary>
public const uint GL_BOOL = 0x8B56;
<summary>
</summary>
public const uint GL_BOOL_VEC2 = 0x8B57;
<summary>
</summary>
public const uint GL_BOOL_VEC3 = 0x8B58;
<summary>
</summary>
public const uint GL_BOOL_VEC4 = 0x8B59;
<summary>
</summary>
public const uint GL_FLOAT_MAT2 = 0x8B5A;
<summary>
</summary>
public const uint GL_FLOAT_MAT3 = 0x8B5B;
<summary>
</summary>
public const uint GL_FLOAT_MAT4 = 0x8B5C;
<summary>
</summary>
public const uint GL_SAMPLER_1D = 0x8B5D;
<summary>
</summary>
public const uint GL_SAMPLER_2D = 0x8B5E;
<summary>
</summary>
public const uint GL_SAMPLER_3D = 0x8B5F;
<summary>
</summary>
public const uint GL_SAMPLER_CUBE = 0x8B60;
<summary>
</summary>
public const uint <API key> = 0x8B61;
<summary>
</summary>
public const uint <API key> = 0x8B62;
<summary>
</summary>
public const uint GL_DELETE_STATUS = 0x8B80;
<summary>
</summary>
public const uint GL_COMPILE_STATUS = 0x8B81;
<summary>
</summary>
public const uint GL_LINK_STATUS = 0x8B82;
<summary>
</summary>
public const uint GL_VALIDATE_STATUS = 0x8B83;
<summary>
</summary>
public const uint GL_INFO_LOG_LENGTH = 0x8B84;
<summary>
</summary>
public const uint GL_ATTACHED_SHADERS = 0x8B85;
<summary>
</summary>
public const uint GL_ACTIVE_UNIFORMS = 0x8B86;
<summary>
</summary>
public const uint <API key> = 0x8B87;
<summary>
</summary>
public const uint <API key> = 0x8B88;
<summary>
</summary>
public const uint <API key> = 0x8B89;
<summary>
</summary>
public const uint <API key> = 0x8B8A;
<summary>
</summary>
public const uint <API key> = 0x8B8B;
<summary>
</summary>
public const uint <API key> = 0x8B8C;
<summary>
</summary>
public const uint GL_CURRENT_PROGRAM = 0x8B8D;
<summary>
</summary>
public const uint <API key> = 0x8CA0;
<summary>
</summary>
public const uint GL_LOWER_LEFT = 0x8CA1;
<summary>
</summary>
public const uint GL_UPPER_LEFT = 0x8CA2;
<summary>
</summary>
public const uint GL_STENCIL_BACK_REF = 0x8CA3;
<summary>
</summary>
public const uint <API key> = 0x8CA4;
<summary>
</summary>
public const uint <API key> = 0x8CA5;
#endregion OpenGL 2.0
}
}
|
package ch.hesso.master.caldynam;
import android.app.Fragment;
import android.app.FragmentManager;
import android.app.FragmentTransaction;
import android.graphics.Outline;
import android.os.Bundle;
import android.support.v4.widget.DrawerLayout;
import android.support.v7.app.ActionBarActivity;
import android.support.v7.widget.Toolbar;
import android.util.Log;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.view.ViewOutlineProvider;
import android.view.animation.Animation;
import android.view.animation.Transformation;
import android.widget.Toast;
import ch.hesso.master.caldynam.ui.fragment.FoodAddFragment;
import ch.hesso.master.caldynam.ui.fragment.FoodCatalogFragment;
import ch.hesso.master.caldynam.ui.fragment.FoodViewFragment;
import ch.hesso.master.caldynam.ui.fragment.LoggingFragment;
import ch.hesso.master.caldynam.ui.fragment.<API key>;
import ch.hesso.master.caldynam.ui.fragment.SummaryFragment;
import ch.hesso.master.caldynam.ui.fragment.<API key>;
import me.drakeet.materialdialog.MaterialDialog;
public class MainActivity extends ActionBarActivity implements
<API key>.<API key>,
SummaryFragment.<API key>,
<API key>.<API key>,
LoggingFragment.<API key>,
FoodCatalogFragment.<API key>,
FoodAddFragment.<API key>,
FoodViewFragment.<API key> {
private Fragment fragment = null;
/**
* Fragment managing the behaviors, interactions and presentation of the navigation drawer.
*/
private <API key> <API key>;
/**
* Used to store the last screen title. For use in {@link #updateToolbar()}.
*/
private CharSequence mTitle;
private Toolbar mToolbar;
private View mFabButton;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
// Handle Toolbar
mToolbar = (Toolbar) findViewById(R.id.toolbar);
setSupportActionBar(mToolbar);
getSupportActionBar().<API key>(true);
getSupportActionBar().<API key>(true);
// Handle different Drawer States :D
// mDrawerLayout.setDrawerListener(<API key>);
// Fab Button
mFabButton = findViewById(R.id.fab_button);
mFabButton.setOnClickListener(fabClickListener);
mFabButton.setOutlineProvider(new ViewOutlineProvider() {
@Override
public void getOutline(View view, Outline outline) {
int size = getResources().<API key>(R.dimen.fab_size);
outline.setOval(0, 0, size, size);
}
});
<API key> = (<API key>) getFragmentManager().findFragmentById(R.id.navigation_drawer);
<API key>.setUp(
R.id.navigation_drawer,
(DrawerLayout) findViewById(R.id.drawer_layout)
);
updateToolbar();
mTitle = getTitle();
}
@Override
public void <API key>(int position) {
switch (position) {
case 0:
fragment = SummaryFragment.newInstance();
break;
case 1:
fragment = <API key>.newInstance();
break;
case 2:
fragment = LoggingFragment.newInstance();
break;
case 3:
fragment = FoodCatalogFragment.newInstance();
break;
}
getFragmentManager().popBackStack(null, FragmentManager.<API key>);
loadFragment(fragment, false);
}
View.OnClickListener fabClickListener = new View.OnClickListener() {
@Override
public void onClick(View view) {
Toast.makeText(MainActivity.this, "New data", Toast.LENGTH_SHORT).show();
}
};
public void onSectionAttached(int resourceId) {
mTitle = (resourceId != 0) ? getString(resourceId) : null;
}
public void updateToolbar() {
if (mTitle != null) {
mToolbar.setTitle(mTitle);
}
resizeToolbar(<API key>.isToolbarLarge() ? 1.0f : 0.0f);
mFabButton.setAlpha(<API key>.isFABVisible() ? 1.0f : 0.0f);
}
@Override
public boolean onCreateOptionsMenu(Menu menu) {
if (!<API key>.isDrawerOpen()) {
// Only show items in the action bar relevant to this screen
// if the drawer is not showing. Otherwise, let the drawer
// decide what to show in the action bar.
if (fragment != null) {
fragment.onCreateOptionsMenu(menu, getMenuInflater());
}
//getMenuInflater().inflate(R.menu.main, menu);
updateToolbar();
return true;
}
return super.onCreateOptionsMenu(menu);
}
/**
* Handle action bar item clicks here. The action bar will
* automatically handle clicks on the Home/Up button, so long
* as you specify a parent activity in AndroidManifest.xml.
*
* @param item
* @return
*/
@Override
public boolean <API key>(MenuItem item) {
int id = item.getItemId();
fragment.<API key>(item);
if (id == R.id.action_about) {
showAboutDialog();
return true;
}
return super.<API key>(item);
}
@Override
public void onBackPressed(){
FragmentManager fm = getFragmentManager();
if (fm.<API key>() > 0) {
Log.d(Constants.PROJECT_NAME, "Popping backstack");
fm.<API key>();
this.fragment = getActiveFragment();
} else {
Log.d(Constants.PROJECT_NAME, "Nothing on backstack, calling super");
super.onBackPressed();
}
}
private void showAboutDialog() {
View contentView = LayoutInflater.from(this)
.inflate(R.layout.<API key>, null);
final MaterialDialog aboutDialog = new MaterialDialog(this);
aboutDialog
.setContentView(contentView)
.setPositiveButton(getString(R.string.ok), new View.OnClickListener() {
@Override
public void onClick(View v) {
aboutDialog.dismiss();
}
});
aboutDialog.show();
}
public Fragment getActiveFragment() {
if (getFragmentManager().<API key>() == 0) {
return null;
}
String tag = getFragmentManager()
.getBackStackEntryAt(getFragmentManager().<API key>() - 1)
.getName();
return getFragmentManager().findFragmentByTag(tag);
}
public void loadFragment(Fragment fragment) {
loadFragment(fragment, true);
}
public void loadFragment(Fragment fragment, boolean addToBackStack) {
this.fragment = fragment;
String tag = fragment.getClass().getSimpleName();
final FragmentTransaction ft = getFragmentManager().beginTransaction();
ft.replace(R.id.container, this.fragment, tag);
if (addToBackStack) {
Log.d("Fragment", tag);
ft.addToBackStack(tag);
}
ft.commit();
// Replace current menu with the fragment menu
this.<API key>();
}
public void resizeToolbar(float offset) {
float minSize = mToolbar.getMinimumHeight();
float maxSize = getResources().getDimension(R.dimen.<API key>);
ViewGroup.LayoutParams layout = mToolbar.getLayoutParams();
layout.height = (int) (minSize + (maxSize - minSize) * offset);
mToolbar.requestLayout();
}
public View getAddButton() {
return mFabButton;
}
/**
* an animation for resizing the view.
*/
private class ResizeAnimation extends Animation {
private View mView;
private float mToHeight;
private float mFromHeight;
private float mToWidth;
private float mFromWidth;
public ResizeAnimation(View v, float fromWidth, float fromHeight, float toWidth, float toHeight) {
mToHeight = toHeight;
mToWidth = toWidth;
mFromHeight = fromHeight;
mFromWidth = fromWidth;
mView = v;
setDuration(300);
}
@Override
protected void applyTransformation(float interpolatedTime, Transformation t) {
float height = (mToHeight - mFromHeight) * interpolatedTime + mFromHeight;
float width = (mToWidth - mFromWidth) * interpolatedTime + mFromWidth;
ViewGroup.LayoutParams p = mView.getLayoutParams();
p.height = (int) height;
p.width = (int) width;
mView.requestLayout();
}
}
}
|
default:
@echo "'make check'" for tests
@echo "'make check-cov'" for tests with coverage
@echo "'make lint'" for source code checks
@echo "'make ckpatch'" to check a patch
@echo "'make clean'" to clean generated files
@echo "'make man'" to generate sphinx documentation
@echo "'make update-requirements'" to update the requirements files
.PHONY: check
check:
pytest --verbose
.PHONY: check-cov
check-cov:
pytest --verbose --with-cov libqtile --cov-report term-missing
.PHONY: lint
lint:
flake8 ./libqtile bin/q* ./test
.PHONY: ckpatch
ckpatch: lint check
.PHONY: clean
clean:
-rm -rf dist qtile.egg-info docs/_build build/
# This is a little ugly: we want to be able to have users just run
# 'python setup.py install' to install qtile, but we would also like to install
# the man pages. I can't figure out a way to have the 'build' target invoke the
# 'build_sphinx' target as well, so we commit the man pages, since they are
# used in the 'install' target.
.PHONY: man
man:
python setup.py build_sphinx -b man
|
# encoding: utf-8
class DocsController < <API key>
get '/doc' do
before_all
haml :docs, :layout => :'layouts/main'
end
end
|
// <API key>.h
// scanreader
#import <UIKit/UIKit.h>
@interface <API key> : UIViewController
@end
|
#include <iostream>
#include <string>
#include <tuple>
std::tuple<int,int> wczytaj_liczby();
int main ()
{
std::string opcja;
do {
int a,b;
std::cout << "wybierz opcje przeliczania" << std::endl;
std::cout << "dodawanie, odejmowanie, mnozenie czy dzielenie?" << std::endl;
std::cin >> opcja;
if (opcja=="dodawanie"){
std::tie(a,b)=wczytaj_liczby();
std::cout << "wynik dodawania " << a+b << std::endl;
}
else if (opcja=="odejmowanie"){
std::tie(a,b)=wczytaj_liczby();
std::cout << "wynik odejmowania " << a-b << std::endl;
}
else if (opcja=="mnozenie"){
std::tie(a,b)=wczytaj_liczby();
std::cout << "wynik mnozenia " << a*b << std::endl;
}
else if (opcja=="dzielenie"){
std::tie(a,b)=wczytaj_liczby();
std::cout << "wynik dzielenia " << a/b << std::endl;
}
else std::cout << "nieznana opcja" << std::endl;
} while(opcja!="koniec");
}
std::tuple<int,int> wczytaj_liczby() {
int a,b;
std::cout << "podaj pierwsza liczbe" << std::endl;
std::cin >> a;
std::cout << "podaj druga liczbe" << std::endl;
std::cin >> b;
return std::make_tuple(a,b);
}
|
// Code generated by protoc-gen-go. DO NOT EDIT.
// source: google/ads/googleads/v2/resources/<API key>.proto
package resources
import (
fmt "fmt"
math "math"
proto "github.com/golang/protobuf/proto"
wrappers "github.com/golang/protobuf/ptypes/wrappers"
_ "google.golang.org/genproto/googleapis/api/annotations"
)
// Reference imports to suppress errors if they are not otherwise used.
var _ = proto.Marshal
var _ = fmt.Errorf
var _ = math.Inf
// This is a compile-time assertion to ensure that this generated file
// is compatible with the proto package it is being compiled against.
// A compilation error at this line likely means your copy of the
// proto package needs to be updated.
const _ = proto.<API key> // please upgrade the proto package
// A landing page view with metrics aggregated at the expanded final URL
// level.
type <API key> struct {
// The resource name of the expanded landing page view.
// Expanded landing page view resource names have the form:
// `customers/{customer_id}/<API key>/{<API key>}`
ResourceName string `protobuf:"bytes,1,opt,name=resource_name,json=resourceName,proto3" json:"resource_name,omitempty"`
// The final URL that clicks are directed to.
ExpandedFinalUrl *wrappers.StringValue `protobuf:"bytes,2,opt,name=expanded_final_url,json=expandedFinalUrl,proto3" json:"expanded_final_url,omitempty"`
<API key> struct{} `json:"-"`
XXX_unrecognized []byte `json:"-"`
XXX_sizecache int32 `json:"-"`
}
func (m *<API key>) Reset() { *m = <API key>{} }
func (m *<API key>) String() string { return proto.CompactTextString(m) }
func (*<API key>) ProtoMessage() {}
func (*<API key>) Descriptor() ([]byte, []int) {
return <API key>, []int{0}
}
func (m *<API key>) XXX_Unmarshal(b []byte) error {
return <API key>.Unmarshal(m, b)
}
func (m *<API key>) XXX_Marshal(b []byte, deterministic bool) ([]byte, error) {
return <API key>.Marshal(b, m, deterministic)
}
func (m *<API key>) XXX_Merge(src proto.Message) {
<API key>.Merge(m, src)
}
func (m *<API key>) XXX_Size() int {
return <API key>.Size(m)
}
func (m *<API key>) XXX_DiscardUnknown() {
<API key>.DiscardUnknown(m)
}
var <API key> proto.InternalMessageInfo
func (m *<API key>) GetResourceName() string {
if m != nil {
return m.ResourceName
}
return ""
}
func (m *<API key>) GetExpandedFinalUrl() *wrappers.StringValue {
if m != nil {
return m.ExpandedFinalUrl
}
return nil
}
func init() {
proto.RegisterType((*<API key>)(nil), "google.ads.googleads.v2.resources.<API key>")
}
func init() {
proto.RegisterFile("google/ads/googleads/v2/resources/<API key>.proto", <API key>)
}
var <API key> = []byte{
// 342 bytes of a gzipped FileDescriptorProto
0x1f, 0x8b, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x02, 0xff, 0x84, 0x91, 0xc1, 0x4a, 0xf3, 0x40,
0x14, 0x85, 0x49, 0x7e, 0xf8, 0xc1, 0xa8, 0x20, 0xd9, 0x58, 0x4a, 0x91, 0x56, 0x29, 0x74, 0x35,
0x81, 0xb8, 0x1b, 0x57, 0x29, 0x68, 0xa1, 0x88, 0x94, 0x8a, 0x59, 0x48, 0x20, 0xdc, 0x76, 0x6e,
0x87, 0x81, 0x74, 0x26, 0xcc, 0x24, 0xad, 0xaf, 0xa0, 0x8f, 0xe1, 0xd2, 0x47, 0xf1, 0x51, 0x7c,
0x0a, 0x49, 0x93, 0x99, 0x9d, 0xba, 0x3b, 0xcc, 0x9c, 0x73, 0xee, 0x77, 0xb9, 0xc1, 0x94, 0x2b,
0xc5, 0x0b, 0x8c, 0x80, 0x99, 0xa8, 0x95, 0x8d, 0xda, 0xc5, 0x91, 0x46, 0xa3, 0x6a, 0xbd, 0x46,
0x13, 0xe1, 0x4b, 0x09, 0x92, 0x21, 0xcb, 0x0b, 0x90, 0x4c, 0x48, 0x9e, 0x97, 0xc0, 0x31, 0xdf,
0x09, 0xdc, 0x93, 0x52, 0xab, 0x4a, 0x85, 0xa3, 0x36, 0x48, 0x80, 0x19, 0xe2, 0x3a, 0xc8, 0x2e,
0x26, 0xae, 0xa3, 0x7f, 0xd1, 0x8d, 0x39, 0x04, 0x56, 0xf5, 0x26, 0xda, 0x6b, 0x28, 0x4b, 0xd4,
0xa6, 0xad, 0xe8, 0x0f, 0x2c, 0x46, 0x29, 0x22, 0x90, 0x52, 0x55, 0x50, 0x09, 0x25, 0xbb, 0xdf,
0xcb, 0x37, 0x2f, 0x38, 0xbf, 0xed, 0x28, 0xee, 0x5b, 0x88, 0x05, 0x70, 0x4c, 0x05, 0xee, 0xc3,
0xab, 0xe0, 0xd4, 0x8e, 0xc9, 0x25, 0x6c, 0xb1, 0xe7, 0x0d, 0xbd, 0xc9, 0xd1, 0xf2, 0xc4, 0x3e,
0x3e, 0xc0, 0x16, 0xc3, 0x79, 0x10, 0xba, 0x2d, 0x36, 0x42, 0x42, 0x91, 0xd7, 0xba, 0xe8, 0xf9,
0x43, 0x6f, 0x72, 0x1c, 0x0f, 0x3a, 0x66, 0x62, 0xd9, 0xc8, 0x63, 0xa5, 0x85, 0xe4, 0x29, 0x14,
0x35, 0x2e, 0xcf, 0x6c, 0xee, 0xae, 0x89, 0x3d, 0xe9, 0x62, 0xfa, 0xea, 0x07, 0xe3, 0xb5, 0xda,
0x92, 0x3f, 0x97, 0x9e, 0x0e, 0x7e, 0x60, 0x5e, 0x34, 0x83, 0x16, 0xde, 0xf3, 0xbc, 0xab, 0xe0,
0xaa, 0x00, 0xc9, 0x89, 0xd2, 0x3c, 0xe2, 0x28, 0x0f, 0x18, 0xf6, 0x16, 0xa5, 0x30, 0xbf, 0x9c,
0xe6, 0xc6, 0xa9, 0x77, 0xff, 0xdf, 0x2c, 0x49, 0x3e, 0xfc, 0xd1, 0xac, 0xad, 0x4c, 0x98, 0x21,
0xad, 0x6c, 0x54, 0x1a, 0x93, 0xa5, 0x75, 0x7e, 0x5a, 0x4f, 0x96, 0x30, 0x93, 0x39, 0x4f, 0x96,
0xc6, 0x99, 0xf3, 0x7c, 0xf9, 0xe3, 0xf6, 0x83, 0xd2, 0x84, 0x19, 0x4a, 0x9d, 0x8b, 0xd2, 0x34,
0xa6, 0xd4, 0xf9, 0x56, 0xff, 0x0f, 0xb0, 0xd7, 0xdf, 0x01, 0x00, 0x00, 0xff, 0xff, 0x09, 0x2a,
0xe3, 0x32, 0x46, 0x02, 0x00, 0x00,
}
|
var log = require('./logger')('reporter', 'yellow');
var colors = require('colors');
/* eslint no-console: 0 */
module.exports = function(diff) {
var keys = Object.keys(diff);
var count = 0;
var timer = log.timer('reporting');
if (keys.length === 0) {
log(' no diff detected', 'green');
} else {
log(' build doesn\'t match!', 'red');
console.log('\nREPORT\n' + colors.white.bgBlack(' [selector] ') + '\n [attribute] ' + '[actual] '.red + '[expected]'.green);
keys.forEach(function(key) {
var rules = Object.keys(diff[key]);
console.log(colors.white.bgBlack('\n ' + key + ' '));
rules.forEach(function(rule) {
count++;
var expected = pretty(diff[key][rule].expected);
var actual = pretty(diff[key][rule].actual);
console.log(' ' + rule + ': ' + actual.red + ' ' + expected.green);
});
});
}
console.log('');
var c = count === 0 ? 'green' : 'red';
log('Broken rules: ' + count, c);
log('Affected selectors: ' + keys.length, c);
timer();
};
function pretty(val) {
if (typeof val !== 'string') {
val = JSON.stringify(val, null, 4);
}
return val;
}
|
<html>
<head>
<title>%%%name%%% - Wright! Magazine</title>
%%%=templates/headers.html%%%
<link rel="stylesheet" href="%%%urlroot%%%fonts/stylesheet.css" type="text/css" charset="utf-8" />
<script type="text/javascript" src="%%%urlroot%%%js/wright.js?a=1"></script>
</head>
<body onload="onload()">
%%%=templates/headerbar.html%%%
<div id="banner">
<div class="image" style="background-image:url('%%%urltapes%%%%%%issueid%%%/screenshots/%%%screenshots.1%%%')"></div>
<div class="filter"></div>
<div class="text">
<h1><a href="#settings">%%%name%%% %%%edition%%%</a></h1>
<p>%%%genre%%%, © %%%author%%% %%%year%%%</p>
</div>
</div>
<div id="game"></div>
<div id="body">
<p>
<img src="%%%urltapes%%%%%%issueid%%%/screenshots/%%%screenshots.0%%%" class="articleimage">
%%%description%%%
</p>
<p class="small">
(Want to share something? You can find me <a href="https://twitter.com/KesieV">on Twitter</a>!)
</p>
<p class="links">
<a href="https:
<a href="https://github.com/kesiev/Wright/tree/master/tapes/%%%issueid%%%"><img src="%%%urlroot%%%publishers/site/images/github.png">View game sources</a>
<span>...or play it online below!</span>
</p>
</div>
<div id="settingscontainer">
<div id="settings"></div>
</div>
%%%=templates/footerbar.html%%%
</body>
<script>
function onload() {
runSingleWright('%%%issueid%%%',
{
controllerDefaults:{
PeerJS<API key>,
<API key>:'60B7E7EC',
ChromecastNamespace:'urn:x-cast:com.kesiev.wright'
},
tapesRoot:'%%%urltapes%%%',
systemRoot:'%%%urlroot%%%system',
gameContainer:document.getElementById('game'),settingsContainer:document.getElementById('settings'),
onRun:function(){document.getElementById('body').innerHTML='';}
}
);
}
</script>
</html>
|
package info.dgjones.abora.white.edgeregion;
import java.io.PrintWriter;
import info.dgjones.abora.white.rcvr.Rcvr;
import info.dgjones.abora.white.rcvr.Xmtr;
import info.dgjones.abora.white.spaces.basic.Position;
import info.dgjones.abora.white.xpp.basic.Heaper;
/**
* Clients of EdgeManager define concrete subclasses of this, which are then used by the
* EdgeManager code
*/
public abstract class TransitionEdge extends Heaper {
/*
udanax-top.st:63348:
Heaper subclass: #TransitionEdge
<API key>: ''
classVariableNames: ''
poolDictionaries: ''
category: 'Xanadu-EdgeRegion'!
*/
/*
udanax-top.st:63352:
TransitionEdge comment:
'Clients of EdgeManager define concrete subclasses of this, which are then used by the EdgeManager code'!
*/
/*
udanax-top.st:63354:
(TransitionEdge <API key>)
attributes: ((Set new) add: #DEFERRED; add: #COPY; yourself)!
*/
// Constructors
protected TransitionEdge() {
super();
}
public TransitionEdge ceiling(TransitionEdge other) {
if (other.isGE(this)) {
return other;
} else {
return this;
}
/*
udanax-top.st:63359:TransitionEdge methodsFor: 'accessing'!
{TransitionEdge} ceiling: other {TransitionEdge}
(other isGE: self)
ifTrue: [^other]
ifFalse: [^self]!
*/
}
public TransitionEdge floor(TransitionEdge other) {
if (isGE(other)) {
return other;
} else {
return this;
}
/*
udanax-top.st:63365:TransitionEdge methodsFor: 'accessing'!
{TransitionEdge} floor: other {TransitionEdge}
(self isGE: other)
ifTrue: [^other]
ifFalse: [^self]!
*/
}
public int actualHashForEqual() {
return System.identityHashCode(this);
// return Heaper.takeOop();
/*
udanax-top.st:63373:TransitionEdge methodsFor: 'testing'!
{UInt32} actualHashForEqual
^Heaper takeOop!
*/
}
/**
* Whether the position is strictly less than this edge
*/
public abstract boolean follows(Position pos);
/*
udanax-top.st:63377:TransitionEdge methodsFor: 'testing'!
{BooleanVar} follows: pos {Position}
"Whether the position is strictly less than this edge"
self <API key>!
*/
public abstract boolean isEqual(Heaper other);
/*
udanax-top.st:63382:TransitionEdge methodsFor: 'testing'!
{BooleanVar} isEqual: other {Heaper}
self <API key>!
*/
/**
* Whether there is precisely one position between this edge and the next one
*/
public abstract boolean isFollowedBy(TransitionEdge next);
/*
udanax-top.st:63386:TransitionEdge methodsFor: 'testing'!
{BooleanVar} isFollowedBy: next {TransitionEdge}
"Whether there is precisely one position between this edge and the next one"
self <API key>!
*/
/**
* Defines a full ordering among all edges in a given CoordinateSpace
*/
public abstract boolean isGE(TransitionEdge other);
/*
udanax-top.st:63391:TransitionEdge methodsFor: 'testing'!
{BooleanVar} isGE: other {TransitionEdge}
"Defines a full ordering among all edges in a given CoordinateSpace"
self <API key>!
*/
/**
* Whether this edge touches the same position the other does
*/
public abstract boolean touches(TransitionEdge other);
/*
udanax-top.st:63396:TransitionEdge methodsFor: 'testing'!
{BooleanVar} touches: other {TransitionEdge}
"Whether this edge touches the same position the other does"
self <API key>!
*/
/**
* Print a description of this transition
*/
public abstract void printTransitionOn(PrintWriter oo, boolean entering, boolean touchesPrevious);
/*
udanax-top.st:63403:TransitionEdge methodsFor: 'printing'!
{void} printTransitionOn: oo {ostream reference}
with: entering {BooleanVar}
with: touchesPrevious {BooleanVar}
"Print a description of this transition"
self <API key>!
*/
public TransitionEdge(Rcvr receiver) {
super(receiver);
/*
udanax-top.st:63412:TransitionEdge methodsFor: 'generated:'!
create.Rcvr: receiver {Rcvr}
super create.Rcvr: receiver.!
*/
}
public void sendSelfTo(Xmtr xmtr) {
super.sendSelfTo(xmtr);
/*
udanax-top.st:63415:TransitionEdge methodsFor: 'generated:'!
{void} sendSelfTo: xmtr {Xmtr}
super sendSelfTo: xmtr.!
*/
}
}
|
// NYSegmentedControl+CBDSettings.h
// SmartMathsMP
#import "NYSegmentedControl.h"
@interface NYSegmentedControl (CBDSettings)
- (void)<API key>:(UIColor *)segmentColor
titleColor:(UIColor *)titleColor
selectedTitleColor:(UIColor *)selectedTitleColor
font:(UIFont *)font
cornerRadius:(CGFloat)cornerRadius ;
@end
|
<?php declare(strict_types=1);
namespace Y0lk\SQLDumper;
use ArrayObject;
use PDO;
use <API key>;
/**
* A <API key> is used to group TableDumper objects together, allowing you to specify dump options on multiple table at once.
* All TableDumper methods can be called directly on a <API key>, and will be executed on all the TableDumper instances in that collection.
*
* @author Gabriel Jean <gabriel@inkrebit.com>
*/
class <API key> extends ArrayObject
{
/**
* {@inheritDoc}
*/
public function append($value): void
{
//Make sure we're adding a TableDumper object
if (!($value instanceof TableDumper)) {
throw new <API key>("<API key> only accepts TableDumper objects", 1);
}
//Append with table_name as key
$this->offsetSet($value->getTable()->getName(), $value);
}
/**
* {@inheritDoc}
*/
public function offsetSet($index, $newval): void
{
//Make sure we're adding a TableDumper object
if (!($newval instanceof TableDumper)) {
throw new <API key>("<API key> only accepts TableDumper objects", 1);
}
//Append with table_name as key
parent::offsetSet($newval->getTable()->getName(), $newval);
}
/**
* @param Table|string $table Adds a table, either by name, or by Table instance, to the collection
*
* @return TableDumper Returns a TableDumper of the table that was just added
*/
public function addTable($table): TableDumper
{
if ($table instanceof Table) {
$tableName = $table->getName();
} else {
$tableName = $table;
$table = new Table($tableName);
}
//First check if a dumper already exists for this table
if (!$this->offsetExists($tableName)) {
//Create new one
$this->offsetSet($tableName, new TableDumper($table));
}
return $this->offsetGet($tableName);
}
/**
* @param <API key>|array<TableDumper|Table|string> $listTables Adds a list of tables, either by passing <API key>, or an array containing either TableDumper objects, Table objects or table naes
*
* @return <API key> Returns a <API key> of the list of tables that was just added
*/
public function addListTables($listTables): <API key>
{
//If arg is a <API key>, merge into this one
if ($listTables instanceof <API key>) {
foreach ($listTables as $table) {
$this->append($table);
}
return $listTables;
} else {
return $this->addListTableArray($listTables);
}
}
/**
* Adds a list of tables passed as an array
* @param array $listTables Array of tables to add
*
* @return <API key> Returns a <API key> of the list of tables that was just added
*/
protected function addListTableArray(array $listTables): <API key>
{
//Create <API key>
$listDumpers = new <API key>;
foreach ($listTables as $table) {
//If table is already a Dumper, simply append to this
if ($table instanceof TableDumper) {
$listDumpers[] = $table;
$this->append($table);
} else {
$listDumpers[] = $this->addTable($table);
}
}
return $listDumpers;
}
/**
* Writes all DROP statements to the dump stream
*
* @param resource $stream Stream to write the dump to
*
* @return void
*/
public function dumpDropStatements($stream): void
{
foreach ($this as $dumper) {
if ($dumper->hasDrop()) {
$dumper->dumpDropStatement($stream);
}
}
}
/**
* Writes all INSERT statements to the dump stream
*
* @param PDO $db PDO instance to use for DB queries
* @param resource $stream Stream to write the dump to
*
* @return void
*/
public function <API key>(PDO $db, $stream): void
{
foreach ($this as $dumper) {
if ($dumper->hasData()) {
$dumper->dumpInsertStatement($db, $stream);
}
}
}
/**
* Writes all the SQL statements of this dumper to the dump stream
*
* @param PDO $db PDO instance to use for DB queries
* @param resource $stream Stream to write the dump to
* @param boolean $groupDrops Determines if DROP statements will be grouped
* @param boolean $groupInserts Determines if INSERT statements will be grouped
*
* @return void
*/
public function dump(PDO $db, $stream, bool $groupDrops = false, bool $groupInserts = false): void
{
if ($groupDrops) {
$this->dumpDropStatements($stream);
}
foreach ($this as $dumper) {
if (!$groupDrops) {
$dumper->dumpDropStatement($stream);
}
$dumper->dumpCreateStatement($db, $stream);
if (!$groupInserts) {
$dumper->dumpInsertStatement($db, $stream);
}
}
if ($groupInserts) {
$this-><API key>($db, $stream);
}
}
public function __call(string $name, array $arguments)
{
//Call methods on TableDumper values
foreach ($this as $value) {
<API key>([$value, $name], $arguments);
}
return $this;
}
}
|
<?php
namespace modules\admin\controllers;
use vendor\Controller;
class Option extends Controller
{
public function index()
{
echo $this->render('module.admin@views/option.php', ['mainTitle' => '']);
}
}
|
package com.microsoft.azure.management.resources.implementation;
import com.microsoft.azure.management.resources.<API key>;
import java.util.Map;
import com.fasterxml.jackson.annotation.JsonProperty;
/**
* Resource group information.
*/
public class ResourceGroupInner {
/**
* The ID of the resource group.
*/
@JsonProperty(access = JsonProperty.Access.WRITE_ONLY)
private String id;
/**
* The name of the resource group.
*/
private String name;
/**
* The properties property.
*/
private <API key> properties;
/**
* The location of the resource group. It cannot be changed after the
* resource group has been created. It muct be one of the supported Azure
* locations.
*/
@JsonProperty(required = true)
private String location;
/**
* The ID of the resource that manages this resource group.
*/
private String managedBy;
/**
* The tags attached to the resource group.
*/
private Map<String, String> tags;
/**
* Get the id value.
*
* @return the id value
*/
public String id() {
return this.id;
}
/**
* Get the name value.
*
* @return the name value
*/
public String name() {
return this.name;
}
/**
* Set the name value.
*
* @param name the name value to set
* @return the ResourceGroupInner object itself.
*/
public ResourceGroupInner withName(String name) {
this.name = name;
return this;
}
/**
* Get the properties value.
*
* @return the properties value
*/
public <API key> properties() {
return this.properties;
}
/**
* Set the properties value.
*
* @param properties the properties value to set
* @return the ResourceGroupInner object itself.
*/
public ResourceGroupInner withProperties(<API key> properties) {
this.properties = properties;
return this;
}
/**
* Get the location value.
*
* @return the location value
*/
public String location() {
return this.location;
}
/**
* Set the location value.
*
* @param location the location value to set
* @return the ResourceGroupInner object itself.
*/
public ResourceGroupInner withLocation(String location) {
this.location = location;
return this;
}
/**
* Get the managedBy value.
*
* @return the managedBy value
*/
public String managedBy() {
return this.managedBy;
}
/**
* Set the managedBy value.
*
* @param managedBy the managedBy value to set
* @return the ResourceGroupInner object itself.
*/
public ResourceGroupInner withManagedBy(String managedBy) {
this.managedBy = managedBy;
return this;
}
/**
* Get the tags value.
*
* @return the tags value
*/
public Map<String, String> tags() {
return this.tags;
}
/**
* Set the tags value.
*
* @param tags the tags value to set
* @return the ResourceGroupInner object itself.
*/
public ResourceGroupInner withTags(Map<String, String> tags) {
this.tags = tags;
return this;
}
}
|
#include <net/http/CServer.hpp>
namespace net { namespace http
{
CServer::CServer(void) : net::CServer(net::EProtocol::TCP)
{
}
}}
|
require "spec_helper"
require "tidy_i18n/duplicate_keys"
describe "Finding duplicate translations" do
def locale_file_paths(file_names)
file_names.collect do |path|
File.expand_path(File.join(File.dirname(__FILE__), "fixtures", path))
end
end
it "finds duplicate keys when the locale only has one file" do
duplicate_keys = TidyI18n::DuplicateKeys.new("en", locale_file_paths(["<API key>.yml"]))
expect(duplicate_keys.locale).to eq("en")
expect(duplicate_keys.all.size).to eq(2)
first_key = duplicate_keys.all.first
expect(first_key.name).to eq("a.b")
expect(first_key.values).to eq(["b1", "b2"])
second_key = duplicate_keys.all[1]
expect(second_key.name).to eq("d.f")
expect(second_key.values).to eq(["f1", "f2"])
end
it "finds duplicate keys when the locale is split has multiple files" do
file_paths = locale_file_paths(["<API key>.yml", "<API key>.yml"])
duplicate_keys = TidyI18n::DuplicateKeys.new("en", file_paths)
expect(duplicate_keys.locale).to eq("en")
duplicate_key_names = duplicate_keys.all.map(&:name)
expect(duplicate_key_names).to contain_exactly("a.b", "d.f", "c", "d.e")
end
end
|
// partial2js
"use strict";
var glob = require('glob-all');
var fs = require('fs');
var path = require('path');
var stream = require('stream');
var htmlmin = require('html-minifier').minify;
var escape = require('js-string-escape');
var eol = require('os').EOL;
function Partial2Js( opts ) {
opts = opts || {};
var self = this;
this.debug = !!opts.debug;
this.patterns = [];
this.files = [];
this.contents = {};
this.uniqueFn = function( file ) {
return file;
};
var log = (function log() {
if ( this.debug ) {
console.log.apply( console, arguments );
}
}).bind( this );
var find = (function() {
this.files = glob.sync( this.patterns.slice( 0 )) || [];
}).bind( this );
function cleanPatterns( patterns ) {
return patterns.map(function( entry ) {
return entry.replace(/\/\*+/g, '');
});
}
function compare( patterns, a, b ) {
return matchInPattern( patterns, a ) - matchInPattern( patterns, b );
}
var sort = (function() {
var clean = cleanPatterns( this.patterns );
this.files.sort(function( a, b ) {
return compare( clean, a, b );
});
}).bind( this );
// this function is not every functional ;)
// Should use findIndex() [ES6] as soon as possible
function matchInPattern( patterns, entry ) {
var res = patterns.length + 100;
patterns.every(function( pattern, index ) {
if ( entry.indexOf( pattern ) > -1 ) {
res = index;
return false;
}
return true;
});
return res;
}
var unique = (function() {
if ( typeof this.uniqueFn === 'function' && this.files && this.files.length ) {
var obj = {};
this.files.forEach(function( file ) {
var key = self.uniqueFn( file );
if ( !obj[key] ) {
obj[key] = file;
}
});
this.files = obj;
}
}).bind( this );
var asString = (function( moduleName ) {
var buffer = '';
buffer += '(function(window,document){' + eol;
buffer += '"use strict";' + eol;
buffer += 'angular.module("'+moduleName+'",[]).run(["$templateCache",function($templateCache){' + eol;
for ( var k in this.contents ) {
buffer += ' $templateCache.put("'+k+'","'+this.contents[k]+'");' + eol;
}
buffer += '}]);' + eol;
buffer += '})(window,document);';
return buffer;
}).bind( this );
var read = (function() {
var id, path, stat;
this.contents = {};
for( var k in this.files ) {
id = k;
path = this.files[k];
stat = fs.statSync( path );
if ( stat.isFile()) {
log('read file:', path, '=>', id );
this.contents[id] = fs.readFileSync( path );
}
}
return this.contents;
}).bind( this );
var asStream = function( string ) {
var s = new stream.Readable();
s._read = function noop() {};
s.push( string );
s.push(null);
return s;
};
var minify = (function() {
var opts = {
collapseWhitespace: true,
preserveLineBreaks: false,
removeComments: true,
<API key>: true,
<API key>: false,
keepClosingSlash: true,
maxLineLength: 0,
customAttrCollapse: /.+/,
html5: true
};
for ( var k in this.contents ) {
this.contents[k] = escape(htmlmin( String(this.contents[k]), opts ));
}
}).bind( this );
this.add = function( pattern ) {
this.patterns.push( pattern );
return this;
};
this.not = function( pattern ) {
this.patterns.push( '!'+pattern );
return this;
};
this.folder = function( folder ) {
if ( folder && String( folder ) === folder ) {
folder = path.resolve( folder ) + '*';
this.patterns.push( folder );
}
return this;
};
this.unique = function( fn ) {
this.uniqueFn = fn;
return this;
};
this.stringify = function( moduleName ) {
find();
sort();
unique();
read();
minify();
return asString( moduleName );
};
this.stream = function( moduleName ) {
return asStream( this.stringify( moduleName ) );
};
}
module.exports = function( opts ) {
return new Partial2Js( opts );
};
|
<?php
/* Cachekey: cache/stash_default/doctrine/<API key>[<API key>]/ */
/* Type: array */
$loaded = true;
$expiration = 1425255999;
$data = array();
/* Child Type: integer */
$data['return'] = 1;
/* Child Type: integer */
$data['createdOn'] = 1424843731;
|
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Blocks & Guidelines</title>
<link rel="stylesheet" type="text/css" href="./css/ui.css">
<script src='https://code.jquery.com/jquery-2.1.3.min.js' type='application/javascript'></script>
<script src='https://cdnjs.cloudflare.com/ajax/libs/ace/1.1.8/ace.js' type='application/javascript'></script>
<script src='./js/blocks.and.guidelines.js' type='application/javascript'></script>
<script src='./js/rapheal-min.js' type='application/javascript'></script>
<script src='./js/util.js' type='application/javascript'></script>
<script src='./js/ui.js' type='application/javascript'></script>
</head>
<body id='body'>
<!-- <div id='canvas'></div> -->
<div id='rendering-context'></div>
<div id='documents'>
<div class='addlevel'>+</div>
<h3>Diagrams</h3>
<span class='button' id='Import'><input type="file" id="input"></span><p></p>
<span class='button' id='Export'><a href='' target="_blank">Export</a></span>
<span class='button' id='Delete'>Delete</span>
<div id='scroller'>
<ul id="saves"></ul>
</div>
</div>
</body>
</html>
|
<?php
class AsuransiForm extends CFormModel
{
public $stringNIM;
public $arrayNIM;
public function rules()
{
return array(
array('stringNIM', 'required'),
);
}
public function attributeLabels()
{
return array(
'stringNIM' => Yii::t('app','NIM'),
);
}
protected function beforeValidate()
{
preg_match_all('([0-9]+)',$this->stringNIM,$nims);
$this->arrayNIM = $nims[0];
return parent::beforeValidate();
}
public function preview()
{
$criteria = new CDbCriteria;
$criteria->addInCondition('nim',$this->arrayNIM);
return new CActiveDataProvider('Mahasiswa', array(
'criteria'=>$criteria,
'pagination'=>array(
'pageSize'=>50
),
));
}
public function lunasi()
{
$criteria = new CDbCriteria;
$criteria->addInCondition('nim',$this->arrayNIM);
foreach(Mahasiswa::model()->findAll($criteria) as $mahasiswa) {
$mahasiswa->lunasiAsuransi();
}
}
}
|
Copyright (c) 2017 Eric Scuccimarra <skooch@gmail.com>
> Permission is hereby granted, free of charge, to any person obtaining a copy
> of this software and associated documentation files (the "Software"), to deal
> in the Software without restriction, including without limitation the rights
> to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
> copies of the Software, and to permit persons to whom the Software is
> furnished to do so, subject to the following conditions:
>
> The above copyright notice and this permission notice shall be included in
> all copies or substantial portions of the Software.
>
> THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
> IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
> FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
> AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
> LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
> OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
> THE SOFTWARE.
|
function main()
while true do
print('Hello')
end
end
live.patch('main', main)
live.start(main)
|
#nullable disable
namespace StyleCop.Analyzers.OrderingRules
{
using System;
using System.Collections.Immutable;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Diagnostics;
using StyleCop.Analyzers.Helpers;
using StyleCop.Analyzers.Settings.ObjectModel;
<summary>
A constant field is placed beneath a non-constant field.
</summary>
<remarks>
<para>A violation of this rule occurs when a constant field is placed beneath a non-constant field. Constants
should be placed above fields to indicate that the two are fundamentally different types of elements with
different considerations for the compiler, different naming requirements, etc.</para>
</remarks>
[DiagnosticAnalyzer(LanguageNames.CSharp)]
internal class <API key> : DiagnosticAnalyzer
{
<summary>
The ID for diagnostics produced by the <see cref="<API key>"/> analyzer.
</summary>
public const string DiagnosticId = "SA1203";
private const string HelpLink = "https://github.com/DotNetAnalyzers/StyleCopAnalyzers/blob/master/documentation/SA1203.md";
private static readonly LocalizableString Title = new <API key>(nameof(OrderingResources.SA1203Title), OrderingResources.ResourceManager, typeof(OrderingResources));
private static readonly LocalizableString MessageFormat = new <API key>(nameof(OrderingResources.SA1203MessageFormat), OrderingResources.ResourceManager, typeof(OrderingResources));
private static readonly LocalizableString Description = new <API key>(nameof(OrderingResources.SA1203Description), OrderingResources.ResourceManager, typeof(OrderingResources));
private static readonly <API key> Descriptor =
new <API key>(DiagnosticId, Title, MessageFormat, AnalyzerCategory.OrderingRules, DiagnosticSeverity.Warning, AnalyzerConstants.EnabledByDefault, Description, HelpLink);
private static readonly ImmutableArray<SyntaxKind> <API key> =
ImmutableArray.Create(SyntaxKind.ClassDeclaration, SyntaxKind.StructDeclaration);
private static readonly Action<<API key>, StyleCopSettings> <API key> = <API key>;
<inheritdoc/>
public override ImmutableArray<<API key>> <API key> { get; } =
ImmutableArray.Create(Descriptor);
<inheritdoc/>
public override void Initialize(AnalysisContext context)
{
context.<API key>(<API key>.None);
context.<API key>();
context.<API key>(<API key>, <API key>);
}
private static void <API key>(<API key> context, StyleCopSettings settings)
{
var elementOrder = settings.OrderingRules.ElementOrder;
int constantIndex = elementOrder.IndexOf(OrderingTrait.Constant);
if (constantIndex < 0)
{
return;
}
var typeDeclaration = (<API key>)context.Node;
var members = typeDeclaration.Members;
var <API key> = true;
var previousFieldStatic = false;
var <API key> = false;
var previousAccessLevel = AccessLevel.NotSpecified;
foreach (var member in members)
{
if (!(member is <API key> field))
{
continue;
}
AccessLevel currentAccessLevel = MemberOrderHelper.<API key>(field, field.Modifiers);
bool <API key> = field.Modifiers.Any(SyntaxKind.ConstKeyword);
bool <API key> = <API key> || field.Modifiers.Any(SyntaxKind.ReadOnlyKeyword);
bool currentFieldStatic = <API key> || field.Modifiers.Any(SyntaxKind.StaticKeyword);
bool compareConst = true;
for (int j = 0; compareConst && j < constantIndex; j++)
{
switch (elementOrder[j])
{
case OrderingTrait.Accessibility:
if (currentAccessLevel != previousAccessLevel)
{
compareConst = false;
}
continue;
case OrderingTrait.Readonly:
if (<API key> != <API key>)
{
compareConst = false;
}
continue;
case OrderingTrait.Static:
if (currentFieldStatic != previousFieldStatic)
{
compareConst = false;
}
continue;
case OrderingTrait.Kind:
// Only fields may be marked const, and all fields have the same kind.
continue;
case OrderingTrait.Constant:
default:
continue;
}
}
if (compareConst)
{
if (!<API key> && <API key>)
{
context.ReportDiagnostic(Diagnostic.Create(Descriptor, NamedTypeHelpers.<API key>(member)));
}
}
<API key> = <API key>;
<API key> = <API key>;
previousFieldStatic = currentFieldStatic;
previousAccessLevel = currentAccessLevel;
}
}
}
}
|
#ifndef <API key>
#define <API key>
#include <memory>
#include <type_traits>
#include "Socket.h"
#include "Reactor.h"
#include "Buffer.h"
#include "Operation.h"
#include "SSLSocket.h"
namespace lw_network {
template<typename Sock = Socket>
class ReactiveSocketBase : public Sock {
static_assert(std::is_base_of<Socket, Sock>::value, "Socket base should be a derived class of Socket");
public:
explicit ReactiveSocketBase(Reactor &reactor) : Sock(), reactor_(reactor) { register_(); }
ReactiveSocketBase(Reactor &reactor, Sock socket): Sock(socket), reactor_(reactor) { register_(); }
~ReactiveSocketBase() = default;
ReactiveSocketBase(ReactiveSocketBase const &other) = default;
ReactiveSocketBase(ReactiveSocketBase &&other) = default;
ReactiveSocketBase &operator=(ReactiveSocketBase const &other) {
Sock::operator=(other);
return *this;
}
ReactiveSocketBase &operator=(ReactiveSocketBase &&other) {
Sock::operator=(other);
return *this;
}
void close() {
reactor_.unregisterHandler(this->getImpl(), lw_network::Reactor::read);
reactor_.unregisterHandler(this->getImpl(), lw_network::Reactor::write);
error_code ec = no_error;
Sock::close(ec);
}
void async_read_some(Buffer b, std::function<void(std::size_t nbyte, error_code ec)> completionHandler);
void async_read(Buffer b, std::function<void(std::size_t nbyte, error_code ec)> completionHandler);
void async_write_some(Buffer b, std::function<void(std::size_t nbyte, error_code ec)> completionHandler);
void async_write(Buffer b, std::function<void(std::size_t nbyte, error_code ec)> completionHandler);
private:
Reactor &reactor_;
private:
void register_() {
reactor_.registerHandler(this->getImpl(), lw_network::Reactor::read);
reactor_.registerHandler(this->getImpl(), lw_network::Reactor::write);
}
};
using ReactiveSocket = ReactiveSocketBase<>;
using SSLReactiveSocket = ReactiveSocketBase<SSLSocket>;
// TODO FACTORIZE
template<typename T>
class ReadOperation : public Operation {
public:
ReadOperation(
ReactiveSocketBase<T> &s,
Buffer b,
std::function<void(std::size_t nbyte, error_code ec)> completionHandler):
s_(s), ec_(no_error), nbyte_(0), b_(std::move(b)), completionHandler_(std::move(completionHandler)) {}
bool handle() {
nbyte_ = s_.recv(b_, 0, ec_);
return b_.exhausted();
}
void complete() {
completionHandler_(nbyte_, ec_);
}
private:
ReactiveSocketBase<T> &s_;
error_code ec_;
std::size_t nbyte_;
Buffer b_;
std::function<void(std::size_t nbyte, error_code ec)> completionHandler_;
};
template<typename T>
class WriteOperation : public Operation {
public:
WriteOperation(
lw_network::ReactiveSocketBase<T> &s,
lw_network::Buffer b,
std::function<void(size_t, lw_network::error_code)> completionHandler):
s_(s), ec_(no_error), nbyte_(0), b_(std::move(b)), completionHandler_(std::move(completionHandler)) {}
bool handle() {
nbyte_ = s_.send(b_, 0, ec_);
return b_.exhausted();
}
void complete() {
completionHandler_(nbyte_, ec_);
}
private:
ReactiveSocketBase<T> &s_;
error_code ec_;
std::size_t nbyte_;
Buffer b_;
std::function<void(std::size_t nbyte, error_code ec)> completionHandler_;
};
template<typename T>
class ReadSomeOperation : public Operation {
public:
ReadSomeOperation(
lw_network::ReactiveSocketBase<T> &s,
lw_network::Buffer b,
std::function<void(size_t, lw_network::error_code)> completionHandler):
s_(s), ec_(no_error), nbyte_(0), b_(std::move(b)), completionHandler_(std::move(completionHandler)) {
}
bool handle() {
nbyte_ = s_.recv(b_, 0, ec_);
return true;
}
void complete() {
completionHandler_(nbyte_, ec_);
}
private:
ReactiveSocketBase<T> &s_;
error_code ec_;
std::size_t nbyte_;
Buffer b_;
std::function<void(std::size_t nbyte, error_code ec)> completionHandler_;
};
template<typename T>
class WriteSomeOperation : public Operation {
public:
WriteSomeOperation(
lw_network::ReactiveSocketBase<T> &s,
lw_network::Buffer b,
std::function<void(size_t, lw_network::error_code)> completionHandler):
s_(s), ec_(no_error), nbyte_(0), b_(std::move(b)), completionHandler_(std::move(completionHandler)) {}
bool handle() {
nbyte_ = s_.send(b_, 0, ec_);
return true;
}
void complete() {
completionHandler_(nbyte_, ec_);
}
private:
ReactiveSocketBase<T> &s_;
error_code ec_;
std::size_t nbyte_;
Buffer b_;
std::function<void(std::size_t nbyte, error_code ec)> completionHandler_;
};
}
#include "ReactiveSocketBase.icc"
#endif //<API key>
|
var testLogin = function(){
var username = document.getElementById("username").value;
var password = document.getElementById("password").value;
alert("username="+username+" , password="+password);
}
window.onload = function (){
}
|
from __future__ import absolute_import, division, print_function, unicode_literals
# Statsd client. Loosely based on the version by Steve Ivy <steveivy@gmail.com>
import logging
import random
import socket
import time
from contextlib import contextmanager
log = logging.getLogger(__name__)
class StatsD(object):
def __init__(self, host='localhost', port=8125, enabled=True, prefix=''):
self.addr = None
self.enabled = enabled
if enabled:
self.set_address(host, port)
self.prefix = prefix
self.udp_sock = socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
def set_address(self, host, port=8125):
try:
self.addr = (socket.gethostbyname(host), port)
except socket.gaierror:
self.addr = None
self.enabled = False
@contextmanager
def timed(self, stat, sample_rate=1):
log.debug('Entering timed context for %r' % (stat,))
start = time.time()
yield
duration = int((time.time() - start) * 1000)
log.debug('Exiting timed context for %r' % (stat,))
self.timing(stat, duration, sample_rate)
def timing(self, stats, time, sample_rate=1):
"""
Log timing information
"""
unit = 'ms'
log.debug('%r took %s %s' % (stats, time, unit))
self.update_stats(stats, "%s|%s" % (time, unit), sample_rate)
def increment(self, stats, sample_rate=1):
"""
Increments one or more stats counters
"""
self.update_stats(stats, 1, sample_rate)
def decrement(self, stats, sample_rate=1):
"""
Decrements one or more stats counters
"""
self.update_stats(stats, -1, sample_rate)
def update_stats(self, stats, delta=1, sampleRate=1):
"""
Updates one or more stats counters by arbitrary amounts
"""
if not self.enabled or self.addr is None:
return
if type(stats) is not list:
stats = [stats]
data = {}
for stat in stats:
data["%s%s" % (self.prefix, stat)] = "%s|c" % delta
self.send(data, sampleRate)
def send(self, data, sample_rate):
sampled_data = {}
if sample_rate < 1:
if random.random() <= sample_rate:
for stat, value in data.items():
sampled_data[stat] = "%s|@%s" % (value, sample_rate)
else:
sampled_data = data
try:
for stat, value in sampled_data.items():
self.udp_sock.sendto("%s:%s" % (stat, value), self.addr)
except Exception as e:
log.exception('Failed to send data to the server: %r', e)
if __name__ == '__main__':
sd = StatsD()
for i in range(1, 100):
sd.increment('test')
|
// <summary>
// Provides operations for profiling the code.
// </summary>
namespace Kephas.Diagnostics
{
using System;
using System.Diagnostics;
using System.Runtime.CompilerServices;
using System.Threading.Tasks;
using Kephas.Logging;
using Kephas.Operations;
using Kephas.Threading.Tasks;
<summary>
Provides operations for profiling the code.
</summary>
public static class Profiler
{
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult <API key>(
this Action action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Warning, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult<T> <API key><T>(
this Func<T> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Warning, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult WithInfoStopwatch(
this Action action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Info, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult<T> WithInfoStopwatch<T>(
this Func<T> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Info, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult WithDebugStopwatch(
this Action action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Debug, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult<T> WithDebugStopwatch<T>(
this Func<T> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Debug, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult WithTraceStopwatch(
this Action action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Trace, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult<T> WithTraceStopwatch<T>(
this Func<T> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatch(action, logger, LogLevel.Trace, memberName);
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at the indicated log level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="logLevel">The log level.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult WithStopwatch(
this Action action,
ILogger? logger = null,
LogLevel logLevel = LogLevel.Debug,
[CallerMemberName] string? memberName = null)
{
var result = new OperationResult();
if (action == null)
{
return result.MergeMessage($"No action provided for {memberName}.");
}
result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}.");
logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now);
var stopwatch = new Stopwatch();
stopwatch.Start();
action();
stopwatch.Stop();
result
.MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.")
.Complete(stopwatch.Elapsed);
logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed);
return result;
}
<summary>
Executes the action with a stopwatch, optionally logging the elapsed time at the indicated
log level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">Optional. The logger.</param>
<param name="logLevel">Optional. The log level.</param>
<param name="memberName">Optional. Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static IOperationResult<T> WithStopwatch<T>(
this Func<T> action,
ILogger? logger = null,
LogLevel logLevel = LogLevel.Debug,
[CallerMemberName] string? memberName = null)
{
var result = new OperationResult<T>();
if (action == null)
{
return result.MergeMessage($"No action provided for {memberName}.");
}
result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}.");
logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now);
var stopwatch = new Stopwatch();
stopwatch.Start();
result.Value = action();
stopwatch.Stop();
result
.MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.")
.Complete(stopwatch.Elapsed);
logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed);
return result;
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult> <API key>(
this Func<Task> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Warning, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Warning"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult<T>> <API key><T>(
this Func<Task<T>> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Warning, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult> <API key>(
this Func<Task> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Info, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Info"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult<T>> <API key><T>(
this Func<Task<T>> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Info, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult> <API key>(
this Func<Task> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Debug, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Debug"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult<T>> <API key><T>(
this Func<Task<T>> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Debug, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult> <API key>(
this Func<Task> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync(action, logger, LogLevel.Trace, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at <see cref="LogLevel.Trace"/> level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static Task<IOperationResult<T>> <API key><T>(
this Func<Task<T>> action,
ILogger? logger = null,
[CallerMemberName] string? memberName = null)
{
return WithStopwatchAsync<T>(action, logger, LogLevel.Trace, memberName);
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed time at the indicated log level.
</summary>
<param name="action">The action.</param>
<param name="logger">The logger.</param>
<param name="logLevel">The log level.</param>
<param name="memberName">Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static async Task<IOperationResult> WithStopwatchAsync(
this Func<Task> action,
ILogger? logger = null,
LogLevel logLevel = LogLevel.Debug,
[CallerMemberName] string? memberName = null)
{
var result = new OperationResult();
if (action == null)
{
return result.MergeMessage($"No action provided for {memberName}.");
}
result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}.");
logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now);
var stopwatch = new Stopwatch();
stopwatch.Start();
await action().<API key>();
stopwatch.Stop();
result
.MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.")
.Complete(stopwatch.Elapsed);
logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed);
return result;
}
<summary>
Executes the action with a stopwatch for asynchronous actions, optionally logging the elapsed
time at the indicated log level.
</summary>
<typeparam name="T">The operation return type.</typeparam>
<param name="action">The action.</param>
<param name="logger">Optional. The logger.</param>
<param name="logLevel">Optional. The log level.</param>
<param name="memberName">Optional. Name of the member.</param>
<returns>
The elapsed time.
</returns>
public static async Task<IOperationResult<T>> WithStopwatchAsync<T>(
this Func<Task<T>> action,
ILogger? logger = null,
LogLevel logLevel = LogLevel.Debug,
[CallerMemberName] string? memberName = null)
{
var result = new OperationResult<T>();
if (action == null)
{
return result.MergeMessage($"No action provided for {memberName}.");
}
result.MergeMessage($"{memberName}. Started at: {DateTime.Now:s}.");
logger?.Log(logLevel, "{operation}. Started at: {startedAt:s}.", memberName, DateTime.Now);
var stopwatch = new Stopwatch();
stopwatch.Start();
result.Value = await action().<API key>();
stopwatch.Stop();
result
.MergeMessage($"{memberName}. Ended at: {DateTime.Now:s}. Elapsed: {stopwatch.Elapsed:c}.")
.Complete(stopwatch.Elapsed);
logger?.Log(logLevel, "{operation}. Ended at: {endedAt:s}. Elapsed: {elapsed:c}.", memberName, DateTime.Now, stopwatch.Elapsed);
return result;
}
}
}
|
using System;
using System.Collections.Generic;
using System.Runtime.InteropServices;
namespace Examples
{
class Program
{
[STAThread]
static void Main(string[] args)
{
SolidEdgeFramework.Application application = null;
SolidEdgePart.PartDocument partDocument = null;
SolidEdgePart.Models models = null;
SolidEdgePart.Model model = null;
SolidEdgePart.RevolvedCutouts revolvedCutouts = null;
SolidEdgePart.RevolvedCutout revolvedCutout = null;
try
{
// See "Handling 'Application is Busy' and 'Call was Rejected By Callee' errors" topic.
OleMessageFilter.Register();
// Attempt to connect to a running instance of Solid Edge.
application = (SolidEdgeFramework.Application)Marshal.GetActiveObject("SolidEdge.Application");
partDocument = application.ActiveDocument as SolidEdgePart.PartDocument;
if (partDocument != null)
{
models = partDocument.Models;
model = models.Item(1);
revolvedCutouts = model.RevolvedCutouts;
for (int i = 1; i <= revolvedCutouts.Count; i++)
{
revolvedCutout = revolvedCutouts.Item(i);
var topCap = (SolidEdgeGeometry.Face)revolvedCutout.TopCap;
}
}
}
catch (System.Exception ex)
{
Console.WriteLine(ex);
}
finally
{
OleMessageFilter.Unregister();
}
}
}
}
|
class <API key> < <API key>
<API key> :stop_tracking, :only => [:destroy]
def stop_tracking
current_user.update_attributes(:current_sign_in_ip => nil)
end
end
|
using System.ComponentModel;
namespace LinqAn.Google.Metrics
{
<summary>
The total number of completions for the requested goal number.
</summary>
[Description("The total number of completions for the requested goal number.")]
public class Goal19Completions: Metric<int>
{
<summary>
Instantiates a <seealso cref="Goal19Completions" />.
</summary>
public Goal19Completions(): base("Goal 19 Completions",true,"ga:goal19Completions")
{
}
}
}
|
using Silk.NET.Input;
using Silk.NET.Maths;
using Silk.NET.Windowing;
namespace <API key>
{
class Program
{
private static IWindow _window;
private static void Main(string[] args)
{
//Create a window.
var options = WindowOptions.Default;
options = new WindowOptions
(
true,
new Vector2D<int>(50, 50),
new Vector2D<int>(1280, 720),
0.0,
0.0,
new GraphicsAPI
(
ContextAPI.OpenGL,
ContextProfile.Core,
ContextFlags.ForwardCompatible,
new APIVersion(3, 3)
),
"",
WindowState.Normal,
WindowBorder.Resizable,
false,
false,
VideoMode.Default
);
options.Size = new Vector2D<int>(800, 600);
options.Title = "LearnOpenGL with Silk.NET";
_window = Window.Create(options);
//Assign events.
_window.Load += OnLoad;
_window.Update += OnUpdate;
_window.Render += OnRender;
//Run the window.
_window.Run();
}
private static void OnLoad()
{
//Set-up input context.
IInputContext input = _window.CreateInput();
for (int i = 0; i < input.Keyboards.Count; i++)
{
input.Keyboards[i].KeyDown += KeyDown;
}
}
private static void OnRender(double obj)
{
//Here all rendering should be done.
}
private static void OnUpdate(double obj)
{
//Here all updates to the program should be done.
}
private static void KeyDown(IKeyboard arg1, Key arg2, int arg3)
{
//Check to close the window on escape.
if (arg2 == Key.Escape)
{
_window.Close();
}
}
}
}
|
FILE(REMOVE_RECURSE
"CMakeFiles/polynomialutils_4.dir/polynomialutils.cpp.o"
"polynomialutils_4.pdb"
"polynomialutils_4"
)
# Per-language clean rules from dependency scanning.
FOREACH(lang CXX)
INCLUDE(CMakeFiles/polynomialutils_4.dir/cmake_clean_${lang}.cmake OPTIONAL)
ENDFOREACH(lang)
|
title: Overdose Fatality Review Teams Literature Review
_template: publication
area:
- Criminal Justice System
pubtype:
- Research Report
pubstatatus: 'true'
summary: States and localities across the United States have implemented overdose fatality review teams to address the impact of the opioid crisis on their communities. Overdose fatality review teams are designed to increase cross-system collaboration among various public safety, public health, and social service agencies; identify missed opportunities and system gaps; and develop recommendations for intervention efforts in hopes of preventing future overdose deaths. However, limitations in peer-reviewed research on the effectiveness of overdose fatality review teams limit the understanding of their usefulness. This article provides a review of literature on overdose fatality review teams, including goals, recommendations, and information sharing protocols, as well as considerations from other fatality review teams.
articleLink: /articles/<API key>
puburl: /assets/articles/Overdose Fatality Review Team Literature Review <API key>.pdf
States and localities across the United States have implemented overdose fatality review teams to address the impact of the opioid crisis on their communities. Overdose fatality review teams are designed to increase cross-system collaboration among various public safety, public health, and social service agencies; identify missed opportunities and system gaps; and develop recommendations for intervention efforts in hopes of preventing future overdose deaths. However, limitations in peer-reviewed research on the effectiveness of overdose fatality review teams limit the understanding of their usefulness. This article provides a review of literature on overdose fatality review teams, including goals, recommendations, and information sharing protocols, as well as considerations from other fatality review teams.
|
<?php
namespace Libreame\BackendBundle\Helpers;
use Libreame\BackendBundle\Controller\AccesoController;
use Libreame\BackendBundle\Repository\<API key>;
use Libreame\BackendBundle\Entity\LbIdiomas;
use Libreame\BackendBundle\Entity\LbUsuarios;
use Libreame\BackendBundle\Entity\LbEjemplares;
use Libreame\BackendBundle\Entity\LbSesiones;
use Libreame\BackendBundle\Entity\LbEditoriales;
use Libreame\BackendBundle\Entity\LbAutores;
/**
* Description of Feeds
*
* @author mramirez
*/
class GestionEjemplares {
public function buscarEjemplares(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
$usuario = new LbUsuarios();
$sesion = new LbSesiones();
$ejemplares = new LbEjemplares();
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//echo "<script>alert(' buscaEjemplares :: FindAll ')</script>";
//Busca el usuario
$usuario = <API key>::getUsuarioByEmail($psolicitud->getEmail());
//$membresia= <API key>::<API key>($usuario);
//echo "<script>alert('MEM ".count($membresia)." regs ')</script>";
$grupo= <API key>::<API key>($usuario);
$arrGru = array();
foreach ($grupo as $gru){
$arrGru[] = $gru->getIngrupo();
}
$ejemplares = <API key>::getBuscarEjemplares($usuario, $arrGru, $psolicitud->getTextoBuscar());
$respuesta->setRespuesta(AccesoController::inExitoso);
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
} else {
$respuesta->setRespuesta($respSesionVali);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
}
public function <API key>(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
$usuario = new LbUsuarios();
$sesion = new LbSesiones();
//$ejemplares = new LbEjemplares();
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' <API key> :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//echo "<script>alert(' <API key> :: FindAll ')</script>";
//Busca el usuario
$usuario = <API key>::getUsuarioByEmail($psolicitud->getEmail());
//$membresia= <API key>::<API key>($usuario);
//echo "<script>alert('MEM ".count($membresia)." regs ')</script>";
$grupo= <API key>::<API key>($usuario);
$arrGru = array();
foreach ($grupo as $gru){
$arrGru[] = $gru->getIngrupo();
}
$ejemplares = <API key>::<API key>($arrGru, $psolicitud->getUltEjemplar());
//echo "Imagen ".$ejemplares;
$respuesta->setRespuesta(AccesoController::inExitoso);
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
} else {
$respuesta->setRespuesta($respSesionVali);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
}
public function publicarEjemplar(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' Publicar :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//Genera la oferta para el ejemplar si la accion es 1}
//echo "Decide accion para ejemplar : ".$psolicitud->getAccionComm();
if ($psolicitud->getAccionComm() == AccesoController::inAccPublica) {
//echo "\n La acion es publicar";
$respPub = <API key>::<API key>($psolicitud);
$respuesta->setRespuesta($respPub);
} elseif ($psolicitud->getAccionComm() == AccesoController::inAccDespubl) {
} elseif ($psolicitud->getAccionComm() == AccesoController::inAccModific) {
} elseif ($psolicitud->getAccionComm() == AccesoController::inAccElimina) {}
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
} else {
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
}
public function <API key>(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
$usuario = new LbUsuarios();
$sesion = new LbSesiones();
$ejemplares = new LbEjemplares();
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//echo "<script>alert(' buscaEjemplares :: FindAll ')</script>";
//Busca el usuario
$usuario = <API key>::getUsuarioByEmail($psolicitud->getEmail());
//$membresia= <API key>::<API key>($usuario);
//echo "<script>alert('MEM ".count($membresia)." regs ')</script>";
$grupo= <API key>::<API key>($usuario);
$arrGru = array();
foreach ($grupo as $gru){
$arrGru[] = $gru->getIngrupo();
}
$ejemplares = <API key>::<API key>($usuario, $arrGru, $psolicitud->getFiltro());
$respuesta->setRespuesta(AccesoController::inExitoso);
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
} else {
$respuesta->setRespuesta($respSesionVali);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$ejemplares = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ejemplares);
}
}
public function recuperarOferta(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
$usuario = new LbUsuarios();
$sesion = new LbSesiones();
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//echo "<script>alert(' <API key> :: FindAll ')</script>";
//Busca el usuario
$usuario = <API key>::getUsuarioByEmail($psolicitud->getEmail());
//$membresia= <API key>::<API key>($usuario);
//echo "<script>alert('MEM ".count($membresia)." regs ')</script>";
$oferta = <API key>::getOfertaById($psolicitud->getIdOferta());
//echo "<script>alert('Oferta ".$psolicitud->getIdOferta()." ')</script>";
if ($oferta != NULL){
if ($oferta->getInofeactiva() == AccesoController::inExitoso){
$respuesta->setRespuesta(AccesoController::inExitoso);
} else {
$respuesta->setRespuesta(AccesoController::inMenNoAc);
}
} else {
$respuesta->setRespuesta(AccesoController::inMenNoEx);
}
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta);
} else {
$respuesta->setRespuesta($respSesionVali);
$oferta = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$oferta = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $oferta);
}
}
public function listarIdiomas(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$respuesta->setRespuesta(AccesoController::inExitoso);
//echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n";
$idiomas = <API key>::getListaIdiomas();
$idioma = new LbIdiomas();
$arIdiomas = array();
//$contador = 0;
foreach ($idiomas as $idioma) {
$arIdiomas[] = array("ididioma"=>$idioma->getInididioma(), "nomidioma"=>utf8_encode($idioma->getTxidinombre()));
//echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n";
//$contador++;
}
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas);
} else {
$respuesta->setRespuesta($respSesionVali);
$arIdiomas = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$arIdiomas = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arIdiomas);
}
}
public function megustaEjemplar(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$resp = <API key>::setMegustaEjemplar($psolicitud->getIdEjemplar(), $psolicitud->getMegusta(), $psolicitud->getEmail());
$respuesta->setRespuesta($resp);
$respuesta->setCantComenta(<API key>::getCantComment($psolicitud->getIdEjemplar()));
$respuesta->setCantMegusta(<API key>::getCantMegusta($psolicitud->getIdEjemplar()));
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
} else {
//echo 'sesion invalida';
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
}
public function VerUsrgustaEjemplar(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$UsrMegusta = <API key>::<API key>($psolicitud);
$respuesta->setRespuesta(AccesoController::inExitoso);
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta);
} else {
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $UsrMegusta);
}
}
public function comentarEjemplar(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$resp = <API key>::<API key>($psolicitud);
$respuesta->setRespuesta($resp);
$respuesta->setCantComenta(<API key>::getCantComment($psolicitud->getIdEjemplar()));
$respuesta->setCantMegusta(<API key>::getCantMegusta($psolicitud->getIdEjemplar()));
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
} else {
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, NULL);
}
}
public function <API key>(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$ComenEjemplar = <API key>::<API key>($psolicitud);
$respuesta->setRespuesta(AccesoController::inExitoso);
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar);
} else {
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $ComenEjemplar);
}
}
public function enviarMensajeChat(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
//Guarda la acion del usuario en una variable
$ultAccion = $psolicitud->getTratoAcep();
//Guarda el chat
$resp = <API key>::setMensajeChat($psolicitud);
//echo "respuesta ".$resp;
if (is_null($resp)) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
} else {
$usrDueno = AccesoController::inDatoCer;
$respuesta->setRespuesta(AccesoController::inDatoUno);
$arrConversacion = array();
$objConv = new LbNegociacion();
$objConv = <API key>::<API key>($resp);
//echo "respuesta ".$resp;
if (!empty($objConv)) {
$usuarioEnv = <API key>::getUsuarioByEmail($psolicitud->getEmail());
$usuarioDes = <API key>::getUsuarioById($psolicitud->getIdusuariodes());
foreach ($objConv as $neg){
$idconversa = $neg-><API key>();
if($neg->getInnegusuescribe() == $neg->getInnegusuduenho()){
$usrrecibe = $neg->getInnegususolicita();
$usrDueno = AccesoController::inDatoUno;
} else {
$usrrecibe = $neg->getInnegusuduenho();
$usrDueno = AccesoController::inDatoCer;
}
$arrConversacion[] = array('fecha' => $neg->getFenegfechamens()->format(("Y-m-d H:i:s")),
'usrescribe' => $neg->getInnegusuescribe()->getInusuario(),
'nommostusrescribe' => utf8_encode($neg->getInnegusuescribe()->getTxusunommostrar()),
'idusrdestino' => $usrrecibe->getInusuario(),
'nommostusrdest' => utf8_encode($usrrecibe->getTxusunommostrar()),
'txmensaje' => utf8_encode($neg->getTxnegmensaje()),
'idconversa' => utf8_encode($neg-><API key>()),
'tratoacep' => $neg->getInnegtratoacep());
}
$respuesta->setIndAcept(<API key>::getUsAceptTrato($usuarioEnv, $idconversa));
$respuesta->setIndOtroAcept(<API key>::getUsAceptTrato($usuarioDes, $idconversa));
$respuesta->setBotonesMostrar(<API key>::getBotonesMostrar($idconversa,$usrDueno,$ultAccion));
}
}
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion);
} else {
$respuesta->setRespuesta($respSesionVali);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arrConversacion);
}
}
public function listarEditoriales(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$respuesta->setRespuesta(AccesoController::inExitoso);
//echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n";
$editoriales = <API key>::getListaEditoriales();
$editorial = new LbEditoriales();
$arEditoriales = array();
//$contador = 0;
foreach ($editoriales as $editorial) {
$arEditoriales[] = array("ideditor"=>$editorial->getInideditorial(), "nomeditor"=>utf8_encode($editorial->getTxedinombre()));
//echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n";
//$contador++;
}
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales);
} else {
$respuesta->setRespuesta($respSesionVali);
$arEditoriales = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$arEditoriales = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arEditoriales);
}
}
public function listarAutores(Solicitud $psolicitud)
{
/*setlocale (LC_TIME, "es_CO");
$fecha = new \DateTime;*/
$respuesta = new Respuesta();
$objLogica = $this->get('logica_service');
try {
$respSesionVali= <API key>::validaSesionUsuario($psolicitud);
//echo "<script>alert(' buscarEjemplares :: Validez de sesion ".$respSesionVali." ')</script>";
if ($respSesionVali==AccesoController::inULogged)
{
//SE INACTIVA PORQUE PUEDE GENERAR UNA GRAN CANTIDAD DE REGISTROS EN UNA SOLA SESION
//Busca y recupera el objeto de la sesion::
//$sesion = <API key>::<API key>($usuario,$psolicitud);
//echo "<script>alert('La sesion es ".$sesion->getTxsesnumero()." ')</script>";
//Guarda la actividad de la sesion::
$respuesta->setRespuesta(AccesoController::inExitoso);
//echo "Respuesta Idiomas: ".$respuesta->getRespuesta()." \n";
$autores = <API key>::getListaAutores();
$autor = new LbAutores();
$arAutores = array();
//$contador = 0;
foreach ($autores as $autor) {
$arAutores[] = array("idautor"=>$autor->getInidautor(), "nomautor"=>utf8_encode($autor->getTxautnombre()));
//echo "Idioma=".$idioma->getInididioma()." - ".$idioma->getTxidinombre()." \n";
//$contador++;
}
//echo "esto es lo que hay en respuesta";
//print_r($respuesta);
//echo $contador." - lugares hallados";
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores);
} else {
$respuesta->setRespuesta($respSesionVali);
$arAutores = array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores);
}
} catch (Exception $ex) {
$respuesta->setRespuesta(AccesoController::inPlatCai);
$arAutores= array();
return $objLogica::generaRespuesta($respuesta, $psolicitud, $arAutores);
}
}
}
|
;(function() {
/**
* Block-Level Grammar
*/
var block = {
newline: /^\n+/,
code: /^( {4}[^\n]+\n*)+/,
fences: noop,
hr: /^( *[-*_]){3,} *(?:\n+|$)/,
heading: /^ *(#{1,6}) *([^\n]+?) *#* *(?:\n+|$)/,
nptable: noop,
lheading: /^([^\n]+)\n *(=|-){2,} *(?:\n+|$)/,
blockquote: /^( *>[^\n]+(\n(?!def)[^\n]+)*\n*)+/,
list: /^( *)(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/,
html: /^ *(?:comment *(?:\n|\s*$)|closed *(?:\n{2,}|\s*$)|closing *(?:\n{2,}|\s*$))/,
def: /^ *\[([^\]]+)\]: *<?([^\s>]+)>?(?: +["(]([^\n]+)[")])? *(?:\n+|$)/,
table: noop,
paragraph: /^((?:[^\n]+\n?(?!hr|heading|lheading|blockquote|tag|def))+)\n*/,
text: /^[^\n]+/
};
block.bullet = /(?:[*+-]|\d+\.)/;
block.item = /^( *)(bull) [^\n]*(?:\n(?!\1bull )[^\n]*)*/;
block.item = replace(block.item, 'gm')
(/bull/g, block.bullet)
();
block.list = replace(block.list)
(/bull/g, block.bullet)
('hr', '\\n+(?=\\1?(?:[-*_] *){3,}(?:\\n+|$))')
('def', '\\n+(?=' + block.def.source + ')')
();
block.blockquote = replace(block.blockquote)
('def', block.def)
();
block._tag = '(?!(?:'
+ 'a|em|strong|small|s|cite|q|dfn|abbr|data|time|code'
+ '|var|samp|kbd|sub|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo'
+ '|span|br|wbr|ins|del|img)\\b)\\w+(?!:/|[^\\w\\s@]*@)\\b';
block.html = replace(block.html)
('comment',
('closed', /<(tag)[\s\S]+?<\/\1>/)
('closing', /<tag(?:"[^"]*"|'[^']*'|[^'">])*?>/)
(/tag/g, block._tag)
();
block.paragraph = replace(block.paragraph)
('hr', block.hr)
('heading', block.heading)
('lheading', block.lheading)
('blockquote', block.blockquote)
('tag', '<' + block._tag)
('def', block.def)
();
/**
* Normal Block Grammar
*/
block.normal = merge({}, block);
/**
* GFM Block Grammar
*/
block.gfm = merge({}, block.normal, {
fences: /^ *(`{3,}|~{3,})[ \.]*(\S+)? *\n([\s\S]*?)\s*\1 *(?:\n+|$)/,
paragraph: /^/,
heading: /^ *(#{1,6}) +([^\n]+?) *#* *(?:\n+|$)/
});
block.gfm.paragraph = replace(block.paragraph)
('(?!', '(?!'
+ block.gfm.fences.source.replace('\\1', '\\2') + '|'
+ block.list.source.replace('\\1', '\\3') + '|')
();
/**
* GFM + Tables Block Grammar
*/
block.tables = merge({}, block.gfm, {
nptable: /^ *(\S.*\|.*)\n *([-:]+ *\|[-| :]*)\n((?:.*\|.*(?:\n|$))*)\n*/,
table: /^ *\|(.+)\n *\|( *[-:]+[-| :]*)\n((?: *\|.*(?:\n|$))*)\n*/
});
/**
* Block Lexer
*/
function Lexer(options) {
this.tokens = [];
this.tokens.links = {};
this.options = options || marked.defaults;
this.rules = block.normal;
if (this.options.gfm) {
if (this.options.tables) {
this.rules = block.tables;
} else {
this.rules = block.gfm;
}
}
}
/**
* Expose Block Rules
*/
Lexer.rules = block;
/**
* Static Lex Method
*/
Lexer.lex = function(src, options) {
var lexer = new Lexer(options);
return lexer.lex(src);
};
/**
* Preprocessing
*/
Lexer.prototype.lex = function(src) {
src = src
.replace(/\r\n|\r/g, '\n')
.replace(/\t/g, ' ')
.replace(/\u00a0/g, ' ')
.replace(/\u2424/g, '\n');
return this.token(src, true);
};
/**
* Lexing
*/
Lexer.prototype.token = function(src, top, bq) {
var src = src.replace(/^ +$/gm, '')
, next
, loose
, cap
, bull
, b
, item
, space
, i
, l;
while (src) {
// newline
if (cap = this.rules.newline.exec(src)) {
src = src.substring(cap[0].length);
if (cap[0].length > 1) {
this.tokens.push({
type: 'space'
});
}
}
// code
if (cap = this.rules.code.exec(src)) {
src = src.substring(cap[0].length);
cap = cap[0].replace(/^ {4}/gm, '');
this.tokens.push({
type: 'code',
text: !this.options.pedantic
? cap.replace(/\n+$/, '')
: cap
});
continue;
}
// fences (gfm)
if (cap = this.rules.fences.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'code',
lang: cap[2],
text: cap[3] || ''
});
continue;
}
// heading
if (cap = this.rules.heading.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'heading',
depth: cap[1].length,
text: cap[2]
});
continue;
}
// table no leading pipe (gfm)
if (top && (cap = this.rules.nptable.exec(src))) {
src = src.substring(cap[0].length);
item = {
type: 'table',
header: cap[1].replace(/^ *| *\| *$/g, '').split(/ *\| */),
align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */),
cells: cap[3].replace(/\n$/, '').split('\n')
};
for (i = 0; i < item.align.length; i++) {
if (/^ *-+: *$/.test(item.align[i])) {
item.align[i] = 'right';
} else if (/^ *:-+: *$/.test(item.align[i])) {
item.align[i] = 'center';
} else if (/^ *:-+ *$/.test(item.align[i])) {
item.align[i] = 'left';
} else {
item.align[i] = null;
}
}
for (i = 0; i < item.cells.length; i++) {
item.cells[i] = item.cells[i].split(/ *\| */);
}
this.tokens.push(item);
continue;
}
// lheading
if (cap = this.rules.lheading.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'heading',
depth: cap[2] === '=' ? 1 : 2,
text: cap[1]
});
continue;
}
if (cap = this.rules.hr.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'hr'
});
continue;
}
// blockquote
if (cap = this.rules.blockquote.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'blockquote_start'
});
cap = cap[0].replace(/^ *> ?/gm, '');
// Pass `top` to keep the current
// "toplevel" state. This is exactly
// how markdown.pl works.
this.token(cap, top, true);
this.tokens.push({
type: 'blockquote_end'
});
continue;
}
// list
if (cap = this.rules.list.exec(src)) {
src = src.substring(cap[0].length);
bull = cap[2];
this.tokens.push({
type: 'list_start',
ordered: bull.length > 1
});
// Get each top-level item.
cap = cap[0].match(this.rules.item);
next = false;
l = cap.length;
i = 0;
for (; i < l; i++) {
item = cap[i];
// Remove the list item's bullet
// so it is seen as the next token.
space = item.length;
item = item.replace(/^ *([*+-]|\d+\.) +/, '');
// Outdent whatever the
// list item contains. Hacky.
if (~item.indexOf('\n ')) {
space -= item.length;
item = !this.options.pedantic
? item.replace(new RegExp('^ {1,' + space + '}', 'gm'), '')
: item.replace(/^ {1,4}/gm, '');
}
// Determine whether the next list item belongs here.
// Backpedal if it does not belong in this list.
if (this.options.smartLists && i !== l - 1) {
b = block.bullet.exec(cap[i + 1])[0];
if (bull !== b && !(bull.length > 1 && b.length > 1)) {
src = cap.slice(i + 1).join('\n') + src;
i = l - 1;
}
}
// Determine whether item is loose or not.
// Use: /(^|\n)(?! )[^\n]+\n\n(?!\s*$)/
// for discount behavior.
loose = next || /\n\n(?!\s*$)/.test(item);
if (i !== l - 1) {
next = item.charAt(item.length - 1) === '\n';
if (!loose) loose = next;
}
this.tokens.push({
type: loose
? 'loose_item_start'
: 'list_item_start'
});
// Recurse.
this.token(item, false, bq);
this.tokens.push({
type: 'list_item_end'
});
}
this.tokens.push({
type: 'list_end'
});
continue;
}
// html
if (cap = this.rules.html.exec(src)) {
src = src.substring(cap[0].length);
this.tokens.push({
type: this.options.sanitize
? 'paragraph'
: 'html',
pre: !this.options.sanitizer
&& (cap[1] === 'pre' || cap[1] === 'script' || cap[1] === 'style'),
text: cap[0]
});
continue;
}
// def
if ((!bq && top) && (cap = this.rules.def.exec(src))) {
src = src.substring(cap[0].length);
this.tokens.links[cap[1].toLowerCase()] = {
href: cap[2],
title: cap[3]
};
continue;
}
// table (gfm)
if (top && (cap = this.rules.table.exec(src))) {
src = src.substring(cap[0].length);
item = {
type: 'table',
header: cap[1].replace(/^ *| *\| *$/g, '').split(/ *\| */),
align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */),
cells: cap[3].replace(/(?: *\| *)?\n$/, '').split('\n')
};
for (i = 0; i < item.align.length; i++) {
if (/^ *-+: *$/.test(item.align[i])) {
item.align[i] = 'right';
} else if (/^ *:-+: *$/.test(item.align[i])) {
item.align[i] = 'center';
} else if (/^ *:-+ *$/.test(item.align[i])) {
item.align[i] = 'left';
} else {
item.align[i] = null;
}
}
for (i = 0; i < item.cells.length; i++) {
item.cells[i] = item.cells[i]
.replace(/^ *\| *| *\| *$/g, '')
.split(/ *\| */);
}
this.tokens.push(item);
continue;
}
// top-level paragraph
if (top && (cap = this.rules.paragraph.exec(src))) {
src = src.substring(cap[0].length);
this.tokens.push({
type: 'paragraph',
text: cap[1].charAt(cap[1].length - 1) === '\n'
? cap[1].slice(0, -1)
: cap[1]
});
continue;
}
// text
if (cap = this.rules.text.exec(src)) {
// Top-level should never reach here.
src = src.substring(cap[0].length);
this.tokens.push({
type: 'text',
text: cap[0]
});
continue;
}
if (src) {
throw new
Error('Infinite loop on byte: ' + src.charCodeAt(0));
}
}
return this.tokens;
};
/**
* Inline-Level Grammar
*/
var inline = {
escape: /^\\([\\`*{}\[\]()
autolink: /^<([^ >]+(@|:\/)[^ >]+)>/,
url: noop,
tag: /^|^<\/?\w+(?:"[^"]*"|'[^']*'|[^'">])*?>/,
link: /^!?\[(inside)\]\(href\)/,
reflink: /^!?\[(inside)\]\s*\[([^\]]*)\]/,
nolink: /^!?\[((?:\[[^\]]*\]|[^\[\]])*)\]/,
strong: /^__([\s\S]+?)__(?!_)|^\*\*([\s\S]+?)\*\*(?!\*)/,
em: /^\b_((?:[^_]|__)+?)_\b|^\*((?:\*\*|[\s\S])+?)\*(?!\*)/,
code: /^(`+)([\s\S]*?[^`])\1(?!`)/,
br: /^ {2,}\n(?!\s*$)/,
del: noop,
text: /^[\s\S]+?(?=[\\<!\[_*`]| {2,}\n|$)/
};
inline._inside = /(?:\[[^\]]*\]|[^\[\]]|\](?=[^\[]*\]))*/;
inline._href = /\s*<?([\s\S]*?)>?(?:\s+['"]([\s\S]*?)['"])?\s*/;
inline.link = replace(inline.link)
('inside', inline._inside)
('href', inline._href)
();
inline.reflink = replace(inline.reflink)
('inside', inline._inside)
();
/**
* Normal Inline Grammar
*/
inline.normal = merge({}, inline);
/**
* Pedantic Inline Grammar
*/
inline.pedantic = merge({}, inline.normal, {
strong: /^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/,
em: /^_(?=\S)([\s\S]*?\S)_(?!_)|^\*(?=\S)([\s\S]*?\S)\*(?!\*)/
});
/**
* GFM Inline Grammar
*/
inline.gfm = merge({}, inline.normal, {
escape: replace(inline.escape)('])', '~|])')(),
url: /^(https?:\/\/[^\s<]+[^<.,:;"')\]\s])/,
del: /^~~(?=\S)([\s\S]*?\S)~~/,
text: replace(inline.text)
(']|', '~]|')
('|', '|https?:
()
});
/**
* GFM + Line Breaks Inline Grammar
*/
inline.breaks = merge({}, inline.gfm, {
br: replace(inline.br)('{2,}', '*')(),
text: replace(inline.gfm.text)('{2,}', '*')()
});
/**
* Inline Lexer & Compiler
*/
function InlineLexer(links, options) {
this.options = options || marked.defaults;
this.links = links;
this.rules = inline.normal;
this.renderer = this.options.renderer || new Renderer;
this.renderer.options = this.options;
if (!this.links) {
throw new
Error('Tokens array requires a `links` property.');
}
if (this.options.gfm) {
if (this.options.breaks) {
this.rules = inline.breaks;
} else {
this.rules = inline.gfm;
}
} else if (this.options.pedantic) {
this.rules = inline.pedantic;
}
}
/**
* Expose Inline Rules
*/
InlineLexer.rules = inline;
/**
* Static Lexing/Compiling Method
*/
InlineLexer.output = function(src, links, options) {
var inline = new InlineLexer(links, options);
return inline.output(src);
};
/**
* Lexing/Compiling
*/
InlineLexer.prototype.output = function(src) {
var out = ''
, link
, text
, href
, cap;
while (src) {
// escape
if (cap = this.rules.escape.exec(src)) {
src = src.substring(cap[0].length);
out += cap[1];
continue;
}
// autolink
if (cap = this.rules.autolink.exec(src)) {
src = src.substring(cap[0].length);
if (cap[2] === '@') {
text = cap[1].charAt(6) === ':'
? this.mangle(cap[1].substring(7))
: this.mangle(cap[1]);
href = this.mangle('mailto:') + text;
} else {
text = escape(cap[1]);
href = text;
}
out += this.renderer.link(href, null, text);
continue;
}
// url (gfm)
if (!this.inLink && (cap = this.rules.url.exec(src))) {
src = src.substring(cap[0].length);
text = escape(cap[1]);
href = text;
out += this.renderer.link(href, null, text);
continue;
}
// tag
if (cap = this.rules.tag.exec(src)) {
if (!this.inLink && /^<a /i.test(cap[0])) {
this.inLink = true;
} else if (this.inLink && /^<\/a>/i.test(cap[0])) {
this.inLink = false;
}
src = src.substring(cap[0].length);
out += this.options.sanitize
? this.options.sanitizer
? this.options.sanitizer(cap[0])
: escape(cap[0])
: cap[0]
continue;
}
// link
if (cap = this.rules.link.exec(src)) {
src = src.substring(cap[0].length);
this.inLink = true;
out += this.outputLink(cap, {
href: cap[2],
title: cap[3]
});
this.inLink = false;
continue;
}
// reflink, nolink
if ((cap = this.rules.reflink.exec(src))
|| (cap = this.rules.nolink.exec(src))) {
src = src.substring(cap[0].length);
link = (cap[2] || cap[1]).replace(/\s+/g, ' ');
link = this.links[link.toLowerCase()];
if (!link || !link.href) {
out += cap[0].charAt(0);
src = cap[0].substring(1) + src;
continue;
}
this.inLink = true;
out += this.outputLink(cap, link);
this.inLink = false;
continue;
}
// strong
if (cap = this.rules.strong.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.strong(this.output(cap[2] || cap[1]));
continue;
}
if (cap = this.rules.em.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.em(this.output(cap[2] || cap[1]));
continue;
}
// code
if (cap = this.rules.code.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.codespan(escape(cap[2].trim(), true));
continue;
}
if (cap = this.rules.br.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.br();
continue;
}
// del (gfm)
if (cap = this.rules.del.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.del(this.output(cap[1]));
continue;
}
// text
if (cap = this.rules.text.exec(src)) {
src = src.substring(cap[0].length);
out += this.renderer.text(escape(this.smartypants(cap[0])));
continue;
}
if (src) {
throw new
Error('Infinite loop on byte: ' + src.charCodeAt(0));
}
}
return out;
};
/**
* Compile Link
*/
InlineLexer.prototype.outputLink = function(cap, link) {
var href = escape(link.href)
, title = link.title ? escape(link.title) : null;
return cap[0].charAt(0) !== '!'
? this.renderer.link(href, title, this.output(cap[1]))
: this.renderer.image(href, title, escape(cap[1]));
};
/**
* Smartypants Transformations
*/
InlineLexer.prototype.smartypants = function(text) {
if (!this.options.smartypants) return text;
return text
// em-dashes
.replace(/---/g, '\u2014')
// en-dashes
.replace(/--/g, '\u2013')
// opening singles
.replace(/(^|[-\u2014/(\[{"\s])'/g, '$1\u2018')
// closing singles & apostrophes
.replace(/'/g, '\u2019')
// opening doubles
.replace(/(^|[-\u2014/(\[{\u2018\s])"/g, '$1\u201c')
// closing doubles
.replace(/"/g, '\u201d')
// ellipses
.replace(/\.{3}/g, '\u2026');
};
/**
* Mangle Links
*/
InlineLexer.prototype.mangle = function(text) {
if (!this.options.mangle) return text;
var out = ''
, l = text.length
, i = 0
, ch;
for (; i < l; i++) {
ch = text.charCodeAt(i);
if (Math.random() > 0.5) {
ch = 'x' + ch.toString(16);
}
out += '&
}
return out;
};
/**
* Renderer
*/
function Renderer(options) {
this.options = options || {};
}
Renderer.prototype.code = function(code, lang, escaped) {
if (this.options.highlight) {
var out = this.options.highlight(code, lang);
if (out != null && out !== code) {
escaped = true;
code = out;
}
}
if (!lang) {
return '<pre><code>'
+ (escaped ? code : escape(code, true))
+ '\n</code></pre>';
}
return '<pre><code class="'
+ this.options.langPrefix
+ escape(lang, true)
+ '">'
+ (escaped ? code : escape(code, true))
+ '\n</code></pre>\n';
};
Renderer.prototype.blockquote = function(quote) {
return '<blockquote>\n' + quote + '</blockquote>\n';
};
Renderer.prototype.html = function(html) {
return html;
};
Renderer.prototype.heading = function(text, level, raw) {
return '<h'
+ level
+ ' id="'
+ this.options.headerPrefix
+ raw.toLowerCase().replace(/[^\w]+/g, '-')
+ '">'
+ text
+ '</h'
+ level
+ '>\n';
};
Renderer.prototype.hr = function() {
return this.options.xhtml ? '<hr/>\n' : '<hr>\n';
};
Renderer.prototype.list = function(body, ordered) {
var type = ordered ? 'ol' : 'ul';
return '<' + type + '>\n' + body + '</' + type + '>\n';
};
Renderer.prototype.listitem = function(text) {
return '<li>' + text + '</li>\n';
};
Renderer.prototype.paragraph = function(text) {
return '<p>' + text + '</p>\n';
};
Renderer.prototype.table = function(header, body) {
return '<table>\n'
+ '<thead>\n'
+ header
+ '</thead>\n'
+ '<tbody>\n'
+ body
+ '</tbody>\n'
+ '</table>\n';
};
Renderer.prototype.tablerow = function(content) {
return '<tr>\n' + content + '</tr>\n';
};
Renderer.prototype.tablecell = function(content, flags) {
var type = flags.header ? 'th' : 'td';
var tag = flags.align
? '<' + type + ' style="text-align:' + flags.align + '">'
: '<' + type + '>';
return tag + content + '</' + type + '>\n';
};
// span level renderer
Renderer.prototype.strong = function(text) {
return '<strong>' + text + '</strong>';
};
Renderer.prototype.em = function(text) {
return '<em>' + text + '</em>';
};
Renderer.prototype.codespan = function(text) {
return '<code>' + text + '</code>';
};
Renderer.prototype.br = function() {
return this.options.xhtml ? '<br/>' : '<br>';
};
Renderer.prototype.del = function(text) {
return '<del>' + text + '</del>';
};
Renderer.prototype.link = function(href, title, text) {
if (this.options.sanitize) {
try {
var prot = decodeURIComponent(unescape(href))
.replace(/[^\w:]/g, '')
.toLowerCase();
} catch (e) {
return '';
}
if (prot.indexOf('javascript:') === 0 || prot.indexOf('vbscript:') === 0 || prot.indexOf('data:') === 0) {
return '';
}
}
if (this.options.baseUrl && !<API key>.test(href)) {
href = resolveUrl(this.options.baseUrl, href);
}
var out = '<a href="' + href + '"';
if (title) {
out += ' title="' + title + '"';
}
out += '>' + text + '</a>';
return out;
};
Renderer.prototype.image = function(href, title, text) {
if (this.options.baseUrl && !<API key>.test(href)) {
href = resolveUrl(this.options.baseUrl, href);
}
var out = '<img src="' + href + '" alt="' + text + '"';
if (title) {
out += ' title="' + title + '"';
}
out += this.options.xhtml ? '/>' : '>';
return out;
};
Renderer.prototype.text = function(text) {
return text;
};
/**
* Parsing & Compiling
*/
function Parser(options) {
this.tokens = [];
this.token = null;
this.options = options || marked.defaults;
this.options.renderer = this.options.renderer || new Renderer;
this.renderer = this.options.renderer;
this.renderer.options = this.options;
}
/**
* Static Parse Method
*/
Parser.parse = function(src, options, renderer) {
var parser = new Parser(options, renderer);
return parser.parse(src);
};
/**
* Parse Loop
*/
Parser.prototype.parse = function(src) {
this.inline = new InlineLexer(src.links, this.options, this.renderer);
this.tokens = src.reverse();
var out = '';
while (this.next()) {
out += this.tok();
}
return out;
};
/**
* Next Token
*/
Parser.prototype.next = function() {
return this.token = this.tokens.pop();
};
/**
* Preview Next Token
*/
Parser.prototype.peek = function() {
return this.tokens[this.tokens.length - 1] || 0;
};
/**
* Parse Text Tokens
*/
Parser.prototype.parseText = function() {
var body = this.token.text;
while (this.peek().type === 'text') {
body += '\n' + this.next().text;
}
return this.inline.output(body);
};
/**
* Parse Current Token
*/
Parser.prototype.tok = function() {
switch (this.token.type) {
case 'space': {
return '';
}
case 'hr': {
return this.renderer.hr();
}
case 'heading': {
return this.renderer.heading(
this.inline.output(this.token.text),
this.token.depth,
this.token.text);
}
case 'code': {
return this.renderer.code(this.token.text,
this.token.lang,
this.token.escaped);
}
case 'table': {
var header = ''
, body = ''
, i
, row
, cell
, flags
, j;
// header
cell = '';
for (i = 0; i < this.token.header.length; i++) {
flags = { header: true, align: this.token.align[i] };
cell += this.renderer.tablecell(
this.inline.output(this.token.header[i]),
{ header: true, align: this.token.align[i] }
);
}
header += this.renderer.tablerow(cell);
for (i = 0; i < this.token.cells.length; i++) {
row = this.token.cells[i];
cell = '';
for (j = 0; j < row.length; j++) {
cell += this.renderer.tablecell(
this.inline.output(row[j]),
{ header: false, align: this.token.align[j] }
);
}
body += this.renderer.tablerow(cell);
}
return this.renderer.table(header, body);
}
case 'blockquote_start': {
var body = '';
while (this.next().type !== 'blockquote_end') {
body += this.tok();
}
return this.renderer.blockquote(body);
}
case 'list_start': {
var body = ''
, ordered = this.token.ordered;
while (this.next().type !== 'list_end') {
body += this.tok();
}
return this.renderer.list(body, ordered);
}
case 'list_item_start': {
var body = '';
while (this.next().type !== 'list_item_end') {
body += this.token.type === 'text'
? this.parseText()
: this.tok();
}
return this.renderer.listitem(body);
}
case 'loose_item_start': {
var body = '';
while (this.next().type !== 'list_item_end') {
body += this.tok();
}
return this.renderer.listitem(body);
}
case 'html': {
var html = !this.token.pre && !this.options.pedantic
? this.inline.output(this.token.text)
: this.token.text;
return this.renderer.html(html);
}
case 'paragraph': {
return this.renderer.paragraph(this.inline.output(this.token.text));
}
case 'text': {
return this.renderer.paragraph(this.parseText());
}
}
};
/**
* Helpers
*/
function escape(html, encode) {
return html
.replace(!encode ? /&(?!#?\w+;)/g : /&/g, '&')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/"/g, '"')
.replace(/'/g, '&
}
function unescape(html) {
// explicitly match decimal, hex, and named HTML entities
return html.replace(/&(#(?:\d+)|(?:#x[0-9A-Fa-f]+)|(?:\w+));?/g, function(_, n) {
n = n.toLowerCase();
if (n === 'colon') return ':';
if (n.charAt(0) === '
return n.charAt(1) === 'x'
? String.fromCharCode(parseInt(n.substring(2), 16))
: String.fromCharCode(+n.substring(1));
}
return '';
});
}
function replace(regex, opt) {
regex = regex.source;
opt = opt || '';
return function self(name, val) {
if (!name) return new RegExp(regex, opt);
val = val.source || val;
val = val.replace(/(^|[^\[])\^/g, '$1');
regex = regex.replace(name, val);
return self;
};
}
function resolveUrl(base, href) {
if (!baseUrls[' ' + base]) {
// we can ignore everything in base after the last slash of its path component,
// but we might need to add _that_
// https://tools.ietf.org/html/rfc3986#section-3
} else if (href.charAt(0) === '/') {
return base.replace(/(:\, '$1') + href;
} else {
return base + href;
}
}
baseUrls = {};
<API key> = /^$|^[a-z][a-z0-9+.-]*:|^[?
function noop() {}
noop.exec = noop;
function merge(obj) {
var i = 1
, target
, key;
for (; i < arguments.length; i++) {
target = arguments[i];
for (key in target) {
if (Object.prototype.hasOwnProperty.call(target, key)) {
obj[key] = target[key];
}
}
}
return obj;
}
/**
* Marked
*/
function marked(src, opt, callback) {
if (callback || typeof opt === 'function') {
if (!callback) {
callback = opt;
opt = null;
}
opt = merge({}, marked.defaults, opt || {});
var highlight = opt.highlight
, tokens
, pending
, i = 0;
try {
tokens = Lexer.lex(src, opt)
} catch (e) {
return callback(e);
}
pending = tokens.length;
var done = function(err) {
if (err) {
opt.highlight = highlight;
return callback(err);
}
var out;
try {
out = Parser.parse(tokens, opt);
} catch (e) {
err = e;
}
opt.highlight = highlight;
return err
? callback(err)
: callback(null, out);
};
if (!highlight || highlight.length < 3) {
return done();
}
delete opt.highlight;
if (!pending) return done();
for (; i < tokens.length; i++) {
(function(token) {
if (token.type !== 'code') {
return --pending || done();
}
return highlight(token.text, token.lang, function(err, code) {
if (err) return done(err);
if (code == null || code === token.text) {
return --pending || done();
}
token.text = code;
token.escaped = true;
--pending || done();
});
})(tokens[i]);
}
return;
}
try {
if (opt) opt = merge({}, marked.defaults, opt);
return Parser.parse(Lexer.lex(src, opt), opt);
} catch (e) {
e.message += '\nPlease report this to https://github.com/chjj/marked.';
if ((opt || marked.defaults).silent) {
return '<p>An error occured:</p><pre>'
+ escape(e.message + '', true)
+ '</pre>';
}
throw e;
}
}
/**
* Options
*/
marked.options =
marked.setOptions = function(opt) {
merge(marked.defaults, opt);
return marked;
};
marked.defaults = {
gfm: true,
tables: true,
breaks: false,
pedantic: false,
sanitize: false,
sanitizer: null,
mangle: true,
smartLists: false,
silent: false,
highlight: null,
langPrefix: 'lang-',
smartypants: false,
headerPrefix: '',
renderer: new Renderer,
xhtml: false,
baseUrl: null
};
/**
* Expose
*/
marked.Parser = Parser;
marked.parser = Parser.parse;
marked.Renderer = Renderer;
marked.Lexer = Lexer;
marked.lexer = Lexer.lex;
marked.InlineLexer = InlineLexer;
marked.inlineLexer = InlineLexer.output;
marked.parse = marked;
if (typeof module !== 'undefined' && typeof exports === 'object') {
module.exports = marked;
} else if (typeof define === 'function' && define.amd) {
define(function() { return marked; });
} else {
this.marked = marked;
}
}).call(function() {
return this || (typeof window !== 'undefined' ? window : global);
}());
|
// Unit Test (numerical differentiation)
#include <gtest/gtest.h>
#include <cmath>
#include "diff.h"
#include "matrix.h"
using namespace nmlib;
static double f_11(double x){ return cos(x); }
static double f_n1(const Matrix& x){ return cos(x(0))*cos(2*x(1)); }
static Matrix f_nm(const Matrix& x){ Matrix y(3); y(0)=cos(x(0)-x(1)); y(1)=sin(x(0)-x(1)); y(2)=sin(x(0)); return y; }
TEST(diff,gradient11){
for(int i=-10; i<=10; i++){
double x=i*0.9, dx=1.e-3;
EXPECT_NEAR(gradient(f_11,x,dx,false), -sin(x), 10.e-6); // df/dx
EXPECT_NEAR(gradient(f_11,x,dx,true ), -sin(x), 10.e-12); // higher order version
}
}
TEST(diff,gradientN1){
for(int i=-10; i<=10; i++){
Matrix x(2), dx(2), dy(2);
x(0)=i*0.9;
x(1)=1.2;
dx(0)=1.e-3;
dx(1)=1.e-3;
dy(0)=-sin(x(0))*cos(2*x(1));
dy(1)=-cos(x(0))*sin(2*x(1))*2;
for(size_t j=0; j<x.nrow(); j++){
EXPECT_NEAR(gradient(f_n1,x,j,dx(j),false), dy(j), 10.e-6); // df/dxj
EXPECT_NEAR(gradient(f_n1,x,j,dx(j),true ), dy(j), 10.e-12);
}
EXPECT_NEAR(norm(gradient(f_n1,x,dx,false)-dy), 0, 10.e-6); // (df/dxj)_j
EXPECT_NEAR(norm(gradient(f_n1,x,dx,true )-dy), 0, 10.e-12);
EXPECT_NEAR(norm(gradient(f_n1,x,dx(0),false)-dy), 0, 10.e-6);
EXPECT_NEAR(norm(gradient(f_n1,x,dx(0),true)-dy), 0, 10.e-12);
}
}
TEST(diff,jacobian){
for(int i=-10; i<=10; i++){
Matrix x(2), dx(2), dy(3,2);
x(0)=i*0.9;
x(1)=1.2;
dx(0)=1.e-3;
dx(1)=1.e-3;
dy(0,0)=-sin(x(0)-x(1)); dy(0,1)=+sin(x(0)-x(1));
dy(1,0)=+cos(x(0)-x(1)); dy(1,1)=-cos(x(0)-x(1));
dy(2,0)=+cos(x(0)); dy(2,1)=0;
for(size_t j=0; j<x.nrow(); j++){
EXPECT_NEAR(norm(jacobian(f_nm,x,j,dx(j),false)-getvec(dy,j)), 0, 10.e-6); // (dfi/dxj)_i
EXPECT_NEAR(norm(jacobian(f_nm,x,j,dx(j),true )-getvec(dy,j)), 0, 10.e-12);
}
EXPECT_NEAR(norm(jacobian(f_nm,x,dx,false)-dy), 0, 10.e-6); // (dfi/dxj)_ij
EXPECT_NEAR(norm(jacobian(f_nm,x,dx,true )-dy), 0, 10.e-12);
EXPECT_NEAR(norm(jacobian(f_nm,x,dx(0),false)-dy), 0, 10.e-6);
EXPECT_NEAR(norm(jacobian(f_nm,x,dx(0),true )-dy), 0, 10.e-12);
}
}
TEST(diff,hessian){
Matrix x({1,2}), dx({1.e-3,1.e-3}), h=hessian(f_n1,x,dx);
Matrix h1(2,2);
h1(0,0) = -cos(x(0))*cos(2*x(1));
h1(1,1) = -cos(x(0))*cos(2*x(1))*4;
h1(0,1) = h1(1,0) = +sin(x(0))*sin(2*x(1))*2;
EXPECT_NEAR(norm(h-h1), 0, 1.e-5*norm(h));
EXPECT_NEAR(norm(h-tp(h)), 0, 1.e-5*norm(h));
}
|
import React from "react";
import { Message } from "semantic-ui-react";
import Bracket from "./Bracket";
import "./index.scss";
import parseStats from './parseStats';
export default class Brackets extends React.PureComponent {
constructor(props) {
super(props);
this.state = {
data: this.updateStats(props),
};
}
<API key>(nextProps) {
if (nextProps.stats !== this.props.stats) {
this.setState({
data: this.updateStats(nextProps),
});
}
}
updateStats = (props) => {
return parseStats(props.stats);
};
render () {
if (!this.props.stats) {
return (
<Message>Waiting for Tournament Stats...</Message>
);
}
return (
<div>
{this.state.data.map((bracket, $index) => (
<div className="tournament-bracket" key={ bracket.match.matchID }>
<Bracket
finished={ this.props.stats.finished }
item={bracket}
key={$index}
totalGames={ this.props.stats.options.numberOfGames }
/>
</div>
))}
</div>
);
}
}
|
define([ 'backbone', 'metro', 'util' ], function(Backbone, Metro, Util) {
var MotivationBtnView = Backbone.View.extend({
className: 'motivation-btn-view menu-btn',
events: {
'click': 'toggle',
'mouseover': 'over',
'mouseout': 'out',
},
initialize: function(){
//ensure correct scope
_.bindAll(this, 'render', 'unrender', 'toggle', 'over', 'out');
//initial param
this.motivationView = new MotivationView();
//add to page
this.render();
},
render: function() {
var $button = $('<span class="mif-compass">');
$(this.el).html($button);
$(this.el).attr('title', 'motivation...');
$('body > .container').append($(this.el));
return this;
},
unrender: function() {
this.drawElementsView.unrender();
$(this.el).remove();
},
toggle: function() {
this.drawElementsView.toggle();
},
over: function() {
$(this.el).addClass('expand');
},
out: function() {
$(this.el).removeClass('expand');
}
});
var MotivationView = Backbone.View.extend({
className: 'motivation-view',
events: {
'click .draw': 'draw',
'click .clean': 'clean',
'change .input-type > select': 'clean'
},
initialize: function(){
//ensure correct scope
_.bindAll(this, 'render', 'unrender', 'toggle',
'drawMotivation', 'drawGPS', 'drawAssignedSection', '<API key>');
//motivation param
this.param = {};
this.param.o_lng = 114.05604600906372;
this.param.o_lat = 22.551225247189432;
this.param.d_lng = 114.09120440483093;
this.param.d_lat = 22.545463347318833;
this.param.path = "33879,33880,33881,33882,33883,33884,33885,41084,421,422,423,2383,2377,2376,2334,2335,2565,2566,2567,2568,2569,2570,2571,2572,2573,39716,39717,39718,39719,39720,39721,39722,39723,448,39677,39678";
//GPS param
this.param.gps = "114.05538082122803,22.551086528436926#114.05844390392303,22.551324331927283#114.06151771545409,22.551264881093118#114.06260132789612,22.54908499948478#114.06269788742065,22.5456862971879#114.06271934509277,22.54315951091646#114.06271934509277,22.538938188315093#114.06284809112547,22.53441944644356";
//assigned section param
this.param.assign = "33878,33881,33883,2874,2877,2347,937,941";
//augmented section param //33878,33879,33880,33881,33882,33883,2874,2875,2876,2877,2878,2347,935,936,937,938,939,940,941,
this.param.augment = "33879,33880,33882,2875,2876,2878,935,936,938,939,940";
//add to page
this.render();
},
render: function() {
//this.drawMotivation();
this.drawAssignedSection();
this.<API key>();
this.drawGPS();
return this;
},
unrender: function() {
$(this.el).remove();
},
toggle: function() {
$(this.el).css('display') == 'none' ? $(this.el).show() : $(this.el).hide();
},
drawMotivation: function() {
$.get('api/trajectories/motivation', this.param, function(data){
Backbone.trigger('MapView:drawMotivation', data);
});
},
drawGPS: function() {
var self = this;
setTimeout(function() {
var points = self.param.gps.split('
_.each(points, function(point_text, index) {
var data = {};
data.geojson = self._getPoint(point_text);
data.options = {};
Backbone.trigger('MapView:drawSampleGPSPoint', data);
});
}, 2000);
},
drawAssignedSection: function() {
$.get('api/elements/sections', {id: this.param.assign}, function(data){
Backbone.trigger('MapView:<API key>', data);
});
},
<API key>: function() {
$.get('api/elements/sections', {id: this.param.augment}, function(data){
Backbone.trigger('MapView:<API key>', data);
});
},
_getPoint: function(text) {
var point = text.split(',');
var geojson = {
"type": "FeatureCollection",
"features":[{
"type": "Feature",
"geometry": {
"type": "Point",
"coordinates": [parseFloat(point[0]), parseFloat(point[1])]
}
}]
};
return geojson;
},
});
return MotivationBtnView;
});
|
<!DOCTYPE HTML PUBLIC "-
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (version 1.7.0_11) on Wed Mar 06 13:52:23 HST 2013 -->
<title>S-Index</title>
<meta name="date" content="2013-03-06">
<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="S-Index";
}
</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="../jsl/package-summary.html">Package</a></li>
<li>Class</li>
<li>Use</li>
<li><a href="../jsl/package-tree.html">Tree</a></li>
<li><a href="../deprecated-list.html">Deprecated</a></li>
<li class="navBarCell1Rev">Index</li>
<li><a href="../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="index-8.html">Prev Letter</a></li>
<li><a href="index-10.html">Next Letter</a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?index-filesindex-9.html" target="_top">Frames</a></li>
<li><a href="index-9.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="contentContainer"><a href="index-1.html">D</a> <a href="index-2.html">E</a> <a href="index-3.html">G</a> <a href="index-4.html">I</a> <a href="index-5.html">J</a> <a href="index-6.html">M</a> <a href="index-7.html">O</a> <a href="index-8.html">R</a> <a href="index-9.html">S</a> <a href="index-10.html">T</a> <a name="_S_">
</a>
<h2 class="title">S</h2>
<dl>
<dt><span class="strong"><a href="../jsl/EasyKillBot.html#setRobotFire()">setRobotFire()</a></span> - Method in class jsl.<a href="../jsl/EasyKillBot.html" title="class in jsl">EasyKillBot</a></dt>
<dd>
<div class="block">Method <code>setRobotFire</code> sets action to fire at a
robot in range and power is proportional to distance.</div>
</dd>
<dt><span class="strong"><a href="../jsl/EasyKillBot.html#setRobotGun()">setRobotGun()</a></span> - Method in class jsl.<a href="../jsl/EasyKillBot.html" title="class in jsl">EasyKillBot</a></dt>
<dd>
<div class="block">Method <code>setRobotGun</code> sets the gun turning for the robot.</div>
</dd>
<dt><span class="strong"><a href="../jsl/EasyKillBot.html#setRobotMove()">setRobotMove()</a></span> - Method in class jsl.<a href="../jsl/EasyKillBot.html" title="class in jsl">EasyKillBot</a></dt>
<dd>
<div class="block">Method <code>setRobotMove</code> sets the turn and traveling
portion of the robot.</div>
</dd>
<dt><span class="strong"><a href="../jsl/EasyKillBot.html#setRobotRadar()">setRobotRadar()</a></span> - Method in class jsl.<a href="../jsl/EasyKillBot.html" title="class in jsl">EasyKillBot</a></dt>
<dd>
<div class="block">Method <code>setRobotRadar</code> sets the radar determines
radar action based on current information.</div>
</dd>
<dt><span class="strong"><a href="../jsl/EasyKillBot.html#setTrackedRadar()">setTrackedRadar()</a></span> - Method in class jsl.<a href="../jsl/EasyKillBot.html" title="class in jsl">EasyKillBot</a></dt>
<dd>
<div class="block">Method <code>setTrackedRadar</code> sets the radar turning for the robot.</div>
</dd>
<dt><span class="strong"><a href="../jsl/EnemyRobot.html#storeEvent(robocode.ScannedRobotEvent)">storeEvent(ScannedRobotEvent)</a></span> - Method in class jsl.<a href="../jsl/EnemyRobot.html" title="class in jsl">EnemyRobot</a></dt>
<dd>
<div class="block">Method <code>storeEvent</code> stores an event to be used later.</div>
</dd>
</dl>
<a href="index-1.html">D</a> <a href="index-2.html">E</a> <a href="index-3.html">G</a> <a href="index-4.html">I</a> <a href="index-5.html">J</a> <a href="index-6.html">M</a> <a href="index-7.html">O</a> <a href="index-8.html">R</a> <a href="index-9.html">S</a> <a href="index-10.html">T</a> </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="../jsl/package-summary.html">Package</a></li>
<li>Class</li>
<li>Use</li>
<li><a href="../jsl/package-tree.html">Tree</a></li>
<li><a href="../deprecated-list.html">Deprecated</a></li>
<li class="navBarCell1Rev">Index</li>
<li><a href="../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="index-8.html">Prev Letter</a></li>
<li><a href="index-10.html">Next Letter</a></li>
</ul>
<ul class="navList">
<li><a href="../index.html?index-filesindex-9.html" target="_top">Frames</a></li>
<li><a href="index-9.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>
|
#ifndef <API key>
#define <API key>
#include "compat.h"
#include "serialize.h"
#include <stdint.h>
#include <string>
#include <vector>
extern bool fAllowPrivateNet;
enum Network
{
NET_UNROUTABLE = 0,
NET_IPV4,
NET_IPV6,
NET_TOR,
NET_MAX,
};
/** IP address (IPv6, or IPv4 using mapped IPv6 range (::FFFF:0:0/96)) */
class CNetAddr
{
protected:
unsigned char ip[16]; // in network byte order
uint32_t scopeId; // for scoped/link-local ipv6 addresses
public:
CNetAddr();
CNetAddr(const struct in_addr& ipv4Addr);
explicit CNetAddr(const char *pszIp, bool fAllowLookup = false);
explicit CNetAddr(const std::string &strIp, bool fAllowLookup = false);
void Init();
void SetIP(const CNetAddr& ip);
/**
* Set raw IPv4 or IPv6 address (in network byte order)
* @note Only NET_IPV4 and NET_IPV6 are allowed for network.
*/
void SetRaw(Network network, const uint8_t *data);
bool SetSpecial(const std::string &strName); // for Tor addresses
bool IsIPv4() const; // IPv4 mapped address (::FFFF:0:0/96, 0.0.0.0/0)
bool IsIPv6() const; // IPv6 address (not mapped IPv4, not Tor)
bool IsRFC1918() const; // IPv4 private networks (10.0.0.0/8, 192.168.0.0/16, 172.16.0.0/12)
bool IsRFC2544() const; // IPv4 inter-network communications (192.18.0.0/15)
bool IsRFC6598() const; // IPv4 ISP-level NAT (100.64.0.0/10)
bool IsRFC5737() const; // IPv4 documentation addresses (192.0.2.0/24, 198.51.100.0/24, 203.0.113.0/24)
bool IsRFC3849() const; // IPv6 documentation address (2001:0DB8::/32)
bool IsRFC3927() const; // IPv4 autoconfig (169.254.0.0/16)
bool IsRFC3964() const; // IPv6 6to4 tunnelling (2002::/16)
bool IsRFC4193() const; // IPv6 unique local (FC00::/7)
bool IsRFC4380() const; // IPv6 Teredo tunnelling (2001::/32)
bool IsRFC4843() const; // IPv6 ORCHID (2001:10::/28)
bool IsRFC4862() const; // IPv6 autoconfig (FE80::/64)
bool IsRFC6052() const; // IPv6 well-known prefix (64:FF9B::/96)
bool IsRFC6145() const; // IPv6 IPv4-translated address (::FFFF:0:0:0/96)
bool IsTor() const;
bool IsLocal() const;
bool IsRoutable() const;
bool IsValid() const;
bool IsMulticast() const;
enum Network GetNetwork() const;
std::string ToString() const;
std::string ToStringIP(bool fUseGetnameinfo = true) const;
unsigned int GetByte(int n) const;
uint64_t GetHash() const;
bool GetInAddr(struct in_addr* pipv4Addr) const;
std::vector<unsigned char> GetGroup() const;
int GetReachabilityFrom(const CNetAddr *paddrPartner = NULL) const;
void print() const;
CNetAddr(const struct in6_addr& pipv6Addr, const uint32_t scope = 0);
bool GetIn6Addr(struct in6_addr* pipv6Addr) const;
friend bool operator==(const CNetAddr& a, const CNetAddr& b);
friend bool operator!=(const CNetAddr& a, const CNetAddr& b);
friend bool operator<(const CNetAddr& a, const CNetAddr& b);
IMPLEMENT_SERIALIZE
(
READWRITE(FLATDATA(ip));
)
friend class CSubNet;
};
class CSubNet
{
protected:
Network (base) address
CNetAddr network;
Netmask, in network byte order
uint8_t netmask[16];
Is this value valid? (only used to signal parse errors)
bool valid;
public:
CSubNet();
CSubNet(const CNetAddr &addr, int32_t mask);
CSubNet(const CNetAddr &addr, const CNetAddr &mask);
//constructor for single ip subnet (<ipv4>/32 or <ipv6>/128)
explicit CSubNet(const CNetAddr &addr);
bool Match(const CNetAddr &addr) const;
std::string ToString() const;
bool IsValid() const;
friend bool operator==(const CSubNet& a, const CSubNet& b);
friend bool operator!=(const CSubNet& a, const CSubNet& b);
friend bool operator<(const CSubNet& a, const CSubNet& b);
IMPLEMENT_SERIALIZE
(
READWRITE(network);
READWRITE(FLATDATA(netmask));
READWRITE(FLATDATA(valid));
)
};
/** A combination of a network address (CNetAddr) and a (TCP) port */
class CService : public CNetAddr
{
protected:
unsigned short port; // host order
public:
CService();
CService(const CNetAddr& ip, unsigned short port);
CService(const struct in_addr& ipv4Addr, unsigned short port);
CService(const struct sockaddr_in& addr);
explicit CService(const char *pszIpPort, int portDefault, bool fAllowLookup = false);
explicit CService(const char *pszIpPort, bool fAllowLookup = false);
explicit CService(const std::string& strIpPort, int portDefault, bool fAllowLookup = false);
explicit CService(const std::string& strIpPort, bool fAllowLookup = false);
void Init();
void SetPort(unsigned short portIn);
unsigned short GetPort() const;
bool GetSockAddr(struct sockaddr* paddr, socklen_t *addrlen) const;
bool SetSockAddr(const struct sockaddr* paddr);
friend bool operator==(const CService& a, const CService& b);
friend bool operator!=(const CService& a, const CService& b);
friend bool operator<(const CService& a, const CService& b);
std::vector<unsigned char> GetKey() const;
std::string ToString(bool fUseGetnameinfo = true) const;
std::string ToStringPort() const;
std::string ToStringIPPort(bool fUseGetnameinfo = true) const;
void print() const;
CService(const struct in6_addr& ipv6Addr, unsigned short port);
CService(const struct sockaddr_in6& addr);
IMPLEMENT_SERIALIZE
(
CService* pthis = const_cast<CService*>(this);
READWRITE(FLATDATA(ip));
unsigned short portN = htons(port);
READWRITE(portN);
if (fRead)
pthis->port = ntohs(portN);
)
};
#endif // <API key>
|
<?php
/**
* Outputs an switch when the [twp-switch] is used
*
* @param [string] $atts shortcode attributes, required.
* @param [string] $content shortcode content, optional.
* @return output of shortcode
* @since 1.0.0
* @version 1.0.4
*/
function twp_switch( $atts, $content = '' ) {
$atts = shortcode_atts( array(
'id' => <API key>( 6, false ),
'size' => 'small',
), $atts, 'twp-switch' );
$out = '';
$out .= '<div class="switch ' . $atts['size'] . '">
<input class="switch-input" id="' . $atts['id'] . '" type="checkbox" name="' . $atts['id'] . '"">
<label class="switch-paddle" for="' . $atts['id'] . '">
<span class="show-for-sr">Tiny Sandwiches Enabled</span>
</label>
</div>';
return $out;
}
add_shortcode( 'twp-switch', 'twp_switch' );
|
import pandas as pd
import os
import time
from datetime import datetime
import re
from time import mktime
import matplotlib
import matplotlib.pyplot as plt
from matplotlib import style
style.use("dark_background")
# path = "X:/Backups/intraQuarter" # for Windows with X files :)
# if git clone'ed then use relative path,
# assuming you extracted the downloaded zip into this project's folder:
path = "intraQuarter"
def Key_Stats(gather="Total Debt/Equity (mrq)"):
statspath = path+'/_KeyStats'
stock_list = [x[0] for x in os.walk(statspath)]
df = pd.DataFrame(
columns = [
'Date',
'Unix',
'Ticker',
'DE Ratio',
'Price',
'stock_p_change',
'SP500',
'sp500_p_change',
'Difference',
'Status'
]
)
sp500_df = pd.DataFrame.from_csv("YAHOO-INDEX_GSPC.csv")
ticker_list = []
for each_dir in stock_list[1:25]:
each_file = os.listdir(each_dir)
# ticker = each_dir.split("\\")[1] # Windows only
# ticker = each_dir.split("/")[1] # this didn't work so do this:
ticker = os.path.basename(os.path.normpath(each_dir))
# print(ticker) # uncomment to verify
ticker_list.append(ticker)
<API key> = False
<API key> = False
if len(each_file) > 0:
for file in each_file:
date_stamp = datetime.strptime(file, '%Y%m%d%H%M%S.html')
unix_time = time.mktime(date_stamp.timetuple())
full_file_path = each_dir + '/' + file
source = open(full_file_path,'r').read()
try:
try:
value = float(source.split(gather+':</td><td class="yfnc_tabledata1">')[1].split('</td>')[0])
except:
value = float(source.split(gather+':</td>\n<td class="yfnc_tabledata1">')[1].split('</td>')[0])
try:
sp500_date = datetime.fromtimestamp(unix_time).strftime('%Y-%m-%d')
row = sp500_df[(sp500_df.index == sp500_date)]
sp500_value = float(row['Adjusted Close'])
except:
sp500_date = datetime.fromtimestamp(unix_time-259200).strftime('%Y-%m-%d')
row = sp500_df[(sp500_df.index == sp500_date)]
sp500_value = float(row['Adjusted Close'])
try:
stock_price = float(source.split('</small><big><b>')[1].split('</b></big>')[0])
except:
try:
stock_price = (source.split('</small><big><b>')[1].split('</b></big>')[0])
#print(stock_price)
stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
stock_price = float(stock_price.group(1))
#print(stock_price)
except:
try:
stock_price = (source.split('<span class="time_rtq_ticker">')[1].split('</span>')[0])
#print(stock_price)
stock_price = re.search(r'(\d{1,8}\.\d{1,8})', stock_price)
stock_price = float(stock_price.group(1))
#print(stock_price)
except:
print('wtf stock price lol',ticker,file, value)
time.sleep(5)
if not <API key>:
<API key> = stock_price
if not <API key>:
<API key> = sp500_value
stock_p_change = ((stock_price - <API key>) / <API key>) * 100
sp500_p_change = ((sp500_value - <API key>) / <API key>) * 100
location = len(df['Date'])
difference = <API key>
if difference > 0:
status = "outperform"
else:
status = "underperform"
df = df.append({'Date':date_stamp,
'Unix':unix_time,
'Ticker':ticker,
'DE Ratio':value,
'Price':stock_price,
'stock_p_change':stock_p_change,
'SP500':sp500_value,
'sp500_p_change':sp500_p_change,
'Difference':difference,
'Status':status},
ignore_index=True)
except Exception as e:
pass
#print(ticker,e,file, value)
#print(ticker_list)
#print(df)
for each_ticker in ticker_list:
try:
plot_df = df[(df['Ticker'] == each_ticker)]
plot_df = plot_df.set_index(['Date'])
if plot_df['Status'][-1] == 'underperform':
color = 'r'
else:
color = 'g'
plot_df['Difference'].plot(label=each_ticker, color=color)
plt.legend()
except Exception as e:
print(str(e))
plt.show()
save = gather.replace(' ','').replace(')','').replace('(','').replace('/','')+str('.csv')
print(save)
df.to_csv(save)
Key_Stats()
|
/*
* App Actions
*
* Actions change things in your application
* Since this boilerplate uses a uni-directional data flow, specifically redux,
* we have these actions which are the only way your application interacts with
* your application state. This guarantees that your state is up to date and nobody
* messes it up weirdly somewhere.
*
* To add a new Action:
* 1) Import your constant
* 2) Add a function like this:
* export function yourAction(var) {
* return { type: <API key>, var: var }
* }
*/
import {
LOAD_SONGS,
LOAD_SONGS_SUCCESS,
LOAD_SONGS_ERROR,
} from './constants';
// /**
// * Load the repositories, this action starts the request saga
// *
// * @return {object} An action object with a type of LOAD_REPOS
// */
export function loadSongs() {
return {
type: LOAD_SONGS,
};
}
// /**
// * Dispatched when the repositories are loaded by the request saga
// *
// * @param {array} repos The repository data
// * @param {string} username The current username
// *
// * @return {object} An action object with a type of LOAD_REPOS_SUCCESS passing the repos
// */
export function songsLoaded(repos, username) {
return {
type: LOAD_SONGS_SUCCESS,
repos,
username,
};
}
// /**
// * Dispatched when loading the repositories fails
// *
// * @param {object} error The error
// *
// * @return {object} An action object with a type of LOAD_REPOS_ERROR passing the error
// */
export function songsLoadingError(error) {
return {
type: LOAD_SONGS_ERROR,
error,
};
}
|
# oninput-fix
>Fix input event in jquery, support low version of ie.
Introduction:
Default is CommonJS module
If not CommonJS you must do this:
>1.Remove first and last line of the code
>
>2.Wrap code useing:
js
(function ($){
// the code of remove first and last line
}(jQuery));
API:
Sample:
>
js
$('#input').on('input', callback);
$('#input').input(callback);
$('#input').off('input', callback);
$('#input').uninput(callback);
Notice:
Dot change input value in low version of ie without condition statement, because it will go into an infinite loop!
|
package cmd
import (
"errors"
"github.com/cretz/go-safeclient/client"
"github.com/spf13/cobra"
"log"
"os"
)
var lsShared bool
var lsCmd = &cobra.Command{
Use: "ls [dir]",
Short: "Fetch directory information",
RunE: func(cmd *cobra.Command, args []string) error {
if len(args) != 1 {
return errors.New("One and only one argument allowed")
}
c, err := getClient()
if err != nil {
log.Fatalf("Unable to obtain client: %v", err)
}
info := client.GetDirInfo{DirPath: args[0], Shared: lsShared}
dir, err := c.GetDir(info)
if err != nil {
log.Fatalf("Failed to list dir: %v", err)
}
<API key>(os.Stdout, dir)
return nil
},
}
func init() {
lsCmd.Flags().BoolVarP(&lsShared, "shared", "s", false, "Use shared area for user")
RootCmd.AddCommand(lsCmd)
}
|
<!DOCTYPE html PUBLIC "-
<html xmlns="http:
<head>
<title>rb-aem manual | 3. Packing and unpacking data</title>
<meta http-equiv="Content-Type" content="text/html; charset=iso-8859-1" />
<style type="text/css" media="all"><!--@import url(../full.css);--></style>
</head>
<body>
<h1><img src="../rb-appscript-logo.png" alt="rb-appscript" title="rb-appscript" /></h1>
<!-- top navigation -->
<div class="navbar">
<a href="02_apioverview.html">Previous</a> •
<a href="index.html">Up</a> •
<a href="04_references.html">Next</a>
<span>
<a href="../appscript-manual/index.html">appscript</a> /
<a href="../mactypes-manual/index.html">mactypes</a> /
<a href="../osax-manual/index.html">osax</a> /
<strong><a href="../aem-manual/index.html">aem</a></strong>
</span>
</div>
<!-- content -->
<div id="content">
<h2>3. Packing and unpacking data</h2>
<h3>Codecs</h3>
<p>The <code>AEM::Codecs</code> class provides methods for converting Ruby data to <code>AE::AEDesc</code> objects, and vice-versa.</p>
<pre><code>Codecs
Constructor:
new
Methods:
# pack/unpack data
pack(data) -- convert Ruby data to an AEDesc; will raise
a TypeError if data's type/class is unsupported
data : anything
Result : AEDesc
unpack(desc) -- convert an AEDesc to Ruby data; will return
the AEDesc unchanged if it's an unsupported type
desc : AEDesc
Result : anything
# compatibility options
add_unit_types(types) -- register custom unit type
definitions
types : list -- a list of lists, where each sublist
is of form [name, code, pack_proc, unpack_proc]
or [name, code]; if the packer and unpacker
procs are omitted, the AEDesc data is packed/
unpacked as a double-precision float
<API key> -- by default, object
specifier descriptors returned by an application
are reused for efficiency; invoke this method to
use AppleScript-style behavior instead (i.e. fully
unpacking and repacking object specifiers each time)
for better compatibility with problem applications
<API key>(code) -- by default, strings are
packed as typeUnicodeText descriptors; some older
non-Unicode-aware applications may require text
to be supplied as typeChar/typeIntlText descriptors
code : String -- four-char code, e.g. KAE::TypeChar
(see KAE module for available text types)
use_ascii_8bit -- by default, text descriptors are unpacked
as Strings with UTF-8 Encoding on Ruby 1.9+; invoke
this method to mimic Ruby 1.8-style behavior where
Strings contain UTF-8 encoded data and ASCII-8BIT
Encoding
use_datetime -- by default, dates are unpacked as Time
instances; invoke this method to unpack dates as
DateTime instances instead</code></pre>
<h3>AE types</h3>
<p>The Apple Event Manager defines several types for representing type/class names, enumerator names, etc. that have no direct equivalent in Ruby. Accordingly, aem defines several classes to represent these types on the Ruby side. All share a common abstract base class, <code>AETypeBase</code>:</p>
<pre><code>AETypeBase -- Abstract base class
Constructor:
new(code)
code : str -- a four-character Apple event code
Methods:
code
Result : str -- Apple event code</code></pre>
<p>The four concrete classes are:</p>
<pre><code>AEType < AETypeBase -- represents an AE object of typeType
AEEnum < AETypeBase -- represents an AE object of typeEnumeration
AEProp < AETypeBase -- represents an AE object of typeProperty
AEKey < AETypeBase -- represents an AE object of typeKeyword</code></pre>
</div>
<!-- bottom navigation -->
<div class="footer">
<a href="02_apioverview.html">Previous</a> •
<a href="index.html">Up</a> •
<a href="04_references.html">Next</a>
</div>
</body>
</html>
|
const simple_sort = (key, a, b) => {
if (a[key] < b[key]) return -1
if (a[key] > b[key]) return 1
return 0
}
const name_sort = (a, b) => simple_sort('name', a, b)
const skill_sort = (a, b) => simple_sort('skill', a, b)
const speed_sort = (a, b) => simple_sort('speed', a, b)
export {
simple_sort,
name_sort,
skill_sort,
speed_sort
}
|
export { default } from './EditData';
|
<footer id="footer" role="contentinfo">
<a href="#" class="gotop js-gotop"><i class="icon-arrow-up2"></i></a>
<div class="container">
<div class="">
<div class="col-md-12 text-center">
<p>{{ with .Site.Params.footer.copyright }}{{ . | markdownify }}{{ end }}</p>
</div>
</div>
<div class="row">
<div class="col-md-12 text-center">
<ul class="social social-circle">
{{ range .Site.Params.footer.links }}
<li><a href="{{ with index . 1}}{{ . }}{{ end }}"><i class="{{ with index . 0}}{{ . }}{{ end }}"></i></a></li>
{{ end }}
</ul>
</div>
</div>
</div>
</footer>
|
using System.Xml.Linq;
namespace Lux.Serialization.Xml
{
public interface IXmlConfigurable
{
void Configure(XElement element);
}
}
|
<?php
/*
Section: signup
Language: Hungarian
Translator: uno20001 <regisztralo111@gmail.com>
*/
$translations = array(
'h1' => 'Regisztráció',
'mysql-db-name' => 'MySQL adatbázis név',
'mysql-user-name' => 'MySQL felhasználónév',
'mysql-user-password' => 'MySQL jelszó',
'<API key>' => 'MySQL jelszó megerősítése',
'email-address' => 'Email cím',
'agree-conditions' => 'Elolvastam a <a href="conditions.php">felhasználási feltételeket</a> és egyetértek velük.',
'ph1' => '6-16 karakter, nem lehet nagybetű, az 1. karakternek betűnek kell lennie.',
'ph2' => 'Min. 8 karakter.',
'ph3' => 'Írd be az email címed',
'explanation' => 'A felhasználónév és az adatbázis név tartalmazhat kisbetűket, számokat és \'_\' (aláhúzás) karaktert, a hosszának 6 és 16 karakter között kell lennie. Nem használhatsz <a href="https:
'maintenance-notice' => 'Karbantartás miatt a regisztráció jelenleg nem érhető el.',
'agm-p1' => 'A regisztrációddal elfogadod a következőket:',
'agm-li1' => 'A db4free.net egy tesztelési környezet',
'agm-li2' => 'A db4free.net nem megfelelő nem teszt jellegű használathoz',
'agm-li3' => 'Ha úgy döntesz, hogy nem teszt jellegű dolgokhoz kívánod használni a db4free.net-et, akkor azt csak a saját felelősségedre tedd (a nagyon gyakori mentések nagyon ajánlottak)',
'agm-li4' => 'Adatvesztések és üzemidő kiesések bármikor történhetnek (az ezzel kapcsolatos panaszok valószínűleg figyelmen kívül lesznek hagyva)',
'agm-li5' => 'A db4free.net csapata nem biztosít semmilyen garanciát, felelősséget',
'agm-li6' => 'A db4free.net csapata fenntartja a jogot, hogy bármikor, figyelmeztetés nélkül törölje az adatbázisod és/vagy fiókod',
'agm-li7' => 'A db4free.net-tel kapcsolatos legfrissebb információkat elérheted a <a href="twitter.php">Twitteren</a> és a <a href="blog.php">db4free.net blogon</a>',
'agm-li8' => 'A db4free.net csak MySQL adatbázist biztosít, nem ad webtárhelyet (nincs lehetőséged itt tárolni a fájljaidat)',
'agm-p2' => 'Továbbiakban:',
'agm-li9' => 'A db4free.net egy tesztelő szolgáltatás, nem "éles" szolgáltatásokhoz készült. Azok az adatbázisok, amelyek 200 MB-nál több adatot tartalmaznak, értesítés nélkül kiürítésre kerülnek.',
'agm-li10' => 'Kérlek <a href="/delete-account.php">távolítsd el</a> azokat az adatokat és/vagy fiókot amikre/amelyre már nincs szükséged. Ez megkönnyíti a ténylegesen használt adatok visszaállítását, ha a szerver "összeomlik"',
'signup-error1' => 'El kell fogadnod a felhasználási feltételeket!',
'signup-error2' => 'Hiba lépett fel a regisztráció során!',
'signup-error3' => 'Hiba lépett fel a megerősítő email küldése közben!',
'signup-success' => 'Köszönjük a regisztrációt! Hamarosan kapsz egy megerősítő emailt!',
);
?>
|
const Koa = require('koa')
const screenshot = require('./screenshot')
const app = new Koa()
app.use(async ctx => {
var url = ctx.query.url
console.log('goto:', url)
if (!/^https?:\/\/.+/.test(url)) {
ctx.body = 'url '
} else {
if (!isNaN(ctx.query.wait)) {
ctx.query.wait = ~~ctx.query.wait
}
let data = await screenshot(url, ctx.query.wait, ~~ctx.query.width)
if (ctx.query.base64) {
ctx.body = 'data:image/jpeg;base64,' + data
} else {
ctx.body = `<img src="data:image/jpeg;base64,${data}" />`
}
}
})
app.listen(8000)
console.log('server start success at 8000')
// process.on('unCaughtException', function (err) {
// console.log(err)
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.