answer stringlengths 15 1.25M |
|---|
import type { ColorValue, GenericStyleProp } from '../../types';
import type { ViewProps, ViewStyle } from '../View/types';
type FontWeightValue =
| 'normal'
| 'bold'
| '100'
| '200'
| '300'
| '400'
| '500'
| '600'
| '700'
| '800'
| '900';
type NumberOrString = number | string;
export type TextStyle = {
ViewStyle,
color?: ?ColorValue,
fontFamily?: ?string,
fontFeatureSettings?: ?string,
fontSize?: ?NumberOrString,
fontStyle?: 'italic' | 'normal',
fontWeight?: ?FontWeightValue,
fontVariant?: $ReadOnlyArray<
'small-caps' | 'oldstyle-nums' | 'lining-nums' | 'tabular-nums' | 'proportional-nums'
>,
letterSpacing?: ?NumberOrString,
lineHeight?: ?NumberOrString,
textAlign?: 'center' | 'end' | 'inherit' | 'justify' | 'justify-all' | 'left' | 'right' | 'start',
textAlignVertical?: ?string,
textDecorationColor?: ?ColorValue,
textDecorationLine?: 'none' | 'underline' | 'line-through' | 'underline line-through',
textDecorationStyle?: 'solid' | 'double' | 'dotted' | 'dashed',
textIndent?: ?NumberOrString,
textOverflow?: ?string,
textRendering?: 'auto' | 'geometricPrecision' | 'optimizeLegibility' | 'optimizeSpeed',
textShadowColor?: ?ColorValue,
textShadowOffset?: {| width?: number, height?: number |},
textShadowRadius?: ?number,
textTransform?: 'capitalize' | 'lowercase' | 'none' | 'uppercase',
unicodeBidi?: 'normal' | 'bidi-override' | 'embed' | 'isolate' | 'isolate-override' | 'plaintext',
whiteSpace?: ?string,
wordBreak?: 'normal' | 'break-all' | 'break-word' | 'keep-all',
wordWrap?: ?string,
writingDirection?: 'auto' | 'ltr' | 'rtl',
/* @platform web */
MozOsxFontSmoothing?: ?string,
WebkitFontSmoothing?: ?string
};
export type TextProps = {
ViewProps,
accessibilityRole?:
| 'button'
| 'header'
| 'heading'
| 'label'
| 'link'
| 'listitem'
| 'none'
| 'text',
accessibilityState?: {
busy?: ?boolean,
checked?: ?boolean | 'mixed',
disabled?: ?boolean,
expanded?: ?boolean,
grabbed?: ?boolean,
hidden?: ?boolean,
invalid?: ?boolean,
pressed?: ?boolean,
readonly?: ?boolean,
required?: ?boolean,
selected?: ?boolean
},
dir?: 'auto' | 'ltr' | 'rtl',
numberOfLines?: ?number,
onPress?: (e: any) => void,
selectable?: boolean,
style?: GenericStyleProp<TextStyle>,
testID?: ?string
}; |
var webpack = require("webpack");
var ExtractTextPlugin = require("<API key>");
var vue = require("vue-loader");
module.exports = {
entry: {
app: ["webpack/hot/dev-server", "./src/app.js"],
vendors: []
},
output: {
path: "./build",
publicPath: "/build/",
filename: "bundle.js"
},
plugins: [
new webpack.optimize.CommonsChunkPlugin("vendors", "vendor.bundle.js"),
new ExtractTextPlugin("build.css")
],
module: {
loaders: [
{
test: /\.vue$/, loader: vue.withLoaders({
css: ExtractTextPlugin.extract("css"),
stylus: ExtractTextPlugin.extract("css!stylus")
})
},
{ test: /\.css$/, loader: ExtractTextPlugin.extract("style-loader", "css-loader")}
]
},
devtool: "#source-map"
} |
ZE2D[
An [OpenFL](https:
# Purpose
Aims to create a simple and working proof of concept engine for easy usage for creating games for Flash/HTML5/Windows.
# What works currently?
* Component Entity System?
* Rendering - Tilesheet(layered)/DisplayList(non-layered).
* Basic Physics - AABB and Grid based.
* Playing audio.
* Interactive debug mode(Can pause game and uses mouse to drag game object around).
# Tutorials.
* Hello, World!
* Adding and creating sprites.
* Adding a blank sprite.
* Adding a image sprite.
* Adding a animated sprite.
* Removing sprites.
* Handling inputs.
* Collision detection.
# Hello, World!
Create a blank haxe file named hello.hx.
package;
import ze.component.graphic.displaylist.Text;
import ze.util.Color;
// Main class
class Main extends ze.Engine
{
public function new()
{
super(new MyScene());
}
}
// Scene class, can be put in a separate file
class MyScene extends ze.object.Scene
{
override public function added():Void
{
super.added();
createGameObject("Hello World Object", new Text("Hello World!", Color.RED), 100, 100);
}
override public function update():Void
{
super.update();
// Things to keep running here.
}
}
# Adding and creating sprites.
There are multiple ways to create sprites and add them onto the scene. There are two ways in which we can add objects into the scene. The two methods are `addGameObject` and `createGameObject`. `createGameObject` is very easy to use, as seen above in the Hello World example. Next I will show how to add a blank sprite.
## Adding a blank sprite.
This example will show you how to create a white square and add it to the scene. Inside the added function of the scene, copy and paste this line.
// Arguments are name, component(s)(Optional), position
createGameObject("Square Object", new ze.component.graphic.displaylist.Blank(32, 32), 300, 250);
This will create a new 32x32 white square at x position 300 and y position 250. Another way to add the same object will be to use the `addGameObject` function.
var obj = new ze.object.GameObject("Square", 300, 250);
addGameObject(obj);
obj.addComponent(new ze.component.graphic.displaylist.Blank(32, 32));
This does the same thing as above. If you realized, inside the `createGameObject` function, this is essentially what it is doing. Things to note when calling `addGameObject` is to ensure that it is called inside the `added` function of the scene and it must always be called before adding any component to the game object. This ensures that all game object initialization is done properly before initializing any other components. How about adding sprites with images?
## Adding a image sprite.
Adding sprites with images is very simple, just add this line.
// Where Assets/gfx/Sprite.png is where you store the sprites
createGameObject("Sprite", new ze.component.graphic.displaylist.Image("Sprite", "gfx/Sprite.png"), 100, 100);
Only thing to take note is the path of the image.
## Adding an animated sprite.
Animated sprites are actually 1 single image, but we split it into smaller section which we call it a frame and we can specify which part of the image is which animation and when we play the animation, we can set which parts to play.
// Similar to image but need to add the frames for the animation("idle") and set it to play the ("idle") animation.
createGameObject("Sprite", new Animation("Animated", "gfx/Animated.png", 32, 32).<API key>("idle", 0, 10).play("idle"), 100, 100);
Things to take note is, when adding animation, be sure to specify the animation frames so that we can specify what animation to play from the sprite. Now that we have learn to add our sprites to the screen, we still have to make it move.
# Removing sprites.
To remove sprite, just do `removeGameObject`.
removeGameObject(object);
# Handling inputs.
Before we implement the input handling, we need to prepare a few things, firstly, we need to add a class variable on top to hold our created game object so that we can manipulate it. Your scene class should look something like this.
class MyScene extends ze.object.Scene
{
// Added a new variable to hold our created object
private var object:GameObject;
override public function added():Void
{
super.added();
// Assign object to the created object
object = createGameObject("Square Object", new Blank(32, 32), 300, 250);
}
override public function update():Void
{
super.update();
// Update codes goes below
}
}
Next, we can add this line to the update function.
object.transform.setPos(ze.util.Input.mouseX, ze.util.Input.mouseY);
This will make the object follow the mouse's position. (Transform is actually a component of the game object.) Next, we will make something more interesting, we will make our object shoot bullets when a key is pressed. Before that, we need to add some variables for our bullet. Add the following to the class variable.
private var bullet:GameObject;
private var xDir:Float;
private var yDir:Float;
Next, add the following lines below the mouse code in the update function.
// Mouse update sprite position here
// Make sure the bullet is valid.
if (bullet == null)
{
// Check if spacebar is pressed.
if (ze.util.Input.keyPressed(ze.util.Key.SPACEBAR))
{
// Assign bullet to the newly created bullet
bullet = createGameObject("Bullet", new Blank(16, 16, Color.GREEN), object.transform.x, object.transform.y);
// Randomly create a bullet travel direction.
xDir = Math.random() - 0.5;
yDir = Math.random() - 0.5;
}
}
else
{
// When bullet is valid, move the bullet.
if (bullet.transform.x < screen.right &&
bullet.transform.x > screen.left &&
bullet.transform.y < screen.bottom &&
bullet.transform.y > screen.top)
{
bullet.transform.moveBy(xDir * 30.0, yDir * 30.0);
}
else
{
// Otherwise, remove the bullet when it goes out of screen.
removeGameObject(bullet);
bullet = null;
}
}
This code will create a new bullet when spacebar is pressed for the first time, once a bullet have been created, it will move the bullet instead of creating more bullets and it will check if the bullet is within the screen and if not, it will be removed. Now that the sprite is able to move and shoot, we can implement an enemy in the next section.
# Collision detection.
To be able to detect collision, we rely on the collider components to check for collision. Before we jump into the collision part, we need to add an enemy variable to the MyScene class.
private var enemy:GameObject;
And in the added function, we will create the enemy and add a collider component to our square object(player) and our enemy. (Make sure to add this after the creation of object.)
// Creation of object
// Add a box collider to square object, but note the last param is true, meaning to
// say this collider will trigger an event if any collision occur.
var boxCollider = new ze.component.physics.BoxCollider(32, 32, true);
object.addComponent(boxCollider);
// After the component is added, register the collider event.
boxCollider.registerCallback(onEnter);
// Create an enemy at random position within the screen width and height
enemy = createGameObject("Enemy", new Blank(32, 32, ze.util.Color.RED), Math.random() * screen.width, Math.random() * screen.height);
// Likewise, adding a box collider for enemy but no trigger
enemy.addComponent(new ze.component.physics.BoxCollider(32, 32));
What we have done is added a new object and added 2 box collider component to both objects and set one of those box collider to be triggered. Next, we register the event of the collision to a function named onEnter. (Note: we have not implemented onEnter yet, thats why we are going to create a function named onEnter.)
private function onEnter(collider:ze.component.physics.Collider):Void
{
// Because the trigger is set on the square object, whatever it collided with, will be the collider that is passed in.
removeGameObject(collider.gameObject);
}
That's the end of the short tutorials, this tutorial can be found in the samples folder under the project Simple tutorial. There are a few more examples in the samples folder, a few are games. Go ahead and make some awesome games, and I hope that this framework is of some use. |
.separator {
color: #F9F9F9;
}
.edited {
background-color: #ffc082 !important;
}
#showhide {
background-color: #bbffa0 !important;
}
#generate {
background-color: #fffca9 !important;
}
#create {
background-color: #ffc082 !important;
}
#change {
background-color: #ffc082 !important;
}
#deactivate {
background-color: #ff9797 !important;
} |
module.exports = {
context: { name: 'Mick', count: 30 },
handlebars: 'Hello {{name}}! You have {{count}} new messages.',
dust: 'Hello {name}! You have {count} new messages.',
mustache: 'Hello {{name}}! You have {{count}} new messages.'
}; |
using UnityEngine;
using UnityEngine.SceneManagement;
using Entitas;
using Entitas.VisualDebugging.Unity;
public class GameController : MonoBehaviour {
private Systems _systems;
private IGroup<GameEventEntity> _groupGameEvent;
private Contexts _contexts;
void Start () {
_contexts = Contexts.sharedInstance;
_systems = createSystems(_contexts);
_systems.Initialize();
_groupGameEvent = _contexts.gameEvent.GetGroup(Matcher<GameEventEntity>.AllOf(GameEventMatcher.StateEvent));
}
void Update() {
bool isReload = false;
GameEventEntity gameEventEntity = null;
GameEventEntity[] entitiesGameEvent = _groupGameEvent.GetEntities();
if (entitiesGameEvent.Length != 0) {
gameEventEntity = entitiesGameEvent[0];
if (gameEventEntity.stateEvent.state == "Reload Ready") {
isReload = true;
}
}
if (isReload) {
gameEventEntity.Destroy();
SceneManager.LoadScene(SceneManager.GetActiveScene().name);
} else {
_systems.Execute();
}
}
private Systems createSystems(Contexts contexts) {
Systems systems;
#if (UNITY_EDITOR)
systems = new DebugSystems("Editor");
#else
systems = new Systems();
#endif
systems
// Initialize
.Add(new WorldCreationSystem(contexts))
.Add(new <API key>(contexts))
.Add(new ObstacleSystem(contexts, this))
.Add(new UICreationSystem(contexts))
.Add(new EventCreationSystem(contexts))
// Reactive
.Add(new AddViewSystem(contexts))
.Add(new PositionSystem(contexts))
.Add(new InputSystem(contexts))
.Add(new CollisionSystem(contexts))
// .Add(new JumpSystem(contexts))
.Add(new DestroySystem(contexts))
.Add(new ActiveUISystem(contexts))
.Add(new GameEventSystem(contexts))
.Add(new DeathSystem(contexts))
.Add(new PlayerPhysicSystem(contexts))
// Execute
.Add(new MoveSystem(contexts));
return systems;
}
} |
#include <map>
#include <openssl/ecdsa.h>
#include <openssl/obj_mac.h>
#include "key.h"
// Generate a private key from just the secret parameter
int <API key>(EC_KEY *eckey, BIGNUM *priv_key)
{
int ok = 0;
BN_CTX *ctx = NULL;
EC_POINT *pub_key = NULL;
if (!eckey) return 0;
const EC_GROUP *group = EC_KEY_get0_group(eckey);
if ((ctx = BN_CTX_new()) == NULL)
goto err;
pub_key = EC_POINT_new(group);
if (pub_key == NULL)
goto err;
if (!EC_POINT_mul(group, pub_key, priv_key, NULL, NULL, ctx))
goto err;
<API key>(eckey,priv_key);
<API key>(eckey,pub_key);
ok = 1;
err:
if (pub_key)
EC_POINT_free(pub_key);
if (ctx != NULL)
BN_CTX_free(ctx);
return(ok);
}
// Perform ECDSA key recovery (see SEC1 4.1.6) for curves over (mod p)-fields
// recid selects which key is recovered
// if check is non-zero, additional checks are performed
int <API key>(EC_KEY *eckey, ECDSA_SIG *ecsig, const unsigned char *msg, int msglen, int recid, int check)
{
if (!eckey) return 0;
int ret = 0;
BN_CTX *ctx = NULL;
BIGNUM *x = NULL;
BIGNUM *e = NULL;
BIGNUM *order = NULL;
BIGNUM *sor = NULL;
BIGNUM *eor = NULL;
BIGNUM *field = NULL;
EC_POINT *R = NULL;
EC_POINT *O = NULL;
EC_POINT *Q = NULL;
BIGNUM *rr = NULL;
BIGNUM *zero = NULL;
int n = 0;
int i = recid / 2;
const EC_GROUP *group = EC_KEY_get0_group(eckey);
if ((ctx = BN_CTX_new()) == NULL) { ret = -1; goto err; }
BN_CTX_start(ctx);
order = BN_CTX_get(ctx);
if (!EC_GROUP_get_order(group, order, ctx)) { ret = -2; goto err; }
x = BN_CTX_get(ctx);
if (!BN_copy(x, order)) { ret=-1; goto err; }
if (!BN_mul_word(x, i)) { ret=-1; goto err; }
if (!BN_add(x, x, ecsig->r)) { ret=-1; goto err; }
field = BN_CTX_get(ctx);
if (!<API key>(group, field, NULL, NULL, ctx)) { ret=-2; goto err; }
if (BN_cmp(x, field) >= 0) { ret=0; goto err; }
if ((R = EC_POINT_new(group)) == NULL) { ret = -2; goto err; }
if (!<API key>(group, R, x, recid % 2, ctx)) { ret=0; goto err; }
if (check)
{
if ((O = EC_POINT_new(group)) == NULL) { ret = -2; goto err; }
if (!EC_POINT_mul(group, O, NULL, R, order, ctx)) { ret=-2; goto err; }
if (!<API key>(group, O)) { ret = 0; goto err; }
}
if ((Q = EC_POINT_new(group)) == NULL) { ret = -2; goto err; }
n = EC_GROUP_get_degree(group);
e = BN_CTX_get(ctx);
if (!BN_bin2bn(msg, msglen, e)) { ret=-1; goto err; }
if (8*msglen > n) BN_rshift(e, e, 8-(n & 7));
zero = BN_CTX_get(ctx);
if (!BN_zero(zero)) { ret=-1; goto err; }
if (!BN_mod_sub(e, zero, e, order, ctx)) { ret=-1; goto err; }
rr = BN_CTX_get(ctx);
if (!BN_mod_inverse(rr, ecsig->r, order, ctx)) { ret=-1; goto err; }
sor = BN_CTX_get(ctx);
if (!BN_mod_mul(sor, ecsig->s, rr, order, ctx)) { ret=-1; goto err; }
eor = BN_CTX_get(ctx);
if (!BN_mod_mul(eor, e, rr, order, ctx)) { ret=-1; goto err; }
if (!EC_POINT_mul(group, Q, eor, R, sor, ctx)) { ret=-2; goto err; }
if (!<API key>(eckey, Q)) { ret=-2; goto err; }
ret = 1;
err:
if (ctx) {
BN_CTX_end(ctx);
BN_CTX_free(ctx);
}
if (R != NULL) EC_POINT_free(R);
if (O != NULL) EC_POINT_free(O);
if (Q != NULL) EC_POINT_free(Q);
return ret;
}
void CKey::SetCompressedPubKey()
{
<API key>(pkey, <API key>);
fCompressedPubKey = true;
}
void CKey::Reset()
{
fCompressedPubKey = false;
if (pkey != NULL)
EC_KEY_free(pkey);
pkey = <API key>(NID_secp256k1);
if (pkey == NULL)
throw key_error("CKey::CKey() : <API key> failed");
fSet = false;
}
CKey::CKey()
{
pkey = NULL;
Reset();
}
CKey::CKey(const CKey& b)
{
pkey = EC_KEY_dup(b.pkey);
if (pkey == NULL)
throw key_error("CKey::CKey(const CKey&) : EC_KEY_dup failed");
fSet = b.fSet;
}
CKey& CKey::operator=(const CKey& b)
{
if (!EC_KEY_copy(pkey, b.pkey))
throw key_error("CKey::operator=(const CKey&) : EC_KEY_copy failed");
fSet = b.fSet;
return (*this);
}
CKey::~CKey()
{
EC_KEY_free(pkey);
}
bool CKey::IsNull() const
{
return !fSet;
}
bool CKey::IsCompressed() const
{
return fCompressedPubKey;
}
void CKey::MakeNewKey(bool fCompressed)
{
if (!EC_KEY_generate_key(pkey))
throw key_error("CKey::MakeNewKey() : EC_KEY_generate_key failed");
if (fCompressed)
SetCompressedPubKey();
fSet = true;
}
bool CKey::SetPrivKey(const CPrivKey& vchPrivKey)
{
const unsigned char* pbegin = &vchPrivKey[0];
if (d2i_ECPrivateKey(&pkey, &pbegin, vchPrivKey.size()))
{
// In testing, d2i_ECPrivateKey can return true
// but fill in pkey with a key that fails
// EC_KEY_check_key, so:
if (EC_KEY_check_key(pkey))
{
fSet = true;
return true;
}
}
// If vchPrivKey data is bad d2i_ECPrivateKey() can
// leave pkey in a state where calling EC_KEY_free()
// crashes. To avoid that, set pkey to NULL and
// leak the memory (a leak is better than a crash)
pkey = NULL;
Reset();
return false;
}
bool CKey::SetSecret(const CSecret& vchSecret, bool fCompressed)
{
EC_KEY_free(pkey);
pkey = <API key>(NID_secp256k1);
if (pkey == NULL)
throw key_error("CKey::SetSecret() : <API key> failed");
if (vchSecret.size() != 32)
throw key_error("CKey::SetSecret() : secret must be 32 bytes");
BIGNUM *bn = BN_bin2bn(&vchSecret[0],32,BN_new());
if (bn == NULL)
throw key_error("CKey::SetSecret() : BN_bin2bn failed");
if (!<API key>(pkey,bn))
{
BN_clear_free(bn);
throw key_error("CKey::SetSecret() : <API key> failed");
}
BN_clear_free(bn);
fSet = true;
if (fCompressed || fCompressedPubKey)
SetCompressedPubKey();
return true;
}
CSecret CKey::GetSecret(bool &fCompressed) const
{
CSecret vchRet;
vchRet.resize(32);
const BIGNUM *bn = <API key>(pkey);
int nBytes = BN_num_bytes(bn);
if (bn == NULL)
throw key_error("CKey::GetSecret() : <API key> failed");
int n=BN_bn2bin(bn,&vchRet[32 - nBytes]);
if (n != nBytes)
throw key_error("CKey::GetSecret(): BN_bn2bin failed");
fCompressed = fCompressedPubKey;
return vchRet;
}
CPrivKey CKey::GetPrivKey() const
{
int nSize = i2d_ECPrivateKey(pkey, NULL);
if (!nSize)
throw key_error("CKey::GetPrivKey() : i2d_ECPrivateKey failed");
CPrivKey vchPrivKey(nSize, 0);
unsigned char* pbegin = &vchPrivKey[0];
if (i2d_ECPrivateKey(pkey, &pbegin) != nSize)
throw key_error("CKey::GetPrivKey() : i2d_ECPrivateKey returned unexpected size");
return vchPrivKey;
}
bool CKey::SetPubKey(const CPubKey& vchPubKey)
{
const unsigned char* pbegin = &vchPubKey.vchPubKey[0];
if (o2i_ECPublicKey(&pkey, &pbegin, vchPubKey.vchPubKey.size()))
{
fSet = true;
if (vchPubKey.vchPubKey.size() == 33)
SetCompressedPubKey();
return true;
}
pkey = NULL;
Reset();
return false;
}
CPubKey CKey::GetPubKey() const
{
int nSize = i2o_ECPublicKey(pkey, NULL);
if (!nSize)
throw key_error("CKey::GetPubKey() : i2o_ECPublicKey failed");
std::vector<unsigned char> vchPubKey(nSize, 0);
unsigned char* pbegin = &vchPubKey[0];
if (i2o_ECPublicKey(pkey, &pbegin) != nSize)
throw key_error("CKey::GetPubKey() : i2o_ECPublicKey returned unexpected size");
return CPubKey(vchPubKey);
}
bool CKey::Sign(uint256 hash, std::vector<unsigned char>& vchSig)
{
unsigned int nSize = ECDSA_size(pkey);
vchSig.resize(nSize); // Make sure it is big enough
if (!ECDSA_sign(0, (unsigned char*)&hash, sizeof(hash), &vchSig[0], &nSize, pkey))
{
vchSig.clear();
return false;
}
vchSig.resize(nSize); // Shrink to fit actual size
return true;
}
// create a compact signature (65 bytes), which allows reconstructing the used public key
// The format is one header byte, followed by two times 32 bytes for the serialized r and s values.
// The header byte: 0x1B = first key with even y, 0x1C = first key with odd y,
// 0x1D = second key with even y, 0x1E = second key with odd y
bool CKey::SignCompact(uint256 hash, std::vector<unsigned char>& vchSig)
{
bool fOk = false;
ECDSA_SIG *sig = ECDSA_do_sign((unsigned char*)&hash, sizeof(hash), pkey);
if (sig==NULL)
return false;
vchSig.clear();
vchSig.resize(65,0);
int nBitsR = BN_num_bits(sig->r);
int nBitsS = BN_num_bits(sig->s);
if (nBitsR <= 256 && nBitsS <= 256)
{
int nRecId = -1;
for (int i=0; i<4; i++)
{
CKey keyRec;
keyRec.fSet = true;
if (fCompressedPubKey)
keyRec.SetCompressedPubKey();
if (<API key>(keyRec.pkey, sig, (unsigned char*)&hash, sizeof(hash), i, 1) == 1)
if (keyRec.GetPubKey() == this->GetPubKey())
{
nRecId = i;
break;
}
}
if (nRecId == -1)
throw key_error("CKey::SignCompact() : unable to construct recoverable key");
vchSig[0] = nRecId+27+(fCompressedPubKey ? 4 : 0);
BN_bn2bin(sig->r,&vchSig[33-(nBitsR+7)/8]);
BN_bn2bin(sig->s,&vchSig[65-(nBitsS+7)/8]);
fOk = true;
}
ECDSA_SIG_free(sig);
return fOk;
}
// reconstruct public key from a compact signature
// This is only slightly more CPU intensive than just verifying it.
// If this function succeeds, the recovered public key is guaranteed to be valid
// (the signature is a valid signature of the given data for that key)
bool CKey::SetCompactSignature(uint256 hash, const std::vector<unsigned char>& vchSig)
{
if (vchSig.size() != 65)
return false;
int nV = vchSig[0];
if (nV<27 || nV>=35)
return false;
ECDSA_SIG *sig = ECDSA_SIG_new();
BN_bin2bn(&vchSig[1],32,sig->r);
BN_bin2bn(&vchSig[33],32,sig->s);
EC_KEY_free(pkey);
pkey = <API key>(NID_secp256k1);
if (nV >= 31)
{
SetCompressedPubKey();
nV -= 4;
}
if (<API key>(pkey, sig, (unsigned char*)&hash, sizeof(hash), nV - 27, 0) == 1)
{
fSet = true;
ECDSA_SIG_free(sig);
return true;
}
return false;
}
bool CKey::Verify(uint256 hash, const std::vector<unsigned char>& vchSig)
{
// -1 = error, 0 = bad sig, 1 = good
if (ECDSA_verify(0, (unsigned char*)&hash, sizeof(hash), &vchSig[0], vchSig.size(), pkey) != 1)
return false;
return true;
}
bool CKey::VerifyCompact(uint256 hash, const std::vector<unsigned char>& vchSig)
{
CKey key;
if (!key.SetCompactSignature(hash, vchSig))
return false;
if (GetPubKey() != key.GetPubKey())
return false;
return true;
}
bool CKey::IsValid()
{
if (!fSet)
return false;
if (!EC_KEY_check_key(pkey))
return false;
bool fCompr;
CSecret secret = GetSecret(fCompr);
CKey key2;
key2.SetSecret(secret, fCompr);
return GetPubKey() == key2.GetPubKey();
} |
package org.openkoala.organisation.facade.dto;
import java.io.Serializable;
import java.util.Date;
import org.apache.commons.lang3.builder.EqualsBuilder;
import org.apache.commons.lang3.builder.HashCodeBuilder;
import org.apache.commons.lang3.builder.ToStringBuilder;
public class PostDTO implements Serializable {
private static final long serialVersionUID = <API key>;
private Long id;
private String name;
private String sn;
private String organizationName;
private String jobName;
private String description;
private boolean <API key>;
private int version;
private Date createDate;
private Date terminateDate;
private Long employeeCount;
private Long organizationId;
private Long jobId;
public PostDTO() {}
public Long getId() {
return id;
}
public void setId(Long id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getSn() {
return sn;
}
public void setSn(String sn) {
this.sn = sn;
}
public String getOrganizationName() {
return organizationName;
}
public void setOrganizationName(String organizationName) {
this.organizationName = organizationName;
}
public String getJobName() {
return jobName;
}
public void setJobName(String jobName) {
this.jobName = jobName;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
public boolean <API key>() {
return <API key>;
}
public void <API key>(boolean <API key>) {
this.<API key> = <API key>;
}
public int getVersion() {
return version;
}
public void setVersion(int version) {
this.version = version;
}
public Date getCreateDate() {
return createDate;
}
public void setCreateDate(Date createDate) {
this.createDate = createDate;
}
public Date getTerminateDate() {
return terminateDate;
}
public void setTerminateDate(Date terminateDate) {
this.terminateDate = terminateDate;
}
public Long getEmployeeCount() {
return employeeCount;
}
public void setEmployeeCount(Long employeeCount) {
this.employeeCount = employeeCount;
}
public Long getOrganizationId() {
return organizationId;
}
public void setOrganizationId(Long organizationId) {
this.organizationId = organizationId;
}
public Long getJobId() {
return jobId;
}
public void setJobId(Long jobId) {
this.jobId = jobId;
}
@Override
public boolean equals(Object other) {
if (!(other instanceof PostDTO)) {
return false;
}
PostDTO that = (PostDTO) other;
return new EqualsBuilder().append(this.getSn(), that.getSn())
.isEquals();
}
@Override
public int hashCode() {
return new HashCodeBuilder().append(getSn()).toHashCode();
}
@Override
public String toString() {
return new ToStringBuilder(this).append(getName()).build();
}
} |
layout: article
title: "Selfie with Two Strangers"
date: 2016-01-14
author: maggie_hendrickson
modified:
categories: posts
excerpt: "Challenge done by Maggie Hendrickson"
tags: []
ads: false
image:
feature: <API key>.jpg
teaser: <API key>.jpg
thumb:
**Challenge:** Get a selfie with strangers!
**Reflection:**
TODO! |
require "test_helper"
class ReformTest < Minitest::Spec
let(:comp) { OpenStruct.new(name: "Duran Duran", title: "Rio") }
let(:form) { SongForm.new(comp) }
class SongForm < TestForm
property :name
property :title
validation do
required(:name).filled
end
end
describe "(new) form with empty models" do
let(:comp) { OpenStruct.new }
it "returns empty fields" do
assert_nil form.title
form.name.must_be_nil
end
describe "and submitted values" do
it "returns filled-out fields" do
form.validate("name" => "Duran Duran")
assert_nil form.title
form.name.must_equal "Duran Duran"
end
end
end
describe "(edit) form with existing models" do
it "returns filled-out fields" do
form.name.must_equal "Duran Duran"
form.title.must_equal "Rio"
end
end
describe "#validate" do
let(:comp) { OpenStruct.new }
it "ignores unmapped fields in input" do
form.validate("name" => "Duran Duran", :genre => "80s")
assert_raises NoMethodError do
form.genre
end
end
it "returns true when valid" do
form.validate("name" => "Duran Duran").must_equal true
end
it "exposes input via property accessors" do
form.validate("name" => "Duran Duran")
form.name.must_equal "Duran Duran"
end
it "doesn't change model properties" do
form.validate("name" => "Duran Duran")
assert_nil comp.name # don't touch model, yet.
end
# TODO: test errors. test valid.
describe "invalid input" do
class ValidatingForm < TestForm
property :name
property :title
validation do
required(:name).filled
required(:title).filled
end
end
let(:form) { ValidatingForm.new(comp) }
it "returns false when invalid" do
form.validate({}).must_equal false
end
it "populates errors" do
form.validate({})
form.errors.messages.must_equal({name: ["must be filled"], title: ["must be filled"]})
end
end
end
describe "#save" do
let(:comp) { OpenStruct.new }
let(:form) { SongForm.new(comp) }
before { form.validate("name" => "Diesel Boy") }
it "xxpushes data to models" do
form.save
comp.name.must_equal "Diesel Boy"
assert_nil comp.title
end
describe "#save with block" do
it do
hash = {}
form.save do |map|
hash = map
end
hash.must_equal({"name" => "Diesel Boy", "title" => nil})
end
end
end
describe "#model" do
it { form.model.must_equal comp }
end
describe "inheritance" do
class HitForm < SongForm
property :position
validation do
required(:position).filled
end
end
let(:form) { HitForm.new(OpenStruct.new()) }
it do
form.validate({"title" => "The Body"})
form.title.must_equal "The Body"
assert_nil form.position
form.errors.messages.must_equal({name: ["must be filled"], position: ["must be filled"]})
end
end
end
class <API key> < BaseTest
class SongForm < TestForm
property :title
def title=(v) # used in #validate.
super v * 2
end
def title # used in #sync.
super.downcase
end
end
let(:song) { Song.new("Pray") }
subject { SongForm.new(song) }
# override reader for presentation.
it { subject.title.must_equal "pray" }
describe "#save" do
before { subject.validate("title" => "Hey Little World") }
# reader always used
it { subject.title.must_equal "hey little worldhey little world" }
# the reader is not used when saving/syncing.
it do
subject.save do |hash|
hash["title"].must_equal "Hey Little WorldHey Little World"
end
end
# no reader or writer used when saving/syncing.
it do
song.extend(Saveable)
subject.save
song.title.must_equal "Hey Little WorldHey Little World"
end
end
end
class MethodInFormTest < MiniTest::Spec
class AlbumForm < TestForm
property :title
def title
"The Suffer And The Witness"
end
property :hit do
property :title
def title
"Drones"
end
end
end
# methods can be used instead of created accessors.
subject { AlbumForm.new(OpenStruct.new(hit: OpenStruct.new)) }
it { subject.title.must_equal "The Suffer And The Witness" }
it { subject.hit.title.must_equal "Drones" }
end |
package JavaSyntaxHW;
import java.util.Scanner;
public class Task07CountOfBits {
/*Write a program to calculate the count of bits 1 in the binary representation
of given integer number n. Examples:
n binary representation of n count
5 00000000 00000101 2
0 00000000 00000000 0
15 00000000 00001111 4
5343 00010100 11011111 7
62241 11110011 00100001 8
17263 01000011 01101111 9
*/
public static void main(String[] args) {
Scanner input = new Scanner(System.in);
int num=input.nextInt();
System.out.println(Integer.bitCount(num));
}
} |
<div [class.row]="layout === 'horizontal'">
<ng-content></ng-content>
</div> |
<?php
namespace SpeechKit\Uploader;
use GuzzleHttp\Psr7\Request;
use SpeechKit\Client\ClientInterface;
use SpeechKit\Speech\<API key>;
/**
* @author Evgeny Soynov<saboteur@saboteur.me>
*/
class Uploader implements UploaderInterface
{
/** @var UrlGenerator */
private $urlGenerator;
/** @var ClientInterface */
private $client;
/**
* @param UrlGenerator $generator url generator
* @param ClientInterface $client client used for recognition content uploading
*/
public function __construct(UrlGenerator $generator, ClientInterface $client)
{
$this->urlGenerator = $generator;
$this->client = $client;
}
/**
* {@inheritdoc}
* @throws \<API key>
*/
public function upload(<API key> $speech)
{
$headers = ['Content-Type' => $speech->getContentType()];
$uri = $this->urlGenerator->generate($speech);
$request = new Request('POST', $uri, $headers, $speech->getStream());
return $this->client->upload($request);
}
} |
'use strict';
/**
* Module dependencies.
*/
var mongoose = require('mongoose'),
Schema = mongoose.Schema;
/**
* Notification Schema
*/
var NotificationSchema = new Schema({
title: {type: String, required: true},
description: {type: String},
startDate: {type: Date, default: Date.now},
endDate: {type: Date},
userGroups: {type: [String]}
});
mongoose.model('Notification', NotificationSchema); |
# modification, are permitted provided that the following conditions are met:
# documentation and/or other materials provided with the distribution.
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
# CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
# EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
# PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS;
# OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY,
# WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR
# OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
# ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
SOURCES = main.c
APPMOD = AdaptiveRate
PROJDIR = $(CURDIR)
ifndef MOSROOT
MOSROOT = $(PROJDIR)/../../..
endif
include ${MOSROOT}/mos/make/Makefile |
// Generated by CoffeeScript 1.6.3
(function() {
var loggedIn, login, now, test;
loggedIn = [];
now = function() {
return (new Date()).getTime();
};
login = function(sid, maxAge) {
var sess;
sess = {
sid: sid,
expires: now() + maxAge
};
return loggedIn.push(sess);
};
test = function(sid) {
var matches;
loggedIn = loggedIn.filter(function(elem) {
return elem.expires > now();
});
matches = loggedIn.filter(function(elem) {
return elem.sid === sid;
});
return matches.length > 0;
};
module.exports = {
login: login,
test: test
};
}).call(this); |
class AtomicDocSession < ApplicationRecord
belongs_to :atomic_doc
before_save :ensure_session_id
before_save :ensure_expires
def expired?
expires_at.to_i <= Time.now.to_i
end
private
def ensure_session_id
if session_id.blank?
first = SecureRandom.hex(18)
second = SecureRandom.hex(99)
third = SecureRandom.hex(43)
self.session_id = "#{first}#{second}#{third}"
end
end
def ensure_expires
if expires_at.blank?
self.expires_at = 1.day.from_now
end
end
end |
/*
* 2D Fluid Simulation Using the GPU
*
* Based on "Fast Fluid Dynamics Simulation on the GPU",
* Chapter 38, GPU Gems 2
*
*/
#include <string>
#include <Aergia.h>
using aergia::io::GraphicsDisplay;
#include <ctime>
#include <glm/glm.hpp>
using glm::ivec2;
using glm::vec2;
using glm::vec3;
#include <iostream>
using namespace std;
#include "ProceduralTexture.h"
#include "MACGrid.h"
#include "SmokeSimulator.h"
GraphicsDisplay* gd;
SmokeSimulator s;
Shader screen;
int curGrid;
int width = 512;
int height = 512;
float maxTemp = 400.0;
void init(){
screen.loadFiles("renderScreen", "shaders");
screen.setUniform("S",0);
screen.setUniform("T",1);
screen.setUniform("H",2);
screen.setUniform("maxTemp", maxTemp);
s.mouse = vec2(0.5,0.5);
cerr << "mouse >>>> " << s.mouse << endl;
s.init(ivec2(width,height), 0.1, 0.001);
s.jacobiIterations = 80;
int low = (int) (height*0.40), top = (int) (height*0.8);
int l = (int) (width*0.3), r = (int) (width*0.7);
// INITIATE C
{
int w = width, h = height+1;
GLfloat iuImg[w*h];
for (int i = 0; i < h; ++i) {
for (int j = 0; j < w; ++j) {
if(j > w*0.1 && j < w*0.8 && i > h*0.1 && i < h*0.9)
iuImg[i*w + j] = 0.0f;
else iuImg[i*w + j] = 1.0;
}
}
cerr << "SET C\n";
s.setGrid(gridTypes::C, iuImg);
}
// INITIATE V
{
int w = width, h = height+1;
GLfloat iuImg[w*h];
for (int i = 0; i < h; ++i) {
for (int j = 0; j < w; ++j) {
//if(i >= 400 && i <= 5)
iuImg[i*w + j] = -1000.0f;
//else iuImg[i*w + j] = 0.0;
}
}
cerr << "SET V\n";
//s.setGrid(gridTypes::V, iuImg);
}
// INITIATE S
{
int w = width, h = height;
GLfloat iuImg[w*h];
for (int i = 0; i < h; ++i) {
for (int j = 0; j < w; ++j) {
//if(j > w*0.45 && j < w*0.55 && i < h*0.8 && i > h*0.75)
if(i < h*0.15 && i > h*0.1 && j > w*0.45 && j < w*0.55)
//if(i < h*0.15 && j > w*0.45 && j < w*0.55)
iuImg[i*w + j] = 0.15;
else iuImg[i*w + j] = 0.0;
}
}
cerr << "SET S\n";
//s.setGrid(gridTypes::S, iuImg);
}
// INITIATE Q
{
int w = width, h = height;
GLfloat iuImg[w*h];
for (int i = 0; i < h; ++i) {
for (int j = 0; j < w; ++j) {
//if(i >= l && i <= r && j >= l & j <= r)
if(i <= top && i >= low && j >= l && j <= r)
//if(i <= 10 && i >= 7)
iuImg[i*w + j] = 1.0;
else iuImg[i*w + j] = 0.0;
}
}
cerr << "SET Q\n";
//s.setGrid(gridTypes::Q, iuImg);
}
// INITIATE T
{
int w = width, h = height;
GLfloat iuImg[w*h];
for (int i = 0; i < h; ++i) {
for (int j = 0; j < w; ++j) {
iuImg[i*w + j] = 273;
}
}
cerr << "SET T\n";
s.setGrid(gridTypes::T, iuImg);
}
// INITIATE H
{
int w = width, h = height;
GLfloat iuImg[w*h];
for (int i = h-1; i >= 0; --i) {
for (int j = w-1; j >= 0; --j) {
iuImg[i*w + j] = 273;
//if(i < h*0.1)
// if(i < h*0.15 && i > h*0.1 && j > w*0.45 && j < w*0.55)
// iuImg[i*w + j] = maxTemp;
}
}
cerr << "SET H\n";
s.setGrid(gridTypes::H, iuImg);
}
}
void render(){
s.step();
glActiveTexture(GL_TEXTURE0);
glBindTexture(GL_TEXTURE_2D, (GLuint) s.getTexture(gridTypes::Q));
glActiveTexture(GL_TEXTURE1);
glBindTexture(GL_TEXTURE_2D, (GLuint) s.getTexture(gridTypes::T));
glActiveTexture(GL_TEXTURE2);
glBindTexture(GL_TEXTURE_2D, (GLuint) s.getTexture(gridTypes::H));
screen.begin();
screen.setUniform("mode", curGrid);
screen.setUniform("mouse", s.mouse);
screen.setUniform("globalTime", s.timeStep*s.curStep);
glDrawArrays(GL_TRIANGLES, 0, 3);
screen.end();
}
void mouseButton(int button, int action){
s.step();
}
void keyboard(int key, int action){
if(key == GLFW_KEY_Q && action == GLFW_PRESS)
gd->stop();
if(key == GLFW_KEY_S && action == GLFW_PRESS)
curGrid = 0;//gridTypes::Q;
if(key == GLFW_KEY_T && action == GLFW_PRESS)
curGrid = 1;//gridTypes::T;
if(key == GLFW_KEY_H && action == GLFW_PRESS)
curGrid = 2;//gridTypes::H;
}
void mouse(double x, double y){
s.mouse = vec2((float)x/(float)width,(float)(height - y)/(float)height);
}
int main(void){
gd = GraphicsDisplay::create(width, height, std::string("Smoke2D"));
gd->registerRenderFunc(render);
gd->registerButtonFunc(mouseButton);
gd->registerKeyFunc(keyboard);
gd->registerMouseFunc(mouse);
init();
gd->start();
return 0;
} |
package org.seqcode.math.diff;
/**
* MAval: values of an M-A plot
* @author Shaun Mahony
* @version %I%, %G%
*/
public class MAval{
public double x=0;
public double y=0;
public double log_r=0;
public double log_g=0;
public double M=0;
public double A=0;
public double w=0;
protected static double LOG_2 = Math.log(2.0);
public MAval(double i, double j, double total_i, double total_j){
x=i; y=j;
if(x>0 && y>0){
log_r = Math.log(i/total_i)/LOG_2;
log_g = Math.log(j/total_j)/LOG_2;
M = log_r - log_g;
A = 0.5* (log_r + log_g);
w = ((total_i-i)/(total_i*i))+((total_j-j)/(total_j*j));
}
}
public int compareByM(MAval k){
if(this.M < k.M){return -1;}
else if(this.M > k.M){return 1;}
else{return 0;}
}
public int compareByA(MAval k){
if(this.A < k.A){return -1;}
else if(this.A > k.A){return 1;}
else{return 0;}
}
} |
#include "sendcoinsentry.h"
#include "ui_sendcoinsentry.h"
#include "guiutil.h"
#include "bitcoinunits.h"
#include "addressbookpage.h"
#include "walletmodel.h"
#include "optionsmodel.h"
#include "addresstablemodel.h"
#include <QApplication>
#include <QClipboard>
SendCoinsEntry::SendCoinsEntry(QWidget *parent) :
QFrame(parent),
ui(new Ui::SendCoinsEntry),
model(0)
{
ui->setupUi(this);
#ifdef Q_OS_MAC
ui->payToLayout->setSpacing(4);
#endif
#if QT_VERSION >= 0x040700
/* Do not move this to the XML file, Qt before 4.7 will choke on it */
ui->addAsLabel->setPlaceholderText(tr("Enter a label for this address to add it to your address book"));
ui->payTo->setPlaceholderText(tr("Enter a valid 300coin address"));
#endif
setFocusPolicy(Qt::TabFocus);
setFocusProxy(ui->payTo);
GUIUtil::setupAddressWidget(ui->payTo, this);
}
SendCoinsEntry::~SendCoinsEntry()
{
delete ui;
}
void SendCoinsEntry::<API key>()
{
// Paste text from clipboard into recipient field
ui->payTo->setText(QApplication::clipboard()->text());
}
void SendCoinsEntry::<API key>()
{
if(!model)
return;
AddressBookPage dlg(AddressBookPage::ForSending, AddressBookPage::SendingTab, this);
dlg.setModel(model-><API key>());
if(dlg.exec())
{
ui->payTo->setText(dlg.getReturnValue());
ui->payAmount->setFocus();
}
}
void SendCoinsEntry::<API key>(const QString &address)
{
if(!model)
return;
// Fill in label from address book, if address has an associated label
QString associatedLabel = model-><API key>()->labelForAddress(address);
if(!associatedLabel.isEmpty())
ui->addAsLabel->setText(associatedLabel);
}
void SendCoinsEntry::setModel(WalletModel *model)
{
this->model = model;
if(model && model->getOptionsModel())
connect(model->getOptionsModel(), SIGNAL(displayUnitChanged(int)), this, SLOT(updateDisplayUnit()));
clear();
}
void SendCoinsEntry::setRemoveEnabled(bool enabled)
{
ui->deleteButton->setEnabled(enabled);
}
void SendCoinsEntry::clear()
{
ui->payTo->clear();
ui->addAsLabel->clear();
ui->payAmount->clear();
ui->payTo->setFocus();
// update the display unit, to not use the default ("BTC")
updateDisplayUnit();
}
void SendCoinsEntry::<API key>()
{
emit removeEntry(this);
}
bool SendCoinsEntry::validate()
{
// Check input validity
bool retval = true;
if(!ui->payAmount->validate())
{
retval = false;
}
else
{
if(ui->payAmount->value() <= 0)
{
// Cannot send 0 coins or less
ui->payAmount->setValid(false);
retval = false;
}
}
if(!ui->payTo->hasAcceptableInput() ||
(model && !model->validateAddress(ui->payTo->text())))
{
ui->payTo->setValid(false);
retval = false;
}
return retval;
}
SendCoinsRecipient SendCoinsEntry::getValue()
{
SendCoinsRecipient rv;
rv.address = ui->payTo->text();
rv.label = ui->addAsLabel->text();
rv.amount = ui->payAmount->value();
return rv;
}
QWidget *SendCoinsEntry::setupTabChain(QWidget *prev)
{
QWidget::setTabOrder(prev, ui->payTo);
QWidget::setTabOrder(ui->payTo, ui->addressBookButton);
QWidget::setTabOrder(ui->addressBookButton, ui->pasteButton);
QWidget::setTabOrder(ui->pasteButton, ui->deleteButton);
QWidget::setTabOrder(ui->deleteButton, ui->addAsLabel);
return ui->payAmount->setupTabChain(ui->addAsLabel);
}
void SendCoinsEntry::setValue(const SendCoinsRecipient &value)
{
ui->payTo->setText(value.address);
ui->addAsLabel->setText(value.label);
ui->payAmount->setValue(value.amount);
}
bool SendCoinsEntry::isClear()
{
return ui->payTo->text().isEmpty();
}
void SendCoinsEntry::setFocus()
{
ui->payTo->setFocus();
}
void SendCoinsEntry::updateDisplayUnit()
{
if(model && model->getOptionsModel())
{
// Update payAmount with the current unit
ui->payAmount->setDisplayUnit(model->getOptionsModel()->getDisplayUnit());
}
} |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""A command shell specifically for iris with a special purpose SQL-like
query language.
"""
import readline
import cmd
from iris import version
from iris import backend
from iris.utils import color, bold, white, green, red
from iris.query import parser, completion
import logging
logger = logging.getLogger("lepl")
logger.setLevel(logging.CRITICAL)
def dbg(func):
def wrapped(*args):
print '<<%s: %s>>' % (func.__name__, '::'.join(args))
return func(*args)
return wrapped
def print_exceptions(func):
def wrapped(*args):
try: return func(*args)
except:
import traceback
print ''
traceback.print_exc()
return wrapped
def find(query):
"""Perform a 'find' based on a shell query."""
if isinstance(query, basestring):
query = parser.FindStatement(query)
spec = query.spec
photos = backend.Photo.objects.find(spec, limit=query.count)
return photos
class CommandParser(cmd.Cmd):
def __init__(self, *args, **kwargs):
# stupid non-newstyle classes in stdlib
cmd.Cmd.__init__(self, *args, **kwargs)
self.prompt = color('iris', green) + ' $ '
self._commands = [c[3:] for c in dir(self) if c.startswith('do_')]
def default(self, params):
if params == 'EOF':
print
return 1
cmd.Cmd.default(self, params)
def _general_help(self, ret=False):
string = """Press <TAB> twice or do "%s" to see list of commands.""" % bold('help commands', white)
if ret: return string
print string
def do_help(self, params):
"""Get general help or help on specific commands."""
if not params:
self._general_help()
elif params == 'commands':
print ' '.join(self._commands)
else:
cmd.Cmd.do_help(self, params)
def complete_help(self, text, line, *args):
if len(line.split()) > 2:
return []
return [x+' ' for x in self._commands if x.startswith(text)]
def do_debug(self, params):
"""Enter the debugger."""
import ipdb; ipdb.set_trace();
def <API key>(self, e):
s = ": invalid syntax (chr %d): " % e.stream.character_offset
slen = len(s) + 5
s = bold("Error", red) + s
print s + bold(e.stream.location[3], white)
print ' '*slen + ' '*e.stream.character_offset + bold("^", red)
def _do_statement(self, params, stmt, name):
try:
tokens = stmt.parse(name + ' ' + params)
return tokens
except Exception, e:
self.<API key>(e)
def do_find(self, params):
tokens = self._do_statement(params, parser.find_stmt, 'find')
if not tokens:
return
query = parser.FindStatement(tokens)
for photo in find(query):
print photo
@print_exceptions
def complete_find(self, text, line, *args):
return completion.FindStatement(text, line).complete()
@print_exceptions
def complete_count(self, text, line, *args):
return completion.CountStatement(text, line).complete()
def do_count(self, params):
tokens = self._do_statement(params, parser.count_stmt, 'count')
if not tokens:
return
query = parser.CountStatement(tokens)
print query.spec
def do_tag(self, params):
self._do_statement(params, tag_stmt, 'tag')
def prompt():
parser = CommandParser()
intro = "iris shell version: %s\n%s" % (bold(version, white), parser._general_help(True))
parser.cmdloop(intro)
def query(q):
return CommandParser().onecmd(q)
if __name__ == '__main__':
try: prompt()
except KeyboardInterrupt: print |
<!DOCTYPE html>
<html>
<head>
<title>Rhythm — One & Multi Page Creative Theme</title>
<meta name="description" content="">
<meta name="keywords" content="">
<meta charset="utf-8">
<meta name="author" content="Roman Kirichik">
<!--[if IE]><meta http-equiv='X-UA-Compatible' content='IE=edge,chrome=1'><![endif]-->
<meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0" />
<!-- Favicons -->
<link rel="shortcut icon" href="images/favicon.png">
<link rel="apple-touch-icon" href="images/apple-touch-icon.png">
<link rel="apple-touch-icon" sizes="72x72" href="images/<API key>.png">
<link rel="apple-touch-icon" sizes="114x114" href="images/<API key>.png">
<!-- CSS -->
<link rel="stylesheet" href="css/bootstrap.min.css">
<link rel="stylesheet" href="css/style.css">
<link rel="stylesheet" href="css/style-responsive.css">
<link rel="stylesheet" href="css/animate.min.css">
<link rel="stylesheet" href="css/vertical-rhythm.min.css">
<link rel="stylesheet" href="css/owl.carousel.css">
<link rel="stylesheet" href="css/magnific-popup.css">
</head>
<body class="appear-animate">
<!-- Page Loader -->
<div class="page-loader">
<div class="loader">Loading...</div>
</div>
<!-- End Page Loader -->
<!-- Page Wrap -->
<div class="page" id="top">
<!-- Logo Section -->
<section class="small-section pt-30 pt-xs-20 pb-30 pb-xs-20">
<div class="container align-center">
<div class="row">
<div class="col-xs-6 col-xs-offset-3">
<a href="<API key>.html"><img src="images/construction/logo-construction.png" width="216" height="119" alt="" /></a>
</div>
</div>
</div>
</section>
<!-- End Logo Section -->
<!-- Menu Wrapper -->
<div class="container">
<!-- Divider -->
<hr class="mt-0 mb-0 "/>
<!-- End Divider -->
<!-- Navigation panel -->
<nav class="main-nav mn-align-left not-top mb-30">
<div class="relative clearfix">
<div class="mobile-nav">
<i class="fa fa-bars"></i>
</div>
<!-- Main Menu -->
<div class="inner-nav desktop-nav">
<ul class="clearlist">
<!-- Item With Sub -->
<li>
<a href="<API key>.html">Home</a>
</li>
<!-- End Item With Sub -->
<!-- Item With Sub -->
<li>
<a href="<API key>.html" class="mn-has-sub active">About Us <i class="fa fa-angle-down"></i></a>
<!-- Sub -->
<ul class="mn-sub">
<li>
<a href="<API key>.html">History</a>
</li>
<li>
<a href="<API key>.html">Mission</a>
</li>
<li>
<a href="<API key>.html">Vision</a>
</li>
</ul>
<!-- End Sub -->
</li>
<!-- End Item With Sub -->
<!-- Item With Sub -->
<li>
<a href="<API key>.html" class="mn-has-sub">Services <i class="fa fa-angle-down"></i></a>
<!-- Sub -->
<ul class="mn-sub">
<li>
<a href="<API key>.html">General Contracting</a>
</li>
<li>
<a href="<API key>.html">Construction Management</a>
</li>
<li>
<a href="<API key>.html">Design-Build</a>
</li>
<li>
<a href="<API key>.html">Preconstruction & Planning</a>
</li>
<li>
<a href="<API key>.html">Special Projects</a>
</li>
</ul>
<!-- End Sub -->
</li>
<!-- End Item With Sub -->
<li>
<a href="<API key>.html">Projects</a>
</li>
<li>
<a href="<API key>.html">Contact</a>
</li>
<!-- Search -->
<li>
<a href="#" class="mn-has-sub"><i class="fa fa-search"></i> Search</a>
<ul class="mn-sub">
<li>
<div class="mn-wrap">
<form method="post" class="form">
<div class="search-wrap">
<button class="search-button animate" type="submit" title="Start Search">
<i class="fa fa-search"></i>
</button>
<input type="text" class="form-control search-field" placeholder="Search...">
</div>
</form>
</div>
</li>
</ul>
</li>
<!-- End Search -->
<!-- Social Links -->
<li class="right">
<a href="#"><span class="mn-soc-link tooltip-top" title="Facebook"><i class="fa fa-facebook"></i></span></a>
<a href="#"><span class="mn-soc-link tooltip-top" title="Twitter"><i class="fa fa-twitter"></i></span></a>
<a href="#"><span class="mn-soc-link tooltip-top" title="Pinterest"><i class="fa fa-pinterest"></i></span></a>
</li>
<!-- End Social Links -->
<!-- Languages -->
<li class="right">
<a href="#" class="mn-has-sub">Eng <i class="fa fa-angle-down"></i></a>
<ul class="mn-sub to-left">
<li><a href="">English</a></li>
<li><a href="">France</a></li>
<li><a href="">Germany</a></li>
</ul>
</li>
<!-- End Languages -->
<!-- Phone -->
<li class="right">
<a href="tel:+138376628"><i class="fa fa-phone"></i> +1 3 8376 628</a>
</li>
<!-- End Phone -->
</ul>
</div>
<!-- End Main Menu -->
</div>
</nav>
<!-- End Navigation panel -->
</div>
<!-- End Menu Wrapper -->
<!-- Section -->
<div class="container">
<section class="page-section bg-scroll bg-dark-alfa-30" data-background="images/construction/bg-3.jpg">
<div class="relative align-center">
<h1 class="hs-line-11 font-alt mb-0">About</h1>
<div class="mod-breadcrumbs align-center font-alt">
<a href="#">Home</a> / <a href="#">Pages</a> / <span>About</span>
</div>
</div>
</section>
</div>
<!-- End Section -->
<!-- About Section -->
<section class="page-section pt-70 pt-xs-40">
<div class="container relative">
<div class="section-text mb-50 mb-sm-20">
<div class="row">
<div class="col-md-4">
<blockquote>
<p>
There's no art to find the mind's construction in the face.
</p>
<footer>
Louis Kahn
</footer>
</blockquote>
</div>
<div class="col-md-4 col-sm-6 mb-sm-50 mb-xs-30">
Lorem ipsum dolor sit amet, consectetur adipiscing elit. In maximus ligula semper metus pellentesque mattis. Maecenas volutpat, diam enim sagittis quam, id porta quam. Sed id dolor consectetur fermentum nibh volutpat, accumsan purus.
</div>
<div class="col-md-4 col-sm-6 mb-sm-50 mb-xs-30">
Etiam sit amet fringilla lacus. Pellentesque suscipit ante at ullamcorper pulvinar neque porttitor. Integer lectus. Praesent sed nisi eleifend, fermentum orci amet, iaculis libero. Donec vel ultricies purus. Nam dictum sem, eu aliquam.
</div>
</div>
</div>
<div class="row">
<!-- Team item -->
<div class="col-sm-4 mb-xs-30 wow fadeInUp">
<div class="team-item">
<div class="team-item-image">
<img src="images/construction/team/1.jpg" alt="" />
<div class="team-item-detail">
<h4 class="font-alt normal">Hello & Welcome!</h4>
<p>
Lorem ipsum dolor sit amet, consectetur adipiscing elit lacus, a iaculis diam.
</p>
<div class="team-social-links">
<a href="#" target="_blank"><i class="fa fa-facebook"></i></a>
<a href="#" target="_blank"><i class="fa fa-twitter"></i></a>
<a href="#" target="_blank"><i class="fa fa-pinterest"></i></a>
</div>
</div>
</div>
<div class="team-item-descr font-alt">
<div class="team-item-name">
Thomas Rhythm
</div>
<div class="team-item-role">
Co-founder
</div>
</div>
</div>
</div>
<!-- End Team item -->
<!-- Team item -->
<div class="col-sm-4 mb-xs-30 wow fadeInUp" data-wow-delay="0.1s">
<div class="team-item">
<div class="team-item-image">
<img src="images/construction/team/2.jpg" alt="" />
<div class="team-item-detail">
<h4 class="font-alt normal">Nice to meet!</h4>
<p>
Curabitur augue, nec finibus mauris pretium eu. Duis placerat ex gravida nibh tristique porta.
</p>
<div class="team-social-links">
<a href="#" target="_blank"><i class="fa fa-facebook"></i></a>
<a href="#" target="_blank"><i class="fa fa-twitter"></i></a>
<a href="#" target="_blank"><i class="fa fa-pinterest"></i></a>
</div>
</div>
</div>
<div class="team-item-descr font-alt">
<div class="team-item-name">
Mett Laning
</div>
<div class="team-item-role">
Architector
</div>
</div>
</div>
</div>
<!-- End Team item -->
<!-- Team item -->
<div class="col-sm-4 mb-xs-30 wow fadeInUp" data-wow-delay="0.2s">
<div class="team-item">
<div class="team-item-image">
<img src="images/construction/team/3.jpg" alt="" />
<div class="team-item-detail">
<h4 class="font-alt normal">Whats Up!</h4>
<p>
Adipiscing elit curabitur eu adipiscing lacus eu adipiscing lacus, a iaculis diam.
</p>
<div class="team-social-links">
<a href="#" target="_blank"><i class="fa fa-facebook"></i></a>
<a href="#" target="_blank"><i class="fa fa-twitter"></i></a>
<a href="#" target="_blank"><i class="fa fa-pinterest"></i></a>
</div>
</div>
</div>
<div class="team-item-descr font-alt">
<div class="team-item-name">
Steve Anders
</div>
<div class="team-item-role">
Manager
</div>
</div>
</div>
</div>
<!-- End Team item -->
</div>
</div>
</section>
<!-- End About Section -->
<!-- Divider -->
<hr class="mt-0 mb-0 "/>
<!-- End Divider -->
<!-- Section -->
<section class="page-section">
<div class="container relative">
<div class="row">
<div class="col-md-7 mb-sm-40">
<!-- Image -->
<div class="work-full-media mt-0 white-shadow wow fadeInUp">
<img src="images/construction/promo-1.jpg" alt="" />
</div>
<!-- End Image -->
</div>
<div class="col-md-5 col-lg-4 col-lg-offset-1">
<!-- About -->
<div class="text">
<h3 class="font-alt mt-0 mb-30 mb-xxs-10">The best quality in the construction market</h3>
<div class="alt-service-item mt-0 mb-20">
<div class="alt-service-icon">
<i class="fa fa-paper-plane-o"></i>
</div>
<h3 class="alt-services-title font-alt">Quality planning</h3>
Lorem ipsum dolor sit amet, elit. Vitae gravida nibh. Morbi dignissim nunc at risus convallis.
</div>
<div class="alt-service-item mt-0 mb-20">
<div class="alt-service-icon">
<i class="fa fa-graduation-cap"></i>
</div>
<h3 class="alt-services-title font-alt">Highly skilled workers</h3>
Lorem ipsum dolor sit amet, elit. Vitae gravida nibh. Morbi dignissim nunc at risus convallis.
</div>
<div class="alt-service-item mt-0 mb-20">
<div class="alt-service-icon">
<i class="fa fa-building"></i>
</div>
<h3 class="alt-services-title font-alt">10 years experience</h3>
Lorem ipsum dolor sit amet, elit. Vitae gravida nibh. Morbi dignissim nunc at risus convallis.
</div>
<div class="mt-30">
<a href="http://themeforest.net/user/theme-guru/portfolio" class="btn btn-mod btn-border btn-round btn-medium" target="_blank">Start Work</a>
</div>
</div>
<!-- End About -->
</div>
</div>
</div>
</section>
<!-- End Section -->
<!-- Divider -->
<hr class="mt-0 mb-0 "/>
<!-- End Divider -->
<!-- Contact Section -->
<section class="page-section" id="contact">
<div class="container relative">
<h2 class="section-title font-alt mb-70 mb-sm-40">
Find Us
</h2>
<div class="row">
<div class="col-sm-12">
<div class="row">
<!-- Phone -->
<div class="col-sm-6 col-lg-3 pt-20 pb-20 pb-xs-0">
<div class="contact-item">
<div class="ci-icon">
<i class="fa fa-phone"></i>
</div>
<div class="ci-title font-alt">
Call Us
</div>
<div class="ci-text">
+61 3 8376 6284
</div>
</div>
</div>
<!-- End Phone -->
<!-- Email -->
<div class="col-sm-6 col-lg-3 pt-20 pb-20 pb-xs-0">
<div class="contact-item">
<div class="ci-icon">
<i class="fa fa-envelope"></i>
</div>
<div class="ci-title font-alt">
Email
</div>
<div class="ci-text">
<a href="mailto:support@bestlooker.pro">support@bestlooker.pro</a>
</div>
</div>
</div>
<!-- End Email -->
<!-- Address -->
<div class="col-sm-6 col-lg-3 pt-20 pb-20 pb-xs-0">
<div class="contact-item">
<div class="ci-icon">
<i class="fa fa-map-marker"></i>
</div>
<div class="ci-title font-alt">
Address
</div>
<div class="ci-text">
245 Quigley Blvd, Ste K
</div>
</div>
</div>
<!-- End Address -->
<!-- Opening Time -->
<div class="col-sm-6 col-lg-3 pt-20 pb-20 pb-xs-0">
<div class="contact-item">
<div class="ci-icon">
<i class="fa fa-clock-o"></i>
</div>
<div class="ci-title font-alt">
We are opened
</div>
<div class="ci-text">
Monday-Friday: 9am to 5pm <br />
Saturday, Sunday — clossed
</div>
</div>
</div>
<!-- End Opening Time -->
</div>
</div>
</div>
</div>
</section>
<!-- End Contact Section -->
<!-- Foter -->
<footer class="small-section bg-gray-lighter footer pb-60">
<div class="container">
<!-- Footer Widgets -->
<div class="row align-left">
<!-- Widget -->
<div class="col-sm-6 col-md-3">
<div class="widget">
<h5 class="widget-title font-alt">About</h5>
<div class="widget-body">
<div class="widget-text clearfix">
Purus ut dignissim consectetur, nulla erat ultrices purus, ut consequat sem elit non sem.
Quisque magna ante eleifend lorem eleifend. Mauris pretium etere lorem enimet scelerisque.
</div>
</div>
</div>
</div>
<!-- End Widget -->
<!-- Widget -->
<div class="col-sm-6 col-md-3">
<div class="widget">
<h5 class="widget-title font-alt">Additional Links</h5>
<div class="widget-body">
<ul class="clearlist widget-menu">
<li>
<a href="#" title="">About Us <i class="fa fa-angle-right right"></i></a>
</li>
<li>
<a href="#" title="">Careers <i class="fa fa-angle-right right"></i></a>
</li>
<li>
<a href="#" title="">Privacy Policy <i class="fa fa-angle-right right"></i></a>
</li>
<li>
<a href="#" title="">Contact <i class="fa fa-angle-right right"></i></a>
</li>
</ul>
</div>
</div>
</div>
<!-- End Widget -->
<!-- Widget -->
<div class="col-sm-6 col-md-3">
<div class="widget">
<h5 class="widget-title font-alt">Latest posts</h5>
<div class="widget-body">
<ul class="clearlist widget-posts">
<li class="clearfix">
<a href=""><img src="images/blog/previews/post-prev-3.jpg" alt="" class="widget-posts-img" /></a>
<div class="widget-posts-descr">
<a href="#" title="">New Web Design Trends in 2015 year</a>
Posted by John Doe 7 Mar
</div>
</li>
<li class="clearfix">
<a href=""><img src="images/blog/previews/post-prev-4.jpg" alt="" class="widget-posts-img" /></a>
<div class="widget-posts-descr">
<a href="
Posted by John Doe 7 Mar
</div>
</li>
</ul>
</div>
</div>
<!-- End Widget -->
</div>
<!-- End Widget -->
<!-- Widget -->
<div class="col-sm-6 col-md-3">
<div class="widget">
<h5 class="widget-title font-alt">Newsletter</h5>
<div class="widget-body">
<div class="widget-text clearfix">
<form class="form" id="mailchimp">
<div class="mb-20">Stay informed with our newsletter. Please trust us, we will never send you spam.</div>
<div class="mb-20">
<input placeholder="Enter Your Email" class="form-control input-md round mb-10" type="email" pattern=".{5,100}" required/>
<button type="submit" class="btn btn-mod btn-gray btn-medium btn-round form-control mb-xs-10">Subscribe</button>
</div>
<div id="subscribe-result"></div>
</form>
</div>
</div>
</div>
</div>
<!-- End Widget -->
</div>
<!-- End Footer Widgets -->
<!-- Divider -->
<hr class="mt-0 mb-80 mb-xs-40"/>
<!-- End Divider -->
<!-- Footer Logo -->
<div class="local-scroll mb-30 wow fadeInUp" data-wow-duration="1.5s">
<a href="#top"><img src="images/logo-footer.png" width="78" height="36" alt="" /></a>
</div>
<!-- End Footer Logo -->
<!-- Social Links -->
<div class="footer-social-links mb-110 mb-xs-60">
<a href="#" title="Facebook" target="_blank"><i class="fa fa-facebook"></i></a>
<a href="#" title="Twitter" target="_blank"><i class="fa fa-twitter"></i></a>
<a href="#" title="Behance" target="_blank"><i class="fa fa-behance"></i></a>
<a href="#" title="LinkedIn+" target="_blank"><i class="fa fa-linkedin"></i></a>
<a href="#" title="Pinterest" target="_blank"><i class="fa fa-pinterest"></i></a>
</div>
<!-- End Social Links -->
<!-- Footer Text -->
<div class="footer-text">
<div class="footer-copy font-alt">
<a href="http://themeforest.net/user/theme-guru/portfolio" target="_blank">© Rhythm 2015</a>.
</div>
<div class="footer-made">
Made with love for great people.
</div>
</div>
<!-- End Footer Text -->
</div>
<!-- Top Link -->
<div class="local-scroll">
<a href="#top" class="link-to-top"><i class="fa fa-caret-up"></i></a>
</div>
<!-- End Top Link -->
</footer>
<!-- End Foter -->
</div>
<!-- End Page Wrap -->
<script type="text/javascript" src="js/jquery-1.11.2.min.js"></script>
<script type="text/javascript" src="js/jquery.easing.1.3.js"></script>
<script type="text/javascript" src="js/bootstrap.min.js"></script>
<script type="text/javascript" src="js/SmoothScroll.js"></script>
<script type="text/javascript" src="js/jquery.scrollTo.min.js"></script>
<script type="text/javascript" src="js/jquery.localScroll.min.js"></script>
<script type="text/javascript" src="js/jquery.viewport.mini.js"></script>
<script type="text/javascript" src="js/jquery.countTo.js"></script>
<script type="text/javascript" src="js/jquery.appear.js"></script>
<script type="text/javascript" src="js/jquery.sticky.js"></script>
<script type="text/javascript" src="js/jquery.parallax-1.1.3.js"></script>
<script type="text/javascript" src="js/jquery.fitvids.js"></script>
<script type="text/javascript" src="js/owl.carousel.min.js"></script>
<script type="text/javascript" src="js/isotope.pkgd.min.js"></script>
<script type="text/javascript" src="js/imagesloaded.pkgd.min.js"></script>
<script type="text/javascript" src="js/jquery.magnific-popup.min.js"></script>
<script type="text/javascript" src="http://maps.google.com/maps/api/js?sensor=false&language=en"></script>
<script type="text/javascript" src="js/gmap3.min.js"></script>
<script type="text/javascript" src="js/wow.min.js"></script>
<script type="text/javascript" src="js/masonry.pkgd.min.js"></script>
<script type="text/javascript" src="js/jquery.simple-text-rotator.min.js"></script>
<script type="text/javascript" src="js/all.js"></script>
<script type="text/javascript" src="js/contact-form.js"></script>
<script type="text/javascript" src="js/jquery.ajaxchimp.min.js"></script>
<!--[if lt IE 10]><script type="text/javascript" src="js/placeholder.js"></script><![endif]-->
</body>
</html> |
-- index.test
-- execsql {
-- SELECT c FROM t6 WHERE b='';
SELECT c FROM t6 WHERE b=''; |
#ifdef __OBJC__
#import <Cocoa/Cocoa.h>
#else
#ifndef FOUNDATION_EXPORT
#if defined(__cplusplus)
#define FOUNDATION_EXPORT extern "C"
#else
#define FOUNDATION_EXPORT extern
#endif
#endif
#endif
FOUNDATION_EXPORT double Pods_<API key>;
FOUNDATION_EXPORT const unsigned char Pods_<API key>[]; |
#!/bin/sh
set -e
hook="$1"
shift
gitdir="$(git rev-parse --git-dir)"
[ -x "$gitdir/hooks/own_$hook" ] && "$gitdir/hooks/own_$hook" "$@"
[ -x "$gitdir/../git-hooks/hooks/$hook" ] && "$gitdir/../git-hooks/hooks/$hook" "$@" |
<!DOCTYPE HTML PUBLIC "-
<!-- NewPage -->
<html lang="en">
<head>
<!-- Generated by javadoc (1.8.0_111) on Tue Mar 14 11:59:09 EDT 2017 -->
<title>DriveDistance</title>
<meta name="date" content="2017-03-14">
<link rel="stylesheet" type="text/css" href="../../../../../../stylesheet.css" title="Style">
<script type="text/javascript" src="../../../../../../script.js"></script>
</head>
<body>
<script type="text/javascript"><!
try {
if (location.href.indexOf('is-external=true') == -1) {
parent.document.title="DriveDistance";
}
}
catch(err) {
}
var methods = {"i0":10,"i1":10,"i2":10,"i3":10,"i4":10};
var tabs = {65535:["t0","All Methods"],2:["t2","Instance Methods"],8:["t4","Concrete Methods"]};
var altColor = "altColor";
var rowColor = "rowColor";
var tableTab = "tableTab";
var activeTableTab = "activeTableTab";
</script>
<noscript>
<div>JavaScript is disabled on your browser.</div>
</noscript>
<div class="topNav"><a name="navbar.top">
</a>
<div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.top.firstrow">
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/Climb.html" title="class in org.usfirst.frc.team6027.robot.commands"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistanceDiff.html" title="class in org.usfirst.frc.team6027.robot.commands"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../../../../index.html?org/usfirst/frc/team6027/robot/commands/DriveDistance.html" target="_top">Frames</a></li>
<li><a href="DriveDistance.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li>Field | </li>
<li><a href="#constructor.summary">Constr</a> | </li>
<li><a href="#method.summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#constructor.detail">Constr</a> | </li>
<li><a href="#method.detail">Method</a></li>
</ul>
</div>
<a name="skip.navbar.top">
</a></div>
<div class="header">
<div class="subTitle">org.usfirst.frc.team6027.robot.commands</div>
<h2 title="Class DriveDistance" class="title">Class DriveDistance</h2>
</div>
<div class="contentContainer">
<ul class="inheritance">
<li>java.lang.Object</li>
<li>
<ul class="inheritance">
<li>edu.wpi.first.wpilibj.command.Command</li>
<li>
<ul class="inheritance">
<li>org.usfirst.frc.team6027.robot.commands.DriveDistance</li>
</ul>
</li>
</ul>
</li>
</ul>
<div class="description">
<ul class="blockList">
<li class="blockList">
<dl>
<dt>All Implemented Interfaces:</dt>
<dd>edu.wpi.first.wpilibj.NamedSendable, edu.wpi.first.wpilibj.Sendable</dd>
</dl>
<hr>
<br>
<pre>public class <span class="typeNameLabel">DriveDistance</span>
extends edu.wpi.first.wpilibj.command.Command</pre>
<div class="block">A command to drive to a specified distance in inches using the drive encoders.</div>
</li>
</ul>
</div>
<div class="summary">
<ul class="blockList">
<li class="blockList">
<ul class="blockList">
<li class="blockList"><a name="constructor.summary">
</a>
<h3>Constructor Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Constructor Summary table, listing constructors, and an explanation">
<caption><span>Constructors</span><span class="tabEnd"> </span></caption>
<tr>
<th class="colOne" scope="col">Constructor and Description</th>
</tr>
<tr class="altColor">
<td class="colOne"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#<API key>-">DriveDistance</a></span>(double setpoint,
boolean stoppable)</code>
<div class="block">Requires DriveTrain, DriveEncoders, Gyro, Ultrasonic</div>
</td>
</tr>
</table>
</li>
</ul>
<ul class="blockList">
<li class="blockList"><a name="method.summary">
</a>
<h3>Method Summary</h3>
<table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Method Summary table, listing methods, and an explanation">
<caption><span id="t0" class="activeTableTab"><span>All Methods</span><span class="tabEnd"> </span></span><span id="t2" class="tableTab"><span><a href="javascript:show(2);">Instance Methods</a></span><span class="tabEnd"> </span></span><span id="t4" class="tableTab"><span><a href="javascript:show(8);">Concrete Methods</a></span><span class="tabEnd"> </span></span></caption>
<tr>
<th class="colFirst" scope="col">Modifier and Type</th>
<th class="colLast" scope="col">Method and Description</th>
</tr>
<tr id="i0" class="altColor">
<td class="colFirst"><code>protected void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#end--">end</a></span>()</code>
<div class="block">Stop robot</div>
</td>
</tr>
<tr id="i1" class="rowColor">
<td class="colFirst"><code>protected void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#execute--">execute</a></span>()</code> </td>
</tr>
<tr id="i2" class="altColor">
<td class="colFirst"><code>protected void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#initialize--">initialize</a></span>()</code> </td>
</tr>
<tr id="i3" class="rowColor">
<td class="colFirst"><code>protected void</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#interrupted--">interrupted</a></span>()</code>
<div class="block">Stop robot</div>
</td>
</tr>
<tr id="i4" class="altColor">
<td class="colFirst"><code>protected boolean</code></td>
<td class="colLast"><code><span class="memberNameLink"><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistance.html#isFinished--">isFinished</a></span>()</code> </td>
</tr>
</table>
<ul class="blockList">
<li class="blockList"><a name="methods.inherited.from.class.edu.wpi.first.wpilibj.command.Command">
</a>
<h3>Methods inherited from class edu.wpi.first.wpilibj.command.Command</h3>
<code>cancel, clearRequirements, doesRequire, getGroup, getName, <API key>, getTable, initTable, isCanceled, isInterruptible, isRunning, isTimedOut, requires, setInterruptible, setRunWhenDisabled, setTimeout, start, <API key>, toString, willRunWhenDisabled</code></li>
</ul>
<ul class="blockList">
<li class="blockList"><a name="methods.inherited.from.class.java.lang.Object">
</a>
<h3>Methods inherited from class java.lang.Object</h3>
<code>clone, equals, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait</code></li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
<div class="details">
<ul class="blockList">
<li class="blockList">
<ul class="blockList">
<li class="blockList"><a name="constructor.detail">
</a>
<h3>Constructor Detail</h3>
<a name="<API key>-">
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>DriveDistance</h4>
<pre>public DriveDistance(double setpoint,
boolean stoppable)</pre>
<div class="block">Requires DriveTrain, DriveEncoders, Gyro, Ultrasonic</div>
<dl>
<dt><span class="paramLabel">Parameters:</span></dt>
<dd><code>setpoint</code> - distance to move in inches</dd>
</dl>
</li>
</ul>
</li>
</ul>
<ul class="blockList">
<li class="blockList"><a name="method.detail">
</a>
<h3>Method Detail</h3>
<a name="initialize
</a>
<ul class="blockList">
<li class="blockList">
<h4>initialize</h4>
<pre>protected void initialize()</pre>
<dl>
<dt><span class="<API key>">Overrides:</span></dt>
<dd><code>initialize</code> in class <code>edu.wpi.first.wpilibj.command.Command</code></dd>
</dl>
</li>
</ul>
<a name="execute
</a>
<ul class="blockList">
<li class="blockList">
<h4>execute</h4>
<pre>protected void execute()</pre>
<dl>
<dt><span class="<API key>">Overrides:</span></dt>
<dd><code>execute</code> in class <code>edu.wpi.first.wpilibj.command.Command</code></dd>
</dl>
</li>
</ul>
<a name="isFinished
</a>
<ul class="blockList">
<li class="blockList">
<h4>isFinished</h4>
<pre>protected boolean isFinished()</pre>
<dl>
<dt><span class="<API key>">Specified by:</span></dt>
<dd><code>isFinished</code> in class <code>edu.wpi.first.wpilibj.command.Command</code></dd>
<dt><span class="returnLabel">Returns:</span></dt>
<dd>when pid is on target or we are about to hit something</dd>
</dl>
</li>
</ul>
<a name="end
</a>
<ul class="blockList">
<li class="blockList">
<h4>end</h4>
<pre>protected void end()</pre>
<div class="block">Stop robot</div>
<dl>
<dt><span class="<API key>">Overrides:</span></dt>
<dd><code>end</code> in class <code>edu.wpi.first.wpilibj.command.Command</code></dd>
</dl>
</li>
</ul>
<a name="interrupted
</a>
<ul class="blockListLast">
<li class="blockList">
<h4>interrupted</h4>
<pre>protected void interrupted()</pre>
<div class="block">Stop robot</div>
<dl>
<dt><span class="<API key>">Overrides:</span></dt>
<dd><code>interrupted</code> in class <code>edu.wpi.first.wpilibj.command.Command</code></dd>
</dl>
</li>
</ul>
</li>
</ul>
</li>
</ul>
</div>
</div>
<div class="bottomNav"><a name="navbar.bottom">
</a>
<div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div>
<a name="navbar.bottom.firstrow">
</a>
<ul class="navList" title="Navigation">
<li><a href="../../../../../../overview-summary.html">Overview</a></li>
<li><a href="package-summary.html">Package</a></li>
<li class="navBarCell1Rev">Class</li>
<li><a href="package-tree.html">Tree</a></li>
<li><a href="../../../../../../deprecated-list.html">Deprecated</a></li>
<li><a href="../../../../../../index-files/index-1.html">Index</a></li>
<li><a href="../../../../../../help-doc.html">Help</a></li>
</ul>
</div>
<div class="subNav">
<ul class="navList">
<li><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/Climb.html" title="class in org.usfirst.frc.team6027.robot.commands"><span class="typeNameLink">Prev Class</span></a></li>
<li><a href="../../../../../../org/usfirst/frc/team6027/robot/commands/DriveDistanceDiff.html" title="class in org.usfirst.frc.team6027.robot.commands"><span class="typeNameLink">Next Class</span></a></li>
</ul>
<ul class="navList">
<li><a href="../../../../../../index.html?org/usfirst/frc/team6027/robot/commands/DriveDistance.html" target="_top">Frames</a></li>
<li><a href="DriveDistance.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>
<div>
<ul class="subNavList">
<li>Summary: </li>
<li>Nested | </li>
<li>Field | </li>
<li><a href="#constructor.summary">Constr</a> | </li>
<li><a href="#method.summary">Method</a></li>
</ul>
<ul class="subNavList">
<li>Detail: </li>
<li>Field | </li>
<li><a href="#constructor.detail">Constr</a> | </li>
<li><a href="#method.detail">Method</a></li>
</ul>
</div>
<a name="skip.navbar.bottom">
</a></div>
</body>
</html> |
window.u = {
gameEl: $('#game'),
levels: {},
ui: {}
};
u.game = Backbone.Router.extend({
start: function(){
this.levelOne = new u.levels['zero'];
}
});
u.ui.restart = Backbone.View.extend({
initialize: function(){
this.render();
},
el: $('#restart'),
events: {
'mouseover': 'restart',
'mouseout': 'leftRestart'
},
restart: function(e){
var timeoutId = window.setTimeout(function(){
new u.levels.one;
}, 1000);
this.$el.data('timeoutId', timeoutId);
},
leftRestart: function(e){
clearTimeout( this.$el.data('timeoutId') );
delete this.$el.data('timeoutId');
},
render: function(){
this.$el.show();
}
});
u.level = Backbone.View.extend({
initialize: function(level){
this.level = level;
_.bindAll(this, 'render');
this.render();
console.log(u.levels)
},
events: {
'mouseover .next': 'next',
'mouseout .next': 'leftNext'
},
next: function(e){
var timeoutId = window.setTimeout(function(){
new u.levels[e.target.id];
}, 1000);
this.$el.data('timeoutId', timeoutId);
},
leftNext: function(e){
clearTimeout( this.$el.data('timeoutId') );
delete this.$el.data('timeoutId');
},
render: function(){
u.gameEl.html( this.$el.html( this.content() ) );
}
});
u.levels.zero = u.level.extend({
id: 'level-zero',
content: function(){
return '<span id="one" class="next">Play.</span>';
}
});
u.levels.one = u.level.extend({
id: 'level-one',
initialize: function(level){
this.level = level;
_.bindAll(this, 'render');
this.render();
var restart = new u.ui.restart();
},
content: function(){
return 'Ainsley Ward <span id="twoA" class="next">turns</span> a <span id="twoB" class="next">corner</span>.';
}
});
u.levels.twoA = u.level.extend({
id: 'level-two-a',
content: function(){
return 'She turns in circles. <span id="twoAA" class="next">Multiple times</span>.';
}
});
u.levels.twoAA = u.level.extend({
id: 'level-two-a-a',
content: function(){
return 'She turns until <span id="twoAB" class="next">she falls</span> to the ground.';
}
});
u.levels.twoAB = u.level.extend({
id: 'level-two-a-b',
content: function(){
return 'Laying on the ground she stares at a cloudy darkness that <span id="twoAC" class="next">could have been</span> stars.';
}
});
u.levels.twoAC = u.level.extend({
id: 'level-two-a-c',
content: function(){
return 'Ainsley thinks about things being hidden, about rocks under ground. <span id="threeB" class="next">She thinks about her rock</span>.';
}
});
u.levels.twoB = u.level.extend({
id: 'level-two-b',
content: function(){
return 'The university is empty. The night <span id="threeA" class="next">snores</span>.';
}
});
u.levels.threeA = u.level.extend({
id: 'level-three-a',
content: function(){
return 'She sits on a rock and thinks a while about <span id="four" class="next">rocks</span>.';
}
});
u.levels.threeB = u.level.extend({
id: 'level-three-b',
content: function(){
return 'She sits on her rock and thinks a while about <span id="four" class="next">rocks</span>.';
}
});
u.levels.four = u.level.extend({
id: 'level-four',
content: function(){
return 'Ainsley <span id="five" class="next">wishes</span> the rock would move.';
}
});
u.levels.five = u.level.extend({
id: 'level-five',
content: function(){
return 'The university is the last place she wants to be, so she <span id="six" class="next">stands</span>.';
}
});
u.levels.six = u.level.extend({
id: 'level-six',
content: function(){
return 'Her rock is just a normal rock, lumped in with the dirt and the grass, sitting bored in the middle of the <span id="seven" class="next">university campus</span>.';
}
});
u.levels.seven = u.level.extend({
id: 'level-seven',
content: function(){
return 'Ainsley likes her rock. It is smooth and convenient, unlike the <span id="eight" class="next">bubble boulders</span>.';
}
});
u.levels.eight = u.level.extend({
id: 'level-eight',
content: function(){
return 'The bubble boulders are remote rocks on the top of <span id="nine" class="next">Lake Mountain</span>.';
}
});
u.levels.nine = u.level.extend({
id: 'level-nine',
content: function(){
return 'The boulders are huge, and look like Dwarf Caps, the <span id="ten" class="next">red</span> clustered mushrooms of the forest.';
}
});
u.levels.ten = u.level.extend({
id: 'level-ten',
content: function(){
return 'The <span id="eleven" class="next">boulders</span> even have a red tint, like the caps of the mushrooms.';
}
});
u.levels.eleven = u.level.extend({
id: 'level-eleven',
content: function(){
return 'Ainsley likes her rock on campus, but the bubble boulders are the most amazing rocks she\'s ever <span id="twelve" class="next">seen</span>.';
}
});
u.levels.twelve = u.level.extend({
id: 'level-twelve',
content: function(){
return '<span id="thirteenB" class="next">Lake Mountain hovers</span> over the university buildings. Ainsley <span id="thirteenA" class="next">walked the steep sloping trail</span>.';
}
});
u.levels.thirteenA = u.level.extend({
id: 'level-thirteen-a',
content: function(){
return 'Lake Mountain hovers over the university buildings. Ainsley <span id="end" class="next">walked the steep sloping trail</span>.';
}
});
u.levels.thirteenB = u.level.extend({
id: 'level-thirteen-b',
content: function(){
return 'The mountain <span id="end" class="next">wasn\'t always</span> there.';
}
});
u.levels.end = u.level.extend({
id: 'level-ten',
content: function(){
return '<span id="one" class="next">Play again.</span>';
}
});
var game = new u.game;
game.start(); |
$.noty.layouts.bottomRight = {
name: "bottomRight",
options: {
// overrides options
},
container: {
object: "<ul id=\"<API key>\" />",
selector: "ul#<API key>",
style: function() {
$(this).css({
bottom: 20,
right: 20,
position: "fixed",
width: "310px",
height: "auto",
margin: 0,
padding: 0,
listStyleType: "none",
zIndex: 10000000
});
if (window.innerWidth < 600) {
$(this).css({
right: 5
});
}
}
},
parent: {
object: "<li />",
selector: "li",
css: {}
},
css: {
display: "none",
width: "310px"
},
addClass: ""
}; |
# mip-qqy-linkurl
mip-qqy-linkurl durl
|
-|
|
|responsive,fixed-height,fill,container,fixed
|https://c.mipcdn.com/static/v1/mip-qqy-linkurl/mip-qqy-linkurl.js
html
<mip-qqy-linkurl></mip-qqy-linkurl>
{}
durlurliosandroid |
<!DOCTYPE HTML PUBLIC '-
<html>
<head>
<!-- SchemaSpy rev 590 -->
<title>SchemaSpy - aswsii - Columns</title>
<link rel=stylesheet href='schemaSpy.css' type='text/css'>
<meta HTTP-EQUIV='Content-Type' CONTENT='text/html; charset=ISO-8859-1'>
<SCRIPT LANGUAGE='JavaScript' TYPE='text/javascript' SRC='jquery.js'></SCRIPT>
<SCRIPT LANGUAGE='JavaScript' TYPE='text/javascript' SRC='schemaSpy.js'></SCRIPT>
</head>
<body>
<table id='headerHolder' cellspacing='0' cellpadding='0'><tr><td>
<div id='header'>
<ul>
<li><a href='index.html' title='All tables and views in the schema'>Tables</a></li>
<li><a href='relationships.html' title='Diagram of table relationships'>Relationships</a></li>
<li><a href='utilities.html' title='View of tables with neither parents nor children'>Utility Tables</a></li>
<li><a href='constraints.html' title='Useful for diagnosing error messages that just give constraint name or number'>Constraints</a></li>
<li><a href='anomalies.html' title="Things that might not be quite right">Anomalies</a></li>
<li id='current'><a href='columns.byTable.html' title="All of the columns in the schema">Columns</a></li>
<li><a href='http://sourceforge.net/donate/index.php?group_id=137197' title='Please help keep SchemaSpy alive' target='_blank'>Donate</a></li>
</ul>
</div>
</td></tr></table>
<div class='content' style='clear:both;'>
<table width='100%' border='0' cellpadding='0'>
<tr>
<td class='heading' valign='middle'><span class='header'>SchemaSpy Analysis of <span title='Database'>aswsii</span> - Columns</span></td>
<td class='heading' align='right' valign='top' title='John Currier - Creator of Cool Tools'><span class='indent'>Generated by</span><br><span class='indent'><span class='signature'><a href='http://schemaspy.sourceforge.net' target='_blank'>SchemaSpy</a></span></span></td>
</tr>
</table>
<table width='100%' border='0'>
<tr><td class='container'>
<span class='container'>Generated by <span class='signature'><a href='http://schemaspy.sourceforge.net' target='_blank'>SchemaSpy</a></span> on jue may 18 08:40 CEST 2017</span>
</td><td class='container' rowspan='2' align='right' valign='top'>
<table class='legend' border='0'>
<tr>
<td class='dataTable' valign='bottom'>Legend:</td>
<td class='container' align='right' valign='top'><a href='http:
</tr>
<tr><td class='container' colspan='2'>
<table class='dataTable' border='1'>
<tbody>
<tr><td class='primaryKey'>Primary key columns</td></tr>
<tr><td class='indexedColumn'>Columns with indexes</td></tr>
</table>
</td></tr>
</table>
<div style="margin-right: 2pt;">
<script type="text/javascript"><!
google_ad_client = "<API key>";
google_ad_channel ="SchemaSpy-generated";
google_ad_width = 234;
google_ad_height = 60;
google_ad_format = "234x60_as";
google_ad_type = "text";
google_color_border = "9bab96";
google_color_link = "489148";
google_color_text = "000000";
</script>
<script type="text/javascript"
src="http://pagead2.googlesyndication.com/pagead/show_ads.js">
</script>
</div>
</td></tr>
<tr valign='top'><td class='container' align='left' valign='top'>
<p>
<form name='options' action=''>
<label for='showComments'><input type=checkbox id='showComments'>Comments</label>
<label for='showLegend'><input type=checkbox checked id='showLegend'>Legend</label>
</form>
</table>
<div class='indent'>
<b>aswsii contains 585 columns</b> - click on heading to sort:<a name='columns'></a>
<table id='columns' class='dataTable' border='1' rules='groups'>
<colgroup>
<colgroup>
<colgroup>
<colgroup>
<colgroup>
<colgroup>
<colgroup>
<colgroup class='comment'>
<thead align='left'>
<tr>
<th class='notSortedByColumn'><a href='columns.byTable.html#columns'><span class='notSortedByColumn'>Table</span></a></th>
<th class='notSortedByColumn'><a href='columns.byColumn.html#columns'><span class='notSortedByColumn'>Column</span></a></th>
<th class='notSortedByColumn'><a href='columns.byType.html#columns'><span class='notSortedByColumn'>Type</span></a></th>
<th class='notSortedByColumn'><a href='columns.bySize.html#columns'><span class='notSortedByColumn'>Size</span></a></th>
<th title='Are nulls allowed?' class='sortedByColumn'>Nulls</th>
<th title='Is column automatically updated?' class='notSortedByColumn'><a href='columns.byAuto.html#columns'><span class='notSortedByColumn'>Auto</span></a></th>
<th title='Default value' class='notSortedByColumn'><a href='columns.byDefault.html#columns'><span class='notSortedByColumn'>Default</span></a></th>
<th title='Comments' class='comment'><span class='notSortedByColumn'>Comments</span></th>
</tr>
</thead>
<tbody valign='top'>
<tr class='even'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>apiKey</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Clave API utilizada para identificar al usuario en las llamadas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Cabecera - Titular - NIFRepresentante<br>
NIF del representante del titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>codigoIdioma</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Codigo de idioma según 639-1</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CSV</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Código seguro de verificación. Equivale al número de registro en los envios CORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>esAdministrador</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si el usuario es administrador</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>expKeyTime</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Fecha y hora en la que expira la clave API</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>getKeyTime</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Fecha y hora en la que se obtuvo la última clave API</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='indexedColumn' title='Indexed'>grupoUsuarioId</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Grupo al que pertenece</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>login</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Login con el que se presenta el usuario</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Mensaje</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Mensaje resultado del envío, de transcendencia en envío con ERROR o INCORRECTO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/emisores.html'>emisores</a></td>
<td class='detail'>nif</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/titulares.html'>titulares</a></td>
<td class='detail'>nifRepresentante</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'></td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/titulares.html'>titulares</a></td>
<td class='detail'>nifTitular</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/emisores.html'>emisores</a></td>
<td class='detail'>nombre</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'></td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>nombre</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Nombre del usuario</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/titulares.html'>titulares</a></td>
<td class='detail'>nombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'></td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='detail'>password</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Contraseña del usuario (por el moento en texto plano, luego será codificada)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - <API key><br>
Fecha de inicio de la utilización del mismo. Aunque en la base de datos se guarda en formato DATE, se informa como 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - IdentificacionBien<br>
Descripción de los bienes objeto de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - <API key></td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>4,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - <API key></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - <API key></td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - BienInversion - <API key></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_IDOtro_ID</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>34</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>RegistroLRCobros - Cobros - Cobro - Cuenta_O_Medio<br>
Cuenta bancaria o medio de cobro utilizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - BaseImponibleACoste<br>
Se utiliza sólo en los grupos de IVA.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>45</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - NIFRepresentante<br>
NIF del representante de la contraparte de la operación</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FE_Cupon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - Cupon<br>
Identificador que especifica si la factura tipo R1, R5 o F4 tiene minoración de la base imponible por la concesión de cupones, bonificaciones o descuentos cuando solo se expide el original de la factura. Si no se informa este campo se entenderá "N"<br>
Posibles valores:<br>
"S" = Si / "N" = No</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key><br>
Descripción del objeto de la factura. Aunque es un campo TEXT, en realidad el máximo de caracteres en la comunicación serán 500.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>25</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - DatosInmueble - DetalleInmueble - ReferenciaCatastral<br>
Referencia catastral del inmueble</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - DatosInmueble - DetalleInmueble - SituacionInmueble<br>
Identificador que especifica la situación del inmueble. Posibles valores:<br>
1 = Inmueble con referencia catastral situado en cualquier punto del territorio español, excepto País Vasco y Navarra<br>
2 = Inmueble situado en la Comunidad Autónoma del País Vasco o en la Comunidad Foral de Navarra<br>
3 = Inmueble en cualquiera de las situaciones anteriores pero sin referencia catastral<br>
4 = Inmueble situado en el extranjero</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - EmitidaPorTeceros<br>
Identificador que especifica si la factura ha sido emitida por un tercero. Si no se informa este campo se entenderá que tiene valor ?N?.<br>
Posibles valores:<br>
S = Si<br>
N = No</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - FacturasAgrupadas - IDFacturaAgrupada - <API key><br>
Fecha de expedición de la factura</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - FacturasAgrupadas - IDFacturaAgrupada - <API key><br>
Número+Serie que identifica a la factura emitida.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - FechaOperacion<br>
Fecha en la que se ha realizado la operación siempre que sea diferente a la fecha de expedición. La columna es tipo DATE y se informa como 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key> - <API key> - <API key><br>
Fecha de expedición de la factura de la que se va a hacer la recitificación. Aunque se guarda como columna tipo DATE, en el momento del envio este campo se informa con el formato 'DD-MM-YYYY'.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key> - <API key> - <API key><br>
Número+Serie que identifica a la factura emitida de la que se va a hacer la rectificación.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FE_ImporteTotal</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - ImporteTotal<br>
Importe total de la factura. No es obligatorio su cumplimentación, AEAT obtiene sus totales de la suma de bases y cuotas.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key><br>
Importe por este concepto, si es aplicable.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key> - BaseRectificada<br>
Base imponible de la factura sustituidas. Es decir, la base original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key> - <API key><br>
Cuota de recargo de la factura sustituidas. Es decir, la cuota de recargo original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria, en el caso de que haya cuota de recargo.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - <API key> - CuotaRectificada<br>
Cuota de la factura sustituidas. Es decir, la cuota original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - NoSujeta - <API key><br>
Importe en euros si la sujeción es por el art. 7,14, otros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - NoSujeta - <API key><br>
Importe en euros si la sujeción es por operaciones no sujetas en el TAI porreglas de localización</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - Exenta - BaseImponible<br>
Importe en euros correspondiente a la parte Sujeta / Exenta</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - Exenta -CausaExencion<br>
Campo que especifica la causa de la exención en los supuestos que aplique. Posibles valores:<br>
E1 = Exenta por el artículo 20<br>
E2 = Exenta por el artículo 21<br>
E3 = Exenta por el artículo 22<br>
E4 = Exenta por el artículo 24<br>
E5 = Exenta por el artículo 25<br>
E6 = Exenta por otros<br>
E6 = Exenta por otros.<br>
E6 = Exenta por Otros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetallaIVA1 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta -DesgloseIVA - DetalleIVA3 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta -DesgloseIVA - DetalleIVA3 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetallaIVA3 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - BaseImponible<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetallaIVA5 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta -DesgloseIVA - DetalleIVA6 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetallaIVA6 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - DesgloseFactura - Sujeta - NoExenta -TipoNoExenta<br>
Tipo de operación sujeta y no exenta para la diferenciación de inversión de sujeto pasivo. Posibles valores:<br>
S1 = Sujeta ? No Exenta<br>
S2 = Sujeta ? No Exenta - Inv. Suj. Pasivo<br>
S3 = No exenta - Sin inversión sujeto pasivo y con inversión de sujeto pasivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - NoSujeta - <API key><br>
Importe en euros si la sujeción es por el art. 7,14, otros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - NoSujeta - <API key><br>
Importe en euros si la sujeción es por operaciones no sujetas en el TAI porreglas de localización</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - Exenta - BaseImponible<br>
Importe en euros correspondiente a la parte Sujeta / Exenta</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> -> Entrega - Sujeta - Exenta - CausaExencion<br>
Campo que especifica la causa de la exención en los supuestos que aplique. Posibles valores:<br>
E1 = Exenta por el artículo 20<br>
E2 = Exenta por el artículo 21<br>
E3 = Exenta por el artículo 22<br>
E4 = Exenta por el artículo 24<br>
E5 = Exenta por el artículo 25<br>
E6 = Exenta por otros<br>
E6 = Exenta por Otros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetallaIVA1 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetallaIVA3 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4- CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - DesgloseIVA - DetallaIVA6 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Entrega - Sujeta - NoExenta - TipoNoExenta<br>
Tipo de operación sujeta y no exenta para la diferenciación de inversión de sujeto pasivo. Posibles valores:<br>
S1 = Sujeta ? No Exenta<br>
S2 = Sujeta ? No Exenta - Inv. Suj. Pasivo<br>
S3 = No exenta - Sin inversión sujeto pasivo y con inversión del sujeto pasivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose -> <API key> -> Servicios -> NoSujeta - <API key><br>
Importe en euros si la sujeción es por el art. 7,14, otros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - NoSujeta - <API key><br>
Importe en euros si la sujeción es por operaciones no sujetas en el TAI porreglas de localización</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - Exenta - BaseImponible<br>
Importe en euros correspondiente a la parte Sujeta / Exenta</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujenta - Exenta - CausaExencion<br>
Campo que especifica la causa de la exención en los supuestos que aplique. Posibles valores:<br>
E1 = Exenta por el artículo 20<br>
E2 = Exenta por el artículo 21<br>
E3 = Exenta por el artículo 22<br>
E4 = Exenta por el artículo 24<br>
E5 = Exenta por el artículo 25<br>
E6 = Exenta por otros<br>
E6 = Exenta por otros.<br>
E6 = Exenta por Otros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA1 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA2 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA3 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetallaIVA3 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA4 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA5 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetallaIVA5 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetalleIVA6 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
Registrp - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - DesgloseIVA - DetallaIVA6 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoDesglose - <API key> - Servicios - Sujeta - NoExenta - TipoNoExenta<br>
Tipo de operación sujeta y no exenta para la diferenciación de inversión de sujeto pasivo. Posibles valores:<br>
S1 = Sujeta ? No Exenta<br>
S2 = Sujeta ? No Exenta - Inv. Suj. Pasivo<br>
S3 = No exenta - Sin invesrión sujeto pasivo y con inversión sujeto pasivo.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida - TipoRectificativa<br>
Campo que identifica si el tipo de factura rectificativa es por sustitución o por diferencia. Posibles valores:<br>
S = Por sustitución<br>
I = Por diferencias</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaExpedida -VariosDestinatarios<br>
Identificador que especifica si la factura tiene varios destinatarios. Si no se informa este campo se entenderá que tiene valor ?N?.<br>
Posibles valores:<br>
"S" = Si / "N" = No</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - BaseImponibleACoste<br>
Se utiliza sólo en los grupos de IVA.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - CuotaDeducible<br>
Cuota deducible</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key><br>
Descripcion del objeto de la factura</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA1 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA1 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetallaIVA1 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA1 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA2 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA2 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA2 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA2 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA2 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura -DesgloseIVA - DetalleIVA3 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA3 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA3 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetallaIVA3 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA3 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA4 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA4 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA4 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA5 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA5 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetallaIVA5 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA6 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA6 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura -DesgloseIVA - DetalleIVA6 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetallaIVA6 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - DesgloseIVA - DetalleIVA6 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA1 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA1 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida -DesgloseFactura - <API key> - DetalleIVA1 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetallaIVA1 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 1 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA1 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA2 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA2 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA2 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA2 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 2 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA2 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA3 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA3 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA3 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetallaIVA3 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 3 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - DesgloseFactura - <API key> - DetalleIVA3 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
FacturaRecibida - DesgloseFactura - <API key> - DesgloseIVA - DetalleIVA4 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA4 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida -DesgloseFactura - <API key> - DetalleIVA4 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 4 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA4 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA5 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA5 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetallaIVA5 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 5 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA5 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA6 - BaseImponible.<br>
Magnitud dineraria sobre la cual se aplica un determinado tipo impositivo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA6 - CuotaRepercutida.<br>
Cuota resultante de aplicar a la base imponible un determinado tipo impositivo</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA6 - <API key>.<br>
Cuota resultante de aplicar a la base imponible el tipo de recargo de equivalencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetallaIVA6 - TipoImpositivo.<br>
Porcentaje aplicado sobre la Base Imponible para calcular la cuota.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>5,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>IVA 6 DE 6 POSIBLES<br>
<API key> - FacturaRecibida - <API key> - DesgloseIVA - DetalleIVA6 - <API key>.<br>
Porcentaje asociado en función del tipo de IVA</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - FacturasAgrupadas - IDFacturaAgrupada - <API key><br>
Fecha de expedición de la factura</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - FacturasAgrupadas - IDFacturaAgrupada - <API key><br>
Número+Serie que identifica a la factura emitida.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - FechaOperacion<br>
Fecha en la que se ha realizado la operación siempre que sea diferente a la fecha de expedición. La columna es tipo DATE y se informa como 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - FechaRegContable<br>
Fecha del registro contable de la operación. Se utilizará para el plazo de remisión de las facturas recibidas<br>
Se guarda como DATE, se informa como 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key> - <API key> - <API key><br>
Fecha de expedición de la factura de la que se va a hacer la recitificación. Aunque se guarda como columna tipo DATE, en el momento del envio este campo se informa con el formato 'DD-MM-YYYY'.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key> - <API key> - <API key><br>
Número+Serie que identifica a la factura emitida de la que se va a hacer la rectificación.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FR_ImporteTotal</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - ImporteTotal<br>
Descripción del objeto de la factura. Aunque es un campo TEXT, en realidad el máximo de caracteres en la comunicación serán 500.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key> - BaseRectificada<br>
Base imponible de la factura sustituidas. Es decir, la base original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key> - <API key><br>
Cuota de recargo de la factura sustituidas. Es decir, la cuota de recargo original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria, en el caso de que haya cuota de recargo.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key> - CuotaRectificada<br>
Cuota de la factura sustituidas. Es decir, la cuota original de la factura que se quiere rectificar. Aunque el campo admite nulos si el tipo de la factura es rectificativa, entonces su información es obligatoria.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>15</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - <API key><br>
Número de registro obtenido al enviar la autorización en materia de facturación o de libros registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - FacturaRecibida - TipoRectificativa<br>
Campo que identifica si el tipo de factura rectificativa es por sustitución o por diferencia. Posibles valores:<br>
S = Por sustitución<br>
I = Por diferencias</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - CodigoPais<br>
IDOtro, solo es de obligado cumplimiento si hay que proporcionar información adicional de la contraparte. Si aun no siendo obligado se cumplimenta esta información aparece en la consulta directa de la web de AEAT.<br>
Código del país asociado contraparte de la operación (cliente) de facturas expedidas (ISO 3166-1 alpha-2 codes)</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>20</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - ID<br>
Número de identificación en el país de residencia</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - IDOtro - IDType<br>
Clave para establecer el tipo de identificación en el pais de residencia. Posibles valores:<br>
02 = NIF-IVA<br>
03 = PASAPORTE<br>
04 = DOCUMENTO OFICIAL DE IDENTIFICACIÓN EXPEDIDO POR EL PAIS O TERRITORIO DE RESIDENCIA<br>
05 = CERTIFICADO DE RESIDENCIA<br>
06 = OTRO DOCUMENTO PROBATORIO</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IdentificacionBien</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+serie que identifica a la ultima factura cuando el Tipo de Factura es un asiento resumen de facturas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+serie que identifica a la ultima factura cuando el Tipo de Factura es un asiento resumen de facturas.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'><API key> - <API key> - PlazoOperacion</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>34</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>RegistroLRPagos - Pagos - Pago - Cuenta_O_Medio<br>
Cuenta bancaria o medio de pago utilizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado<br>
ACPERR: Aceptado con errores. A pesar de que el envío ha sido aceptado contiene</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje"<br>
CORRECTO: El envio ha sido correctamente registrado<br>
ACPERR: El envio ha sido aceptado, pero contiene errores, ver el campo "Mensaje"</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Resultado</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>Resultado del envío. Posibles valores:<br>
ERROR: Se ha producido un error, bien porque la plataforma ha fallado o porque alguno de los campos es incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
INCORRECTO: El envio ha sido incorrecto, ver el campo "Mensaje para comprobar la razón"<br>
CORRECTO: El envio ha sido correctamente registrado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>XML_Enviado</td>
<td class='detail'>text</td>
<td class='detail' align='right'>65535</td>
<td class='detail' align='center' title='nullable'> √ </td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>null</td>
<td class='comment detail'>XML SOAP del último envío realizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.5</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.5' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.7</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.7' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_IDVersionSii</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>3</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0.5</td>
<td class='comment detail'>Cabecera - IDVersionSii<br>
Identificación de la versión del esquema utilizado para el intercambio de información. La versión actual es '0.5' por eso tiene ese valor por defecto.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - TipoComunicacion<br>
Tipo de operación (alta, modificación). Posibles valores:<br>
A0 = Alta de facturas/registro<br>
A1 = Modificación de facturas/registros (errores registrales)<br>
A4 = Modificación Factura Régimen de Viajeros</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>CAB_Titular_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NIF<br>
NIF asociado al titular del libro de registro</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas recibidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Cabecera - Titular - NombreRazon<br>
Nombre-razón social del Titular del libro de registro de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/emisores.html'>emisores</a></td>
<td class='primaryKey' title='Primary Key'>emisorId</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Enviada</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>0</td>
<td class='comment detail'>Indica si la factura ha sido enviada a la AEAT, independientemente de si ese envío ha provocado errores o no. Posibles valores:<br>
0 = Factura no enviada<br>
1 = Factura enviada</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>EnvioInmediato</td>
<td class='detail'>bit</td>
<td class='detail' align='right'>0</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail' align='right'>1</td>
<td class='comment detail'>Indica si se desea que el servicio de envío presente la factura inmediatamaente. Posibles valores:<br>
1 = Tan pronto como el sistema detecte el registro lo comunicará a la AEAT<br>
0 = Espera a la intervención manual del operador por el interfaz Web para proceder al envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>FechaHoraCreacion</td>
<td class='detail'>datetime</td>
<td class='detail' align='right'>19</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Fecha y hora en la que el sistema de alimentación creó el registro.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/grupos_usuarios.html'>grupos_usuarios</a></td>
<td class='primaryKey' title='Primary Key'>grupoUsuarioId</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Identificador único del grupo de usuario</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='primaryKey' title='Primary Key'><API key></td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Es un identificador único autoincremental para cualquier registro de la tabla.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/grupos_usuarios.html'>grupos_usuarios</a></td>
<td class='detail'>nombre</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Nombre del grupo</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>Origen</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>255</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Indica el origen del registro. Es un campo libre y su intención es reflejar el sistema que creó esta información.<br>
Por ejemplo si proviene de la carga de un fichero Excel o CSV, aquí se indicará el nombre de fichero con extensión</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_ClaveOperacion</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - ClaveOperacion<br>
Posibles valores: <br>
A = Indemnizaciones o prestaciones satisfechas superiores a 3005,06 <br>
B = Primas o contraprestaciones percibidas superiores a 3005,06</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_ClaveOperacion</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - ClaveOperacion<br>
Posibles valores: <br>
A = Indemnizaciones o prestaciones satisfechas superiores a 3005,06 <br>
B = Primas o contraprestaciones percibidas superiores a 3005,06</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>Registrp - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_CNT_NombreRazon</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_COBS_COB_Fecha</td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - Cobros - Cobro - Fecha<br>
Fecha de realización del cobro. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma "DD-MM-YYYY"</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - Cobros - Cobro - Importe<br>
Importe cobrado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_COBS_COB_Medio</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - Cobros - Cobro - Medio<br>
Medio de cobro utilizado. Posibles valores:<br>
01 = Transferencia<br>
02 = Cheque<br>
03 = No se cobra / paga (fecha límite de devengo / devengo forzoso en concurso de acreedores)<br>
04 = Otros medios de cobro / pago</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen general.<br>
02 = Exportación.<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección.<br>
04 = Régimen especial del oro de inversión.<br>
05 = Régimen especial de las agencias de viajes.<br>
06 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
07 = Régimen especial del criterio de caja.<br>
08 = Operaciones sujetas al IPSI / IGIC (Impuesto sobre la Producción, los Servicios y la Importación / Impuesto General Indirecto Canario).<br>
09 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
XX = Hay mas tipos, consultar docs....</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen general.<br>
02 = Exportación.<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección.<br>
04 = Régimen especial del oro de inversión.<br>
05 = Régimen especial de las agencias de viajes.<br>
06 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
07 = Régimen especial del criterio de caja.<br>
08 = Operaciones sujetas al IPSI / IGIC (Impuesto sobre la Producción, los Servicios y la Importación / Impuesto General Indirecto Canario).<br>
09 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
XX = Hay mas tipos, consultar docs....</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen general.<br>
02 = Exportación.<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección.<br>
04 = Régimen especial del oro de inversión.<br>
05 = Régimen especial de las agencias de viajes.<br>
06 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
07 = Régimen especial del criterio de caja.<br>
08 = Operaciones sujetas al IPSI / IGIC (Impuesto sobre la Producción, los Servicios y la Importación / Impuesto General Indirecto Canario).<br>
09 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
XX = Hay mas tipos, consultar docs....</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FE_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - NIF<br>
Identificador del NIF contraparte de la operación (cliente) de facturas expedidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación (cliente) de facturas expedidas.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FE_TipoFactura</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaExpedida - TipoFactura<br>
Especificación del tipo de factura a dar de alta: factura normal, factura rectificativa, tickets, factura emitida en sustitución de facturas. Posibles valores:<br>
F1 = Factura<br>
F2 = Factura Simplificada (ticket)<br>
R1 = Factura Rectificativa (Art 80.1 y 80.2 y error fundado en derecho)<br>
R2 = Factura Rectificativa (Art. 80.3)<br>
R3 = Factura Rectificativa (Art. 80.4)<br>
R4 = Factura Rectificativa (Resto)<br>
R5 = Factura Rectificativa en facturas simplificadas<br>
F3 = Factura emitida en sustitución de facturas simplificadas facturadas y declaradas<br>
F4 = Asiento resumen de facturas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen común<br>
02 = Exportación<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección (135-139 de LIVA)<br>
04 = Régimen especial oro de inversión<br>
05 = Régimen especial agencias de viajes<br>
06 = Régimen especial grupo de entidades en IVA<br>
07 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
08 = Régimen especial criterio de caja<br>
09 = Operaciones sujetas al IPSI / IGIC<br>
10 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
11 = Cobros por cuenta de terceros de honorarios profesionales ....<br>
12 = Operaciones de seguros<br>
13 = Op. de arrendamiento sujetas a retención<br>
XX = Hay más tipos consulta documentación ...</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen común<br>
02 = Exportación<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección (135-139 de LIVA)<br>
04 = Régimen especial oro de inversión<br>
05 = Régimen especial agencias de viajes<br>
06 = Régimen especial grupo de entidades en IVA<br>
07 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
08 = Régimen especial criterio de caja<br>
09 = Operaciones sujetas al IPSI / IGIC<br>
10 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
11 = Cobros por cuenta de terceros de honorarios profesionales ....<br>
12 = Operaciones de seguros<br>
13 = Op. de arrendamiento sujetas a retención<br>
XX = Hay más tipos consulta documentación ...</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - <API key><br>
Clave que identificará el tipo de operación o el régimen especial con transcendencia tributaria. Posibles valores:<br>
01 = Operación de régimen común<br>
02 = Exportación<br>
03 = Operaciones a las que se aplique el régimen especial de bienes usados, objetos de arte, antigüedades y objetos de colección (135-139 de LIVA)<br>
04 = Régimen especial oro de inversión<br>
05 = Régimen especial agencias de viajes<br>
06 = Régimen especial grupo de entidades en IVA<br>
07 = Régimen especial grupo de entidades en IVA (Nivel Avanzado)<br>
08 = Régimen especial criterio de caja<br>
09 = Operaciones sujetas al IPSI / IGIC<br>
10 = Facturación de las prestaciones de servicios de agencias de viaje que actúan como mediadoras en nombre y por cuenta ajena (D.A.4ª RD1619/2012)<br>
11 = Cobros por cuenta de terceros de honorarios profesionales ....<br>
12 = Operaciones de seguros<br>
13 = Op. de arrendamiento sujetas a retención<br>
XX = Hay más tipos consulta documentación ...</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FR_CNT_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - NIF<br>
Identificador del NIF de la contraparte de la operación. Proveedor en facturas recibidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - NIFReepresentante<br>
NIF del representante de la contraparte de la operación. Proveedor en facturas recibidas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - Contraparte - NombreRazon<br>
Nombre-razón social de la contraparte de la operación. Proveedor en facturas recibidas</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_FR_TipoFactura</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - FacturaRecibida - TipoFactura<br>
Especificación del tipo de factura a dar de alta: factura normal, factura rectificativa, tickets, factura emitida en sustitución de facturas. Posibles valores:<br>
F1 = Factura<br>
F2 = Factura Simplificada (ticket)<br>
F3 = Factura emitida en sustitución de facturas simplificadas facturadas y declaradas<br>
F4 = Asiento resumen de facturas<br>
F5 = Importaciones (DUA)<br>
F6 =Justificantes contables<br>
R1 = Factura Rectificativa (Error fundado en derecho y Art. 80 Uno Dos y Seis LIVA)<br>
R2 = Factura Rectificativa (Art. 80.3)<br>
R3 = Factura Rectificativa (Art. 80.4)<br>
R4 = Factura Rectificativa (Resto)<br>
R5 = Factura Rectificativa en facturas simplificadas</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - IDFactura - <API key><br>
Fecha de expedición de la factura. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma 'DD-MM-YYYY'</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF asociado al emisor de la factura.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF asociado al emisor de la factura.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF asociado al emisor de la factura.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_IDF_IDEF_NIF</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - IDFactura - IDEmisorFactura - NIF<br>
NIF del emisor de la factura recibida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NombreRazon<br>
Nombre / Razón solicial del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>9</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NombreRazon<br>
Nombre / Razón solicial del emisor de la factura recibida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NombreRazon<br>
Nombre / Razón solicial del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NombreRazon<br>
Nombre / Razón solicial del emisor de la factura recibida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - IDEmisorFactura - NombreRazon<br>
Nombre / Razón solicial del emisor de la factura recibida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRCobros - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+Serie que identifica a la factura emitida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+Serie que identifica a la factura emitida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - IDFactura - <API key><br>
Número+Serie que identifica a la factura emitida</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>60</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - IDFactura - <API key><br>
Número+ Serie que identifica a la factura emitida</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_ImporteTotal</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - ImporteTotal<br>
Importes superiores a 6.000 euros que se hubieran percibido en metálico de la misma persona o entidad por las operaciones realizadas durante el año natural.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_ImporteTotal</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - ImporteTotal<br>
Importes superiores a 6.000 euros que se hubieran percibido en metálico de la misma persona o entidad por las operaciones realizadas durante el año natural.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_ImporteTotal</td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - ImporteTotal<br>
Importe anual de las operaciones de seguros.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - ClaveDeclarado<br>
Identificación de declarante o declarado. Posibles valores:<br>
D = Declarante<br>
R = Remitente</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>40</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - TipoOperacion<br>
Descripción de los bienes adquiridos</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>120</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - DireccionOperador<br>
Dirección del operador intracomunitario</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - EstadoMiembro<br>
Código del Estado miembro de origen o de envío</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>150</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - <API key><br>
Otras facturas o documentación relativas a las operaciones de que se trate</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>1</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - <API key> - TipoOperacion<br>
Identificador del tipo de operación intracomunitaria. Posibles valores:<br>
A = El envío o recepción de bienes para la realización de los informes parciales o trabajos mencionados en el artículo 70, apartado uno, número 7º, de la Ley del Impuesto (Ley<br>
37/1992).<br>
B = Las transferencias de bienes y las adquisiciones intracomunitarias de bienes comprendidas en los artículos 9, apartado 3º, y 16, apartado 2º, de la Ley del Impuesto (Ley 37/1992).</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PAGS_PAG_Fecha</td>
<td class='detail'>date</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - Pagos - Pago - Fecha<br>
Fecha de realización del pago. En la base de datos se guarda como un tipo date, en el envío se trasmite en la forma "DD-MM-YYYY"</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'><API key></td>
<td class='detail'>decimal</td>
<td class='detail' align='right'>14,2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - Pagos - Pago - Importe<br>
Importe pagado</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PAGS_PAG_Medio</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'>RegistroLRPagos - Pagos - Pago - Medio<br>
Medio de pago utilizado</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Ejercicio</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Ejercicio<br>
Ejercicio impositivo de la factura, normalmente el año.</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Peridod que se informa, al ser anual debe ser 0A<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Peridod que se informa, al ser anual debe ser 0A<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Peridod que se informa, al ser anual debe ser 0A<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Peridod que se informa, al ser anual debe ser 0A<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/<API key>.html'><API key></a></td>
<td class='detail'>REG_PI_Periodo</td>
<td class='detail'>varchar</td>
<td class='detail' align='right'>2</td>
<td class='detail' align='center'></td>
<td class='detail' align='center'></td>
<td class='detail'></td>
<td class='comment detail'><API key> - PeriodoImpositivo - Periodo<br>
Periodo impositivo de la factura. Posibles valores:<br>
01 = Enero<br>
02 = Febrero<br>
03 = Marzo<br>
04 = Abril<br>
05 = Mayo<br>
06 = Junio<br>
07 = Julio<br>
08 = Agosto<br>
09 = Septiembre<br>
10 = Octubre<br>
11 = Noviembre<br>
12 = Diciembre<br>
0A = Anual</td>
</tr>
<tr class='odd'>
<td class='detail'><a href='tables/titulares.html'>titulares</a></td>
<td class='primaryKey' title='Primary Key'>titularId</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'></td>
</tr>
<tr class='even'>
<td class='detail'><a href='tables/usuarios.html'>usuarios</a></td>
<td class='primaryKey' title='Primary Key'>usuarioId</td>
<td class='detail'>int</td>
<td class='detail' align='right'>10</td>
<td class='detail' align='center'></td>
<td class='detail' align='center' title='Automatically updated by the database'> √ </td>
<td class='detail'></td>
<td class='comment detail'>Identificador único del usuario</td>
</tr>
</table>
</div>
</div>
</body>
</html> |
# Katana
This README outlines the details of collaborating on this Ember application.
A short introduction of this app could easily go here.
## Prerequisites
You will need the following things properly installed on your computer.
* [Git](http://git-scm.com/)
* [Node.js](http://nodejs.org/) (with NPM)
* [Bower](http://bower.io/)
* [Ember CLI](http:
* [PhantomJS](http://phantomjs.org/)
## Installation
* `git clone <repository-url>` this repository
* change into the new directory
* `npm install`
* `bower install`
## Running / Development
* `ember server`
* Visit your app at [http:
Code Generators
Make use of the many generators for code, try `ember help generate` for more details
Running Tests
* `ember test`
* `ember test --server`
Building
* `ember build` (development)
* `ember build --environment production` (production)
Deploying
Specify what it takes to deploy your app.
## Further Reading / Useful Links
* [ember.js](http://emberjs.com/)
* [ember-cli](http:
* Development Browser Extensions
* [ember inspector for chrome](https://chrome.google.com/webstore/detail/ember-inspector/<API key>)
* [ember inspector for firefox](https://addons.mozilla.org/en-US/firefox/addon/ember-inspector/) |
#pragma once
#include "blackhole/scope/watcher.hpp"
#include "blackhole/attribute.hpp"
#include "blackhole/attributes.hpp"
namespace blackhole {
inline namespace v1 {
namespace scope {
Implementation of scoped attributes guard that keeps attributes provided on construction and
provides them each time on demand.
class holder_t : public watcher_t {
attributes_t storage;
attribute_list list;
public:
Constructs a scoped guard which will attach the given attributes to the specified logger on
construction making every further log event to contain them until keeped alive.
\note creating multiple scoped watch objects results in attributes stacking.
holder_t(logger_t& logger, attributes_t attributes);
Returns an immutable reference to the internal attribute list.
auto attributes() const -> const attribute_list&;
};
} // namespace scoped
} // namespace v1
} // namespace blackhole |
module Hpricot
# Once you've matched a list of elements, you will often need to handle them as
# a group. Or you may want to perform the same action on each of them.
# Hpricot::Elements is an extension of Ruby's array class, with some methods
# added for altering elements contained in the array.
# If you need to create an element array from regular elements:
# Hpricot::Elements[ele1, ele2, ele3]
# Assuming that ele1, ele2 and ele3 contain element objects (Hpricot::Elem,
# Hpricot::Doc, etc.)
# == Continuing Searches
# Usually the Hpricot::Elements you're working on comes from a search you've
# done. Well, you can continue searching the list by using the same <tt>at</tt>
# and <tt>search</tt> methods you can use on plain elements.
# elements = doc.search("/div/p")
# elements = elements.at("img")
# == Altering Elements
# When you're altering elements in the list, your changes will be reflected in
# the document you started searching from.
# doc = Hpricot("That's my <b>spoon</b>, Tyler.")
# doc.at("b").swap("<i>fork</i>")
# doc.to_html
# #=> "That's my <i>fork</i>, Tyler."
# == Getting More Detailed
# If you can't find a method here that does what you need, you may need to
# loop through the elements and find a method in Hpricot::Container::Trav
# which can do what you need.
# For example, you may want to search for all the H3 header tags in a document
# and grab all the tags underneath the header, but not inside the header.
# A good method for this is <tt>next_sibling</tt>:
# doc.search("h3").each do |h3|
# while ele = h3.next_sibling
# ary << ele # stuff away all the elements under the h3
# end
# end
# Most of the useful element methods are in the mixins Hpricot::Traverse
# and Hpricot::Container::Trav.
class Elements < Array
# Searches this list for any elements (or children of these elements) matching
# the CSS or XPath expression +expr+. Root is assumed to be the element scanned.
# See Hpricot::Container::Trav.search for more.
def search(*expr,&blk)
Elements[*map { |x| x.search(*expr,&blk) }.flatten.uniq]
end
alias_method :/, :search
# Searches this list for the first element (or child of these elements) matching
# the CSS or XPath expression +expr+. Root is assumed to be the element scanned.
# See Hpricot::Container::Trav.at for more.
def at(expr, &blk)
search(expr, &blk).first
end
alias_method :%, :at
# Convert this group of elements into a complete HTML fragment, returned as a
# string.
def to_html
map { |x| x.output("") }.join
end
alias_method :to_s, :to_html
# Returns an HTML fragment built of the contents of each element in this list.
# If a HTML +string+ is supplied, this method acts like inner_html=.
def inner_html(*string)
if string.empty?
map { |x| x.inner_html }.join
else
x = self.inner_html = string.pop || x
end
end
alias_method :html, :inner_html
alias_method :innerHTML, :inner_html
# Replaces the contents of each element in this list. Supply an HTML +string+,
# which is loaded into Hpricot objects and inserted into every element in this
# list.
def inner_html=(string)
each { |x| x.inner_html = string }
end
alias_method :html=, :inner_html=
alias_method :innerHTML=, :inner_html=
# Returns an string containing the text contents of each element in this list.
# All HTML tags are removed.
def inner_text
map { |x| x.inner_text }.join
end
alias_method :text, :inner_text
# Remove all elements in this list from the document which contains them.
# doc = Hpricot("<html>Remove this: <b>here</b></html>")
# doc.search("b").remove
# doc.to_html
# => "<html>Remove this: </html>"
def remove
each { |x| x.parent.children.delete(x) }
end
# Empty the elements in this list, by removing their insides.
# doc = Hpricot("<p> We have <i>so much</i> to say.</p>")
# doc.search("i").empty
# doc.to_html
# => "<p> We have <i></i> to say.</p>"
def empty
each { |x| x.inner_html = nil }
end
# Add to the end of the contents inside each element in this list.
# Pass in an HTML +str+, which is turned into Hpricot elements.
def append(str = nil, &blk)
each { |x| x.html(x.children + x.make(str, &blk)) }
end
# Add to the start of the contents inside each element in this list.
# Pass in an HTML +str+, which is turned into Hpricot elements.
def prepend(str = nil, &blk)
each { |x| x.html(x.make(str, &blk) + x.children) }
end
# Add some HTML just previous to each element in this list.
# Pass in an HTML +str+, which is turned into Hpricot elements.
def before(str = nil, &blk)
each { |x| x.parent.insert_before x.make(str, &blk), x }
end
# Just after each element in this list, add some HTML.
# Pass in an HTML +str+, which is turned into Hpricot elements.
def after(str = nil, &blk)
each { |x| x.parent.insert_after x.make(str, &blk), x }
end
# If more than one element is found in the string, Hpricot locates the
# deepest spot inside the first element.
# doc.search("a[@href]").
# wrap(%{<div class="link"><div class="link_inner"></div></div>})
# This code wraps every link on the page inside a +div.link+ and a +div.link_inner+ nest.
def wrap(str = nil, &blk)
each do |x|
wrap = x.make(str, &blk)
nest = wrap.detect { |w| w.respond_to? :children }
unless nest
raise "No wrapping element found."
end
x.parent.replace_child(x, wrap)
nest = nest.children.first until nest.empty?
nest.html([x])
end
end
# Gets and sets attributes on all matched elements.
# Pass in a +key+ on its own and this method will return the string value
# assigned to that attribute for the first elements. Or +nil+ if the
# attribute isn't found.
# doc.search("a").attr("href")
# Or, pass in a +key+ and +value+. This will set an attribute for all
# matched elements.
# doc.search("p").attr("class", "basic")
# You may also use a Hash to set a series of attributes:
# Lastly, a block can be used to rewrite an attribute based on the element
# it belongs to. The block will pass in an element. Return from the block
# the new value of the attribute.
# records.attr("href") { |e| e['href'] + "#top" }
# This example adds a <tt>#top</tt> anchor to each link.
def attr key, value = nil, &blk
if value or blk
each do |el|
el.set_attribute(key, value || blk[el])
end
return self
end
if key.is_a? Hash
key.each { |k,v| self.attr(k,v) }
return self
else
return self[0].get_attribute(key)
end
end
alias_method :set, :attr
# Adds the class to all matched elements.
# (doc/"p").add_class("bacon")
# Now all paragraphs will have class="bacon".
def add_class class_name
each do |el|
next unless el.respond_to? :get_attribute
classes = el.get_attribute('class').to_s.split(" ")
el.set_attribute('class', classes.push(class_name).uniq.join(" "))
end
self
end
# Remove an attribute from each of the matched elements.
# (doc/"input").remove_attr("disabled")
def remove_attr name
each do |el|
next unless el.respond_to? :remove_attribute
el.remove_attribute(name)
end
self
end
# Removes a class from all matched elements.
# (doc/"span").remove_class("lightgrey")
# Or, to remove all classes:
# (doc/"span").remove_class
def remove_class name = nil
each do |el|
next unless el.respond_to? :get_attribute
if name
classes = el.get_attribute('class').to_s.split(" ")
el.set_attribute('class', (classes - [name]).uniq.join(" "))
else
el.remove_attribute("class")
end
end
self
end
ATTR_RE = %r!\[ *(?:(@)([\w\(\)-]+)|([\w\(\)-]+\(\))) *([~\!\|\*$\^=]*) *'?"?([^'"]*)'?"? *\]!i
BRACK_RE = %r!(\[) *([^\]]*) *\]+!i
FUNC_RE = %r!(:)?([a-zA-Z0-9\*_-]*)\( *[\"']?([^ \)]*?)['\"]? *\)!
CUST_RE = %r!(:)([a-zA-Z0-9\*_-]*)()!
CATCH_RE = %r!([:\.#]*)([a-zA-Z0-9\*_-]+)!
def self.filter(nodes, expr, truth = true)
until expr.empty?
_, *m = *expr.match(/^(?:#{ATTR_RE}|#{BRACK_RE}|#{FUNC_RE}|#{CUST_RE}|#{CATCH_RE})/)
break unless _
expr = $'
m.compact!
if m[0] == '@'
m[0] = "@#{m.slice!(2,1).join}"
end
if m[0] == '[' && m[1] =~ /^\d+$/
m = [":", "nth", m[1].to_i-1]
end
if m[0] == ":" && m[1] == "not"
nodes, = Elements.filter(nodes, m[2], false)
elsif "#{m[0]}#{m[1]}" =~ /^(:even|:odd)$/
new_nodes = []
nodes.each_with_index {|n,i| new_nodes.push(n) if (i % 2 == (m[1] == "even" ? 0 : 1)) }
nodes = new_nodes
elsif "#{m[0]}#{m[1]}" =~ /^(:first|:last)$/
nodes = [nodes.send(m[1])]
else
meth = "filter[#{m[0]}#{m[1]}]" unless m[0].empty?
if meth and Traverse.method_defined? meth
args = m[2..-1]
else
meth = "filter[
if Traverse.method_defined? meth
args = m[1..-1]
end
end
args << -1
nodes = Elements[*nodes.find_all do |x|
args[-1] += 1
x.send(meth, *args) ? truth : !truth
end]
end
end
[nodes, expr]
end
# Given two elements, attempt to gather an Elements array of everything between
# (and including) those two elements.
def self.expand(ele1, ele2, excl=false)
ary = []
offset = excl ? -1 : 0
if ele1 and ele2
# let's quickly take care of siblings
if ele1.parent == ele2.parent
ary = ele1.parent.children[ele1.node_position..(ele2.node_position+offset)]
else
# find common parent
p, ele1_p = ele1, [ele1]
ele1_p.unshift p while p.respond_to?(:parent) and p = p.parent
p, ele2_p = ele2, [ele2]
ele2_p.unshift p while p.respond_to?(:parent) and p = p.parent
common_parent = ele1_p.zip(ele2_p).select { |p1, p2| p1 == p2 }.flatten.last
child = nil
if ele1 == common_parent
child = ele2
elsif ele2 == common_parent
child = ele1
end
if child
ary = common_parent.children[0..(child.node_position+offset)]
end
end
end
return Elements[*ary]
end
def filter(expr)
nodes, = Elements.filter(self, expr)
nodes
end
def not(expr)
if expr.is_a? Traverse
nodes = self - [expr]
else
nodes, = Elements.filter(self, expr, false)
end
nodes
end
private
def copy_node(node, l)
l.instance_variables.each do |iv|
node.<API key>(iv, l.<API key>(iv))
end
end
end
module Traverse
def self.filter(tok, &blk)
define_method("filter[#{tok.is_a?(String) ? tok : tok.inspect}]", &blk)
end
filter '' do |name,i|
name == '*' || (self.respond_to?(:name) && self.name.downcase == name.downcase)
end
filter '#' do |id,i|
self.elem? and get_attribute('id').to_s == id
end
filter '.' do |name,i|
self.elem? and classes.include? name
end
filter :lt do |num,i|
self.position < num.to_i
end
filter :gt do |num,i|
self.position > num.to_i
end
nth = proc { |num,i| self.position == num.to_i }
nth_first = proc { |*a| self.position == 0 }
nth_last = proc { |*a| self == parent.children_of_type(self.name).last }
filter :nth, &nth
filter :eq, &nth
filter ":nth-of-type", &nth
filter :first, &nth_first
filter ":first-of-type", &nth_first
filter :last, &nth_last
filter ":last-of-type", &nth_last
filter :even do |num,i|
self.position % 2 == 0
end
filter :odd do |num,i|
self.position % 2 == 1
end
filter ':first-child' do |i|
self == parent.containers.first
end
filter ':nth-child' do |arg,i|
case arg
when 'even'; (parent.containers.index(self) + 1) % 2 == 0
when 'odd'; (parent.containers.index(self) + 1) % 2 == 1
else self == (parent.containers[arg.to_i + 1])
end
end
filter ":last-child" do |i|
self == parent.containers.last
end
filter ":nth-last-child" do |arg,i|
self == parent.containers[-1-arg.to_i]
end
filter ":nth-last-of-type" do |arg,i|
self == parent.children_of_type(self.name)[-1-arg.to_i]
end
filter ":only-of-type" do |arg,i|
parent.children_of_type(self.name).length == 1
end
filter ":only-child" do |arg,i|
parent.containers.length == 1
end
filter :parent do |*a|
containers.length > 0
end
filter :empty do |*a|
containers.length == 0
end
filter :root do |*a|
self.is_a? Hpricot::Doc
end
filter 'text' do |*a|
self.text?
end
filter 'comment' do |*a|
self.comment?
end
filter :contains do |arg, ignore|
html.include? arg
end
pred_procs =
{'text()' => proc { |ele, *_| ele.inner_text.strip },
'@' => proc { |ele, attr, *_| ele.get_attribute(attr).to_s if ele.elem? }}
oper_procs =
{'=' => proc { |a,b| a == b },
'!=' => proc { |a,b| a != b },
'~=' => proc { |a,b| a.split(/\s+/).include?(b) },
'|=' => proc { |a,b| a =~ /^#{Regexp::quote b}(-|$)/ },
'^=' => proc { |a,b| a.index(b) == 0 },
'$=' => proc { |a,b| a =~ /#{Regexp::quote b}$/ },
'*=' => proc { |a,b| idx = a.index(b) }}
pred_procs.each do |pred_n, pred_f|
oper_procs.each do |oper_n, oper_f|
filter "#{pred_n}#{oper_n}" do |*a|
qual = pred_f[self, *a]
oper_f[qual, a[-2]] if qual
end
end
end
filter 'text()' do |val,i|
self.children.grep(Hpricot::Text).detect { |x| x.content =~ /\S/ } if self.children
end
filter '@' do |attr,val,i|
self.elem? and has_attribute? attr
end
filter '[' do |val,i|
self.elem? and search(val).length > 0
end
end
end |
<table width="90%" border="0"><tr><td><script>function openfile(url) {fullwin = window.open(url, "fulltext", "toolbar=no,location=no,directories=no,status=no,menubar=no,scrollbars=yes,resizable=yes");}</script><div class="flayoutclass"><div class="flayoutclass_first"><table class="tableoutfmt2"><tr><th class="std1"><b> </b></th><td class="std2"></td></tr>
<tr><th class="std1"><b> </b></th><td class="std2"><sup class="subfont">ˊ</sup><sup class="subfont">ˋ</sup><sup class="subfont">ˊ</sup><sup class="subfont">ˋ</sup></td></tr>
<tr><th class="std1"><b> </b></th><td class="std2"><font class="english_word">wéi miào wéi xiào</font></td></tr>
<tr><th class="std1"><b> </b></th><td class="std2">˙˙<img src=/cydic/dicword/fa40.gif border=0 alt=* class=fontimg valign=center><img src=/cydic/dicword/fa41.gif border=0 alt=* class=fontimg valign=center><img src=/cydic/dicword/fa40.gif border=0 alt=* class=fontimg valign=center><img src=/cydic/dicword/fa41.gif border=0 alt=* class=fontimg valign=center></td></tr>
<tr><th class="std1"><b><font class="fltypefont"></font> </b></th><td class="std2"></td></tr>
</td></tr></table></div> <!-- flayoutclass_first --><div class="flayoutclass_second"></div> <!-- flayoutclass_second --></div> <!-- flayoutclass --></td></tr></table> |
class <API key>
MAP = {
"I" => 1,
"V" => 5,
"X" => 10,
"L" => 50,
"C" => 100,
"D" => 500,
"M" => 1000
}
def self.value_for(character)
MAP.fetch(character)
end
def self.values_for(characters)
characters.map do |character|
value_for(character)
end
end
end |
namespace Hqub.Autocompleate.Server.Workers
{
using System;
using Akka.Actor;
public class Logger : UntypedActor
{
public Logger()
{
}
#region implemented abstract members of UntypedActor
protected override void OnReceive(object message)
{
Console.WriteLine(((Exception)message).Message);
}
#endregion
}
} |
#!/usr/bin/env bash
GIT_DEPLOY_REPO=${GIT_DEPLOY_REPO:-$(node -e 'process.stdout.write(require("./package.json").repository)')}
cd dist && \
git init && \
git add . && \
git commit -m "Deploy to GitHub Pages" && \
git push --force "${GIT_DEPLOY_REPO}" master:gh-pages
# IF YOU USE A USERNAME.GITHUB.IO ROOT DOMAIN, PLEASE READ THE WARNING BELOW |
# Cookbook Name:: gitlab
# Recipe:: update
gitlab = node['gitlab']
service "gitlab" do
action :stop
end
file File.join(gitlab['home'], ".gitlab_start") do
action :delete
end
file File.join(gitlab['home'], ".gemrc") do
action :delete
end
file File.join(gitlab['home'], ".gitlab_migrate") do
action :delete
end |
"use strict";
var helpers = require("../../helpers/helpers");
exports["Africa/Sao_Tome"] = {
"guess:by:offset" : helpers.makeTestGuess("Africa/Sao_Tome", { offset: true }),
"guess:by:abbr" : helpers.makeTestGuess("Africa/Sao_Tome", { abbr: true }),
"1911" : helpers.makeTestYear("Africa/Sao_Tome", [
["1911-12-31T23:59:59+00:00", "23:23:14", "LMT", 2205 / 60]
]),
"1912" : helpers.makeTestYear("Africa/Sao_Tome", [
["1912-01-01T00:00:00+00:00", "00:00:00", "GMT", 0]
])
}; |
package thehambone.<API key>.filesystem.command;
import thehambone.<API key>.Terminal;
import thehambone.<API key>.filesystem.ExecutableFile;
public class ClearCommand extends ExecutableFile
{
/**
* Creates a new instance of the {@code ClearCommand} class.
*
* @param id the filesystem object id
*/
public ClearCommand(int id)
{
super(id, "clear");
}
@Override
public void exec(String[] args)
{
// Clear the screen by filling the screen with newlines
for (int i = 0; i < Terminal.LINES; i++) {
Terminal.println();
}
}
} |
#include "walletdb.h"
#include "base58.h"
#include "protocol.h"
#include "serialize.h"
#include "sync.h"
#include "wallet.h"
#include <boost/filesystem.hpp>
#include <boost/foreach.hpp>
using namespace std;
using namespace boost;
static uint64_t <API key> = 0;
// CWalletDB
bool CWalletDB::WriteName(const string& strAddress, const string& strName)
{
nWalletDBUpdated++;
return Write(make_pair(string("name"), strAddress), strName);
}
bool CWalletDB::EraseName(const string& strAddress)
{
// This should only be used for sending addresses, never for receiving addresses,
// receiving addresses must always have an address book entry if they're not change return.
nWalletDBUpdated++;
return Erase(make_pair(string("name"), strAddress));
}
bool CWalletDB::WritePurpose(const string& strAddress, const string& strPurpose)
{
nWalletDBUpdated++;
return Write(make_pair(string("purpose"), strAddress), strPurpose);
}
bool CWalletDB::ErasePurpose(const string& strPurpose)
{
nWalletDBUpdated++;
return Erase(make_pair(string("purpose"), strPurpose));
}
bool CWalletDB::WriteTx(uint256 hash, const CWalletTx& wtx)
{
nWalletDBUpdated++;
return Write(std::make_pair(std::string("tx"), hash), wtx);
}
bool CWalletDB::EraseTx(uint256 hash)
{
nWalletDBUpdated++;
return Erase(std::make_pair(std::string("tx"), hash));
}
bool CWalletDB::WriteKey(const CPubKey& vchPubKey, const CPrivKey& vchPrivKey, const CKeyMetadata& keyMeta)
{
nWalletDBUpdated++;
if (!Write(std::make_pair(std::string("keymeta"), vchPubKey),
keyMeta, false))
return false;
// hash pubkey/privkey to accelerate wallet load
std::vector<unsigned char> vchKey;
vchKey.reserve(vchPubKey.size() + vchPrivKey.size());
vchKey.insert(vchKey.end(), vchPubKey.begin(), vchPubKey.end());
vchKey.insert(vchKey.end(), vchPrivKey.begin(), vchPrivKey.end());
return Write(std::make_pair(std::string("key"), vchPubKey), std::make_pair(vchPrivKey, Hash(vchKey.begin(), vchKey.end())), false);
}
bool CWalletDB::WriteCryptedKey(const CPubKey& vchPubKey,
const std::vector<unsigned char>& vchCryptedSecret,
const CKeyMetadata &keyMeta)
{
const bool <API key> = true;
nWalletDBUpdated++;
if (!Write(std::make_pair(std::string("keymeta"), vchPubKey),
keyMeta))
return false;
if (!Write(std::make_pair(std::string("ckey"), vchPubKey), vchCryptedSecret, false))
return false;
if (<API key>)
{
Erase(std::make_pair(std::string("key"), vchPubKey));
Erase(std::make_pair(std::string("wkey"), vchPubKey));
}
return true;
}
bool CWalletDB::WriteMasterKey(unsigned int nID, const CMasterKey& kMasterKey)
{
nWalletDBUpdated++;
return Write(std::make_pair(std::string("mkey"), nID), kMasterKey, true);
}
bool CWalletDB::WriteCScript(const uint160& hash, const CScript& redeemScript)
{
nWalletDBUpdated++;
return Write(std::make_pair(std::string("cscript"), hash), redeemScript, false);
}
bool CWalletDB::WriteWatchOnly(const CScript &dest)
{
nWalletDBUpdated++;
return Write(std::make_pair(std::string("watchs"), dest), '1');
}
bool CWalletDB::WriteBestBlock(const CBlockLocator& locator)
{
nWalletDBUpdated++;
return Write(std::string("bestblock"), locator);
}
bool CWalletDB::ReadBestBlock(CBlockLocator& locator)
{
return Read(std::string("bestblock"), locator);
}
bool CWalletDB::WriteOrderPosNext(int64_t nOrderPosNext)
{
nWalletDBUpdated++;
return Write(std::string("orderposnext"), nOrderPosNext);
}
bool CWalletDB::WriteDefaultKey(const CPubKey& vchPubKey)
{
nWalletDBUpdated++;
return Write(std::string("defaultkey"), vchPubKey);
}
bool CWalletDB::ReadPool(int64_t nPool, CKeyPool& keypool)
{
return Read(std::make_pair(std::string("pool"), nPool), keypool);
}
bool CWalletDB::WritePool(int64_t nPool, const CKeyPool& keypool)
{
nWalletDBUpdated++;
return Write(std::make_pair(std::string("pool"), nPool), keypool);
}
bool CWalletDB::ErasePool(int64_t nPool)
{
nWalletDBUpdated++;
return Erase(std::make_pair(std::string("pool"), nPool));
}
bool CWalletDB::WriteMinVersion(int nVersion)
{
return Write(std::string("minversion"), nVersion);
}
bool CWalletDB::ReadAccount(const string& strAccount, CAccount& account)
{
account.SetNull();
return Read(make_pair(string("acc"), strAccount), account);
}
bool CWalletDB::WriteAccount(const string& strAccount, const CAccount& account)
{
return Write(make_pair(string("acc"), strAccount), account);
}
bool CWalletDB::<API key>(const uint64_t nAccEntryNum, const CAccountingEntry& acentry)
{
return Write(boost::make_tuple(string("acentry"), acentry.strAccount, nAccEntryNum), acentry);
}
bool CWalletDB::<API key>(const CAccountingEntry& acentry)
{
return <API key>(++<API key>, acentry);
}
int64_t CWalletDB::<API key>(const string& strAccount)
{
list<CAccountingEntry> entries;
<API key>(strAccount, entries);
int64_t nCreditDebit = 0;
BOOST_FOREACH (const CAccountingEntry& entry, entries)
nCreditDebit += entry.nCreditDebit;
return nCreditDebit;
}
void CWalletDB::<API key>(const string& strAccount, list<CAccountingEntry>& entries)
{
bool fAllAccounts = (strAccount == "*");
Dbc* pcursor = GetCursor();
if (!pcursor)
throw runtime_error("CWalletDB::<API key>() : cannot create DB cursor");
unsigned int fFlags = DB_SET_RANGE;
while (true)
{
// Read next record
CDataStream ssKey(SER_DISK, CLIENT_VERSION);
if (fFlags == DB_SET_RANGE)
ssKey << boost::make_tuple(string("acentry"), (fAllAccounts? string("") : strAccount), uint64_t(0));
CDataStream ssValue(SER_DISK, CLIENT_VERSION);
int ret = ReadAtCursor(pcursor, ssKey, ssValue, fFlags);
fFlags = DB_NEXT;
if (ret == DB_NOTFOUND)
break;
else if (ret != 0)
{
pcursor->close();
throw runtime_error("CWalletDB::<API key>() : error scanning DB");
}
// Unserialize
string strType;
ssKey >> strType;
if (strType != "acentry")
break;
CAccountingEntry acentry;
ssKey >> acentry.strAccount;
if (!fAllAccounts && acentry.strAccount != strAccount)
break;
ssValue >> acentry;
ssKey >> acentry.nEntryNo;
entries.push_back(acentry);
}
pcursor->close();
}
DBErrors
CWalletDB::ReorderTransactions(CWallet* pwallet)
{
LOCK(pwallet->cs_wallet);
// Old wallets didn't have any defined order for transactions
// Probably a bad idea to change the output of this
// First: get all CWalletTx and CAccountingEntry into a sorted-by-time multimap.
typedef pair<CWalletTx*, CAccountingEntry*> TxPair;
typedef multimap<int64_t, TxPair > TxItems;
TxItems txByTime;
for (map<uint256, CWalletTx>::iterator it = pwallet->mapWallet.begin(); it != pwallet->mapWallet.end(); ++it)
{
CWalletTx* wtx = &((*it).second);
txByTime.insert(make_pair(wtx->nTimeReceived, TxPair(wtx, (CAccountingEntry*)0)));
}
list<CAccountingEntry> acentries;
<API key>("", acentries);
BOOST_FOREACH(CAccountingEntry& entry, acentries)
{
txByTime.insert(make_pair(entry.nTime, TxPair((CWalletTx*)0, &entry)));
}
int64_t& nOrderPosNext = pwallet->nOrderPosNext;
nOrderPosNext = 0;
std::vector<int64_t> nOrderPosOffsets;
for (TxItems::iterator it = txByTime.begin(); it != txByTime.end(); ++it)
{
CWalletTx *const pwtx = (*it).second.first;
CAccountingEntry *const pacentry = (*it).second.second;
int64_t& nOrderPos = (pwtx != 0) ? pwtx->nOrderPos : pacentry->nOrderPos;
if (nOrderPos == -1)
{
nOrderPos = nOrderPosNext++;
nOrderPosOffsets.push_back(nOrderPos);
if (pacentry)
// Have to write accounting regardless, since we don't keep it in memory
if (!<API key>(pacentry->nEntryNo, *pacentry))
return DB_LOAD_FAIL;
}
else
{
int64_t nOrderPosOff = 0;
BOOST_FOREACH(const int64_t& nOffsetStart, nOrderPosOffsets)
{
if (nOrderPos >= nOffsetStart)
++nOrderPosOff;
}
nOrderPos += nOrderPosOff;
nOrderPosNext = std::max(nOrderPosNext, nOrderPos + 1);
if (!nOrderPosOff)
continue;
// Since we're changing the order, write it back
if (pwtx)
{
if (!WriteTx(pwtx->GetHash(), *pwtx))
return DB_LOAD_FAIL;
}
else
if (!<API key>(pacentry->nEntryNo, *pacentry))
return DB_LOAD_FAIL;
}
}
return DB_LOAD_OK;
}
class CWalletScanState {
public:
unsigned int nKeys;
unsigned int nCKeys;
unsigned int nKeyMeta;
bool fIsEncrypted;
bool fAnyUnordered;
int nFileVersion;
vector<uint256> vWalletUpgrade;
CWalletScanState() {
nKeys = nCKeys = nKeyMeta = 0;
fIsEncrypted = false;
fAnyUnordered = false;
nFileVersion = 0;
}
};
bool
ReadKeyValue(CWallet* pwallet, CDataStream& ssKey, CDataStream& ssValue,
CWalletScanState &wss, string& strType, string& strErr)
{
try {
// Unserialize
// Taking advantage of the fact that pair serialization
// is just the two items serialized one after the other
ssKey >> strType;
if (strType == "name")
{
string strAddress;
ssKey >> strAddress;
ssValue >> pwallet->mapAddressBook[CEkwicoinAddress(strAddress).Get()].name;
}
else if (strType == "purpose")
{
string strAddress;
ssKey >> strAddress;
ssValue >> pwallet->mapAddressBook[CEkwicoinAddress(strAddress).Get()].purpose;
}
else if (strType == "tx")
{
uint256 hash;
ssKey >> hash;
CWalletTx wtx;
ssValue >> wtx;
CValidationState state;
if (!(CheckTransaction(wtx, state) && (wtx.GetHash() == hash) && state.IsValid()))
return false;
// Undo serialize changes in 31600
if (31404 <= wtx.<API key> && wtx.<API key> <= 31703)
{
if (!ssValue.empty())
{
char fTmp;
char fUnused;
ssValue >> fTmp >> fUnused >> wtx.strFromAccount;
strErr = strprintf("LoadWallet() upgrading tx ver=%d %d '%s' %s",
wtx.<API key>, fTmp, wtx.strFromAccount, hash.ToString());
wtx.<API key> = fTmp;
}
else
{
strErr = strprintf("LoadWallet() repairing tx ver=%d %s", wtx.<API key>, hash.ToString());
wtx.<API key> = 0;
}
wss.vWalletUpgrade.push_back(hash);
}
if (wtx.nOrderPos == -1)
wss.fAnyUnordered = true;
pwallet->AddToWallet(wtx, true);
/ debug print
//LogPrintf("LoadWallet %s\n", wtx.GetHash().ToString());
//LogPrintf(" %12d %s %s %s\n",
// wtx.vout[0].nValue,
// DateTimeStrFormat("%Y-%m-%d %H:%M:%S", wtx.GetBlockTime()),
// wtx.hashBlock.ToString(),
// wtx.mapValue["message"]);
}
else if (strType == "acentry")
{
string strAccount;
ssKey >> strAccount;
uint64_t nNumber;
ssKey >> nNumber;
if (nNumber > <API key>)
<API key> = nNumber;
if (!wss.fAnyUnordered)
{
CAccountingEntry acentry;
ssValue >> acentry;
if (acentry.nOrderPos == -1)
wss.fAnyUnordered = true;
}
}
else if (strType == "watchs")
{
CScript script;
ssKey >> script;
char fYes;
ssValue >> fYes;
if (fYes == '1')
pwallet->LoadWatchOnly(script);
// Watch-only addresses have no birthday information for now,
// so set the wallet birthday to the beginning of time.
pwallet->nTimeFirstKey = 1;
}
else if (strType == "key" || strType == "wkey")
{
CPubKey vchPubKey;
ssKey >> vchPubKey;
if (!vchPubKey.IsValid())
{
strErr = "Error reading wallet database: CPubKey corrupt";
return false;
}
CKey key;
CPrivKey pkey;
uint256 hash = 0;
if (strType == "key")
{
wss.nKeys++;
ssValue >> pkey;
} else {
CWalletKey wkey;
ssValue >> wkey;
pkey = wkey.vchPrivKey;
}
// Old wallets store keys as "key" [pubkey] => [privkey]
// ... which was slow for wallets with lots of keys, because the public key is re-derived from the private key
// using EC operations as a checksum.
// Newer wallets store keys as "key"[pubkey] => [privkey][hash(pubkey,privkey)], which is much faster while
// remaining <API key>.
try
{
ssValue >> hash;
}
catch(...){}
bool fSkipCheck = false;
if (hash != 0)
{
// hash pubkey/privkey to accelerate wallet load
std::vector<unsigned char> vchKey;
vchKey.reserve(vchPubKey.size() + pkey.size());
vchKey.insert(vchKey.end(), vchPubKey.begin(), vchPubKey.end());
vchKey.insert(vchKey.end(), pkey.begin(), pkey.end());
if (Hash(vchKey.begin(), vchKey.end()) != hash)
{
strErr = "Error reading wallet database: CPubKey/CPrivKey corrupt";
return false;
}
fSkipCheck = true;
}
if (!key.Load(pkey, vchPubKey, fSkipCheck))
{
strErr = "Error reading wallet database: CPrivKey corrupt";
return false;
}
if (!pwallet->LoadKey(key, vchPubKey))
{
strErr = "Error reading wallet database: LoadKey failed";
return false;
}
}
else if (strType == "mkey")
{
unsigned int nID;
ssKey >> nID;
CMasterKey kMasterKey;
ssValue >> kMasterKey;
if(pwallet->mapMasterKeys.count(nID) != 0)
{
strErr = strprintf("Error reading wallet database: duplicate CMasterKey id %u", nID);
return false;
}
pwallet->mapMasterKeys[nID] = kMasterKey;
if (pwallet->nMasterKeyMaxID < nID)
pwallet->nMasterKeyMaxID = nID;
}
else if (strType == "ckey")
{
vector<unsigned char> vchPubKey;
ssKey >> vchPubKey;
vector<unsigned char> vchPrivKey;
ssValue >> vchPrivKey;
wss.nCKeys++;
if (!pwallet->LoadCryptedKey(vchPubKey, vchPrivKey))
{
strErr = "Error reading wallet database: LoadCryptedKey failed";
return false;
}
wss.fIsEncrypted = true;
}
else if (strType == "keymeta")
{
CPubKey vchPubKey;
ssKey >> vchPubKey;
CKeyMetadata keyMeta;
ssValue >> keyMeta;
wss.nKeyMeta++;
pwallet->LoadKeyMetadata(vchPubKey, keyMeta);
// find earliest key creation time, as wallet birthday
if (!pwallet->nTimeFirstKey ||
(keyMeta.nCreateTime < pwallet->nTimeFirstKey))
pwallet->nTimeFirstKey = keyMeta.nCreateTime;
}
else if (strType == "defaultkey")
{
ssValue >> pwallet->vchDefaultKey;
}
else if (strType == "pool")
{
int64_t nIndex;
ssKey >> nIndex;
CKeyPool keypool;
ssValue >> keypool;
pwallet->setKeyPool.insert(nIndex);
// If no metadata exists yet, create a default with the pool key's
// creation time. Note that this may be overwritten by actually
// stored metadata for that key later, which is fine.
CKeyID keyid = keypool.vchPubKey.GetID();
if (pwallet->mapKeyMetadata.count(keyid) == 0)
pwallet->mapKeyMetadata[keyid] = CKeyMetadata(keypool.nTime);
}
else if (strType == "version")
{
ssValue >> wss.nFileVersion;
if (wss.nFileVersion == 10300)
wss.nFileVersion = 300;
}
else if (strType == "cscript")
{
uint160 hash;
ssKey >> hash;
CScript script;
ssValue >> script;
if (!pwallet->LoadCScript(script))
{
strErr = "Error reading wallet database: LoadCScript failed";
return false;
}
}
else if (strType == "orderposnext")
{
ssValue >> pwallet->nOrderPosNext;
}
else if (strType == "destdata")
{
std::string strAddress, strKey, strValue;
ssKey >> strAddress;
ssKey >> strKey;
ssValue >> strValue;
if (!pwallet->LoadDestData(CEkwicoinAddress(strAddress).Get(), strKey, strValue))
{
strErr = "Error reading wallet database: LoadDestData failed";
return false;
}
}
} catch (...)
{
return false;
}
return true;
}
static bool IsKeyType(string strType)
{
return (strType== "key" || strType == "wkey" ||
strType == "mkey" || strType == "ckey");
}
DBErrors CWalletDB::LoadWallet(CWallet* pwallet)
{
pwallet->vchDefaultKey = CPubKey();
CWalletScanState wss;
bool fNoncriticalErrors = false;
DBErrors result = DB_LOAD_OK;
try {
LOCK(pwallet->cs_wallet);
int nMinVersion = 0;
if (Read((string)"minversion", nMinVersion))
{
if (nMinVersion > CLIENT_VERSION)
return DB_TOO_NEW;
pwallet->LoadMinVersion(nMinVersion);
}
// Get cursor
Dbc* pcursor = GetCursor();
if (!pcursor)
{
LogPrintf("Error getting wallet database cursor\n");
return DB_CORRUPT;
}
while (true)
{
// Read next record
CDataStream ssKey(SER_DISK, CLIENT_VERSION);
CDataStream ssValue(SER_DISK, CLIENT_VERSION);
int ret = ReadAtCursor(pcursor, ssKey, ssValue);
if (ret == DB_NOTFOUND)
break;
else if (ret != 0)
{
LogPrintf("Error reading next record from wallet database\n");
return DB_CORRUPT;
}
// Try to be tolerant of single corrupt records:
string strType, strErr;
if (!ReadKeyValue(pwallet, ssKey, ssValue, wss, strType, strErr))
{
// losing keys is considered a catastrophic error, anything else
// we assume the user can live with:
if (IsKeyType(strType))
result = DB_CORRUPT;
else
{
// Leave other errors alone, if we try to fix them we might make things worse.
fNoncriticalErrors = true; // ... but do warn the user there is something wrong.
if (strType == "tx")
// Rescan if there is a bad transaction record:
SoftSetBoolArg("-rescan", true);
}
}
if (!strErr.empty())
LogPrintf("%s\n", strErr);
}
pcursor->close();
}
catch (boost::thread_interrupted) {
throw;
}
catch (...) {
result = DB_CORRUPT;
}
if (fNoncriticalErrors && result == DB_LOAD_OK)
result = <API key>;
// Any wallet corruption at all: skip any rewriting or
// upgrading, we don't want to make it worse.
if (result != DB_LOAD_OK)
return result;
LogPrintf("nFileVersion = %d\n", wss.nFileVersion);
LogPrintf("Keys: %u plaintext, %u encrypted, %u w/ metadata, %u total\n",
wss.nKeys, wss.nCKeys, wss.nKeyMeta, wss.nKeys + wss.nCKeys);
// nTimeFirstKey is only reliable if all keys have metadata
if ((wss.nKeys + wss.nCKeys) != wss.nKeyMeta)
pwallet->nTimeFirstKey = 1; // 0 would be considered 'no value'
BOOST_FOREACH(uint256 hash, wss.vWalletUpgrade)
WriteTx(hash, pwallet->mapWallet[hash]);
// Rewrite encrypted wallets of versions 0.4.0 and 0.5.0rc:
if (wss.fIsEncrypted && (wss.nFileVersion == 40000 || wss.nFileVersion == 50000))
return DB_NEED_REWRITE;
if (wss.nFileVersion < CLIENT_VERSION) // Update
WriteVersion(CLIENT_VERSION);
if (wss.fAnyUnordered)
result = ReorderTransactions(pwallet);
return result;
}
DBErrors CWalletDB::FindWalletTx(CWallet* pwallet, vector<uint256>& vTxHash, vector<CWalletTx>& vWtx)
{
pwallet->vchDefaultKey = CPubKey();
CWalletScanState wss;
bool fNoncriticalErrors = false;
DBErrors result = DB_LOAD_OK;
try {
LOCK(pwallet->cs_wallet);
int nMinVersion = 0;
if (Read((string)"minversion", nMinVersion))
{
if (nMinVersion > CLIENT_VERSION)
return DB_TOO_NEW;
pwallet->LoadMinVersion(nMinVersion);
}
// Get cursor
Dbc* pcursor = GetCursor();
if (!pcursor)
{
LogPrintf("Error getting wallet database cursor\n");
return DB_CORRUPT;
}
while (true)
{
// Read next record
CDataStream ssKey(SER_DISK, CLIENT_VERSION);
CDataStream ssValue(SER_DISK, CLIENT_VERSION);
int ret = ReadAtCursor(pcursor, ssKey, ssValue);
if (ret == DB_NOTFOUND)
break;
else if (ret != 0)
{
LogPrintf("Error reading next record from wallet database\n");
return DB_CORRUPT;
}
string strType;
ssKey >> strType;
if (strType == "tx") {
uint256 hash;
ssKey >> hash;
CWalletTx wtx;
ssValue >> wtx;
vTxHash.push_back(hash);
vWtx.push_back(wtx);
}
}
pcursor->close();
}
catch (boost::thread_interrupted) {
throw;
}
catch (...) {
result = DB_CORRUPT;
}
if (fNoncriticalErrors && result == DB_LOAD_OK)
result = <API key>;
return result;
}
DBErrors CWalletDB::ZapWalletTx(CWallet* pwallet, vector<CWalletTx>& vWtx)
{
// build list of wallet TXs
vector<uint256> vTxHash;
DBErrors err = FindWalletTx(pwallet, vTxHash, vWtx);
if (err != DB_LOAD_OK)
return err;
// erase each wallet TX
BOOST_FOREACH (uint256& hash, vTxHash) {
if (!EraseTx(hash))
return DB_CORRUPT;
}
return DB_LOAD_OK;
}
void ThreadFlushWalletDB(const string& strFile)
{
// Make this thread recognisable as the wallet flushing thread
RenameThread("ekwicoin-wallet");
static bool fOneThread;
if (fOneThread)
return;
fOneThread = true;
if (!GetBoolArg("-flushwallet", true))
return;
unsigned int nLastSeen = nWalletDBUpdated;
unsigned int nLastFlushed = nWalletDBUpdated;
int64_t nLastWalletUpdate = GetTime();
while (true)
{
MilliSleep(500);
if (nLastSeen != nWalletDBUpdated)
{
nLastSeen = nWalletDBUpdated;
nLastWalletUpdate = GetTime();
}
if (nLastFlushed != nWalletDBUpdated && GetTime() - nLastWalletUpdate >= 2)
{
TRY_LOCK(bitdb.cs_db,lockDb);
if (lockDb)
{
// Don't do this if any databases are in use
int nRefCount = 0;
map<string, int>::iterator mi = bitdb.mapFileUseCount.begin();
while (mi != bitdb.mapFileUseCount.end())
{
nRefCount += (*mi).second;
mi++;
}
if (nRefCount == 0)
{
boost::this_thread::interruption_point();
map<string, int>::iterator mi = bitdb.mapFileUseCount.find(strFile);
if (mi != bitdb.mapFileUseCount.end())
{
LogPrint("db", "Flushing wallet.dat\n");
nLastFlushed = nWalletDBUpdated;
int64_t nStart = GetTimeMillis();
// Flush wallet.dat so it's self contained
bitdb.CloseDb(strFile);
bitdb.CheckpointLSN(strFile);
bitdb.mapFileUseCount.erase(mi++);
LogPrint("db", "Flushed wallet.dat %dms\n", GetTimeMillis() - nStart);
}
}
}
}
}
}
bool BackupWallet(const CWallet& wallet, const string& strDest)
{
if (!wallet.fFileBacked)
return false;
while (true)
{
{
LOCK(bitdb.cs_db);
if (!bitdb.mapFileUseCount.count(wallet.strWalletFile) || bitdb.mapFileUseCount[wallet.strWalletFile] == 0)
{
// Flush log data to the dat file
bitdb.CloseDb(wallet.strWalletFile);
bitdb.CheckpointLSN(wallet.strWalletFile);
bitdb.mapFileUseCount.erase(wallet.strWalletFile);
// Copy wallet.dat
filesystem::path pathSrc = GetDataDir() / wallet.strWalletFile;
filesystem::path pathDest(strDest);
if (filesystem::is_directory(pathDest))
pathDest /= wallet.strWalletFile;
try {
#if BOOST_VERSION >= 104000
filesystem::copy_file(pathSrc, pathDest, filesystem::copy_option::overwrite_if_exists);
#else
filesystem::copy_file(pathSrc, pathDest);
#endif
LogPrintf("copied wallet.dat to %s\n", pathDest.string());
return true;
} catch(const filesystem::filesystem_error &e) {
LogPrintf("error copying wallet.dat to %s - %s\n", pathDest.string(), e.what());
return false;
}
}
}
MilliSleep(100);
}
return false;
}
// Try to (very carefully!) recover wallet.dat if there is a problem.
bool CWalletDB::Recover(CDBEnv& dbenv, std::string filename, bool fOnlyKeys)
{
// Recovery procedure:
// move wallet.dat to wallet.timestamp.bak
// Call Salvage with fAggressive=true to
// get as much data as possible.
// Rewrite salvaged data to wallet.dat
// Set -rescan so any missing transactions will be
// found.
int64_t now = GetTime();
std::string newFilename = strprintf("wallet.%d.bak", now);
int result = dbenv.dbenv.dbrename(NULL, filename.c_str(), NULL,
newFilename.c_str(), DB_AUTO_COMMIT);
if (result == 0)
LogPrintf("Renamed %s to %s\n", filename, newFilename);
else
{
LogPrintf("Failed to rename %s to %s\n", filename, newFilename);
return false;
}
std::vector<CDBEnv::KeyValPair> salvagedData;
bool allOK = dbenv.Salvage(newFilename, true, salvagedData);
if (salvagedData.empty())
{
LogPrintf("Salvage(aggressive) found no records in %s.\n", newFilename);
return false;
}
LogPrintf("Salvage(aggressive) found %u records\n", salvagedData.size());
bool fSuccess = allOK;
Db* pdbCopy = new Db(&dbenv.dbenv, 0);
int ret = pdbCopy->open(NULL, // Txn pointer
filename.c_str(), // Filename
"main", // Logical db name
DB_BTREE, // Database type
DB_CREATE, // Flags
0);
if (ret > 0)
{
LogPrintf("Cannot create database file %s\n", filename);
return false;
}
CWallet dummyWallet;
CWalletScanState wss;
DbTxn* ptxn = dbenv.TxnBegin();
BOOST_FOREACH(CDBEnv::KeyValPair& row, salvagedData)
{
if (fOnlyKeys)
{
CDataStream ssKey(row.first, SER_DISK, CLIENT_VERSION);
CDataStream ssValue(row.second, SER_DISK, CLIENT_VERSION);
string strType, strErr;
bool fReadOK = ReadKeyValue(&dummyWallet, ssKey, ssValue,
wss, strType, strErr);
if (!IsKeyType(strType))
continue;
if (!fReadOK)
{
LogPrintf("WARNING: CWalletDB::Recover skipping %s: %s\n", strType, strErr);
continue;
}
}
Dbt datKey(&row.first[0], row.first.size());
Dbt datValue(&row.second[0], row.second.size());
int ret2 = pdbCopy->put(ptxn, &datKey, &datValue, DB_NOOVERWRITE);
if (ret2 > 0)
fSuccess = false;
}
ptxn->commit(0);
pdbCopy->close(0);
delete pdbCopy;
return fSuccess;
}
bool CWalletDB::Recover(CDBEnv& dbenv, std::string filename)
{
return CWalletDB::Recover(dbenv, filename, false);
}
bool CWalletDB::WriteDestData(const std::string &address, const std::string &key, const std::string &value)
{
nWalletDBUpdated++;
return Write(boost::make_tuple(std::string("destdata"), address, key), value);
}
bool CWalletDB::EraseDestData(const std::string &address, const std::string &key)
{
nWalletDBUpdated++;
return Erase(boost::make_tuple(string("destdata"), address, key));
} |
import { createSelector } from 'reselect';
import { RootState } from '@waldur/store/reducers';
export const getComments = (state: RootState) => state.issues.comments.items;
export const getIsDeleting = (state: RootState, props) =>
!!state.issues.comments.deleting[props.comment.uuid];
export const getIsLoading = (state: RootState) => state.issues.comments.loading;
export const <API key> = (state: RootState, props) =>
state.issues.comments.activeFormId === props.formId;
export const getActiveFormId = (state: RootState) =>
state.issues.comments.activeFormId;
export const getIssue = (state: RootState) => state.issues.comments.issue;
export const <API key> = (state: RootState) =>
state.issues.comments.pendingAttachments;
export const getIsUiDisabled = (state: RootState) =>
state.issues.comments.uiDisabled;
export const getCommentsGetErred = (state: RootState) =>
state.issues.comments.getErred;
export const <API key> = (state: RootState, props) =>
state.issues.comments.activeFormId !== null &&
state.issues.comments.activeFormId !== props.comment.uuid;
export const getUser = (state: RootState) => state.workspace.user;
export const getCommentsSelector = createSelector(getComments, (comments) =>
[...comments].sort(
(commentA, commentB) =>
Date.parse(commentB.created) - Date.parse(commentA.created),
),
); |
using Android.App;
using Android.Content;
using Android.OS;
using Android.Support.V7.App;
using Android.Views;
using AndroidHUD;
using Android.Support.V4.View;
using Android.Provider;
using Bootleg.Droid.Fragments;
using Bootleg.API;
using System.Threading;
using Android.Support.Design.Widget;
using Android.Widget;
using System;
using Square.Picasso;
using Android.Graphics.Drawables;
using Android.Support.V7.Graphics;
using System.Collections.Generic;
using Bootleg.API.Model;
using Android.Support.V4.Content.Res;
using Android.Graphics;
namespace Bootleg.Droid
{
[Activity(Label = "", NoHistory = true)]
public class Roles : AppCompatActivity
{
public override bool OnCreateOptionsMenu(Android.Views.IMenu menu)
{
if (WhiteLabelConfig.EXTERNAL_LINKS)
{
var actionItem1 = menu.Add(Resource.String.help);
MenuItemCompat.SetShowAsAction(actionItem1, MenuItemCompat.ShowAsActionNever);
}
return base.OnCreateOptionsMenu(menu);
}
public override bool <API key>(IMenuItem item)
{
switch (item.ItemId)
{
case Android.Resource.Id.Home:
Finish();
//Intent i = new Intent(this.ApplicationContext, typeof(Login));
//StartActivity(i);
return true;
default:
Intent myIntent = new Intent(Intent.ActionView, Android.Net.Uri.Parse(Resources.GetString(Resource.String.HelpLink) + "#roles"));
myIntent.PutExtra(Browser.ExtraApplicationId, "com.android.browser");
StartActivity(myIntent);
return base.<API key>(item);
}
}
public override void OnBackPressed()
{
if (!Bootlegger.BootleggerClient.CurrentEvent?.offline ?? false)
Bootlegger.BootleggerClient.UnSelectRole(!WhiteLabelConfig.REDUCE_BANDWIDTH, true);
Finish();
//Intent i = new Intent(this.ApplicationContext, typeof(Login));
//StartActivity(i);
}
protected override void OnResume()
{
if ((Application as BootleggerApp).TOTALFAIL == true)
{
Finish();
System.Environment.Exit(0);
return;
}
base.OnResume();
Bootlegger.BootleggerClient.CurrentClientRole = null;
}
<API key> cancel;
Shoot CurrentEvent;
public override void FinishFromChild(Activity child)
{
base.FinishFromChild(child);
//when video gets logged out:
if (!Bootlegger.BootleggerClient.Connected)
{
this.Finish();
return;
}
//else rechoose role...
}
protected override void OnStart()
{
base.OnStart();
//if ((Application as BootleggerApp).Comms.CurrentEvent.roleimg != null)
}
//MyPagerAdapter pageadapter;
protected async override void OnCreate(Bundle bundle)
{
base.OnCreate(bundle);
SetTheme(Resource.Style.Theme_Normal);
SetContentView(Resource.Layout.Roles_Activity);
Android.Support.V7.Widget.Toolbar toolbar = FindViewById<Android.Support.V7.Widget.Toolbar>(Resource.Id.toolbar);
// Sets the Toolbar to act as the ActionBar for this Activity window.
// Make sure the toolbar exists in the activity and is not null
SetSupportActionBar(toolbar);
SupportActionBar.<API key>(true);
Window.ClearFlags(WindowManagerFlags.TranslucentStatus);
if (Build.VERSION.SdkInt >= Android.OS.BuildVersionCodes.Lollipop)
{
// add <API key> flag to the window
Window.AddFlags(WindowManagerFlags.<API key>);
// finally change the color
Window.SetStatusBarColor(Resources.GetColor(Android.Resource.Color.Transparent));
}
//create fragment:
string id = Intent.Extras?.GetString("id");
if (!string.IsNullOrEmpty(id))
{
//Analytics.TrackEvent("ChooseRole");
//load event info:
cancel = new <API key>();
AndHUD.Shared.Show(this, Resources.GetString(Resource.String.connecting), -1, MaskType.Black, null, null, true, () =>
{
cancel.Cancel();
Finish();
});
try
{
if (!string.IsNullOrEmpty(id))
CurrentEvent = await Bootlegger.BootleggerClient.GetEventInfo(id, cancel.Token);
}
catch (Exception ex)
{
SetResult(Result.FirstUser);
Finish();
return;
}
finally
{
AndHUD.Shared.Dismiss();
}
}
else
{
CurrentEvent = Bootlegger.BootleggerClient.CurrentEvent;
}
Bootleg.API.Bootlegger.BootleggerClient.LogUserAction("ChooseRole",
new KeyValuePair<string, string>("eventid", CurrentEvent.id));
<API key> collapsingToolbar = FindViewById<<API key>>(Resource.Id.collapsing_toolbar);
collapsingToolbar.SetTitle(CurrentEvent.name);
//collapsingToolbar.<API key>(Color.Transparent);
collapsingToolbar.<API key>(Resource.Style.ExpandedAppBar);
Typeface font = ResourcesCompat.GetFont(this, Resource.Font.montserratregular);
FindViewById<<API key>>(Resource.Id.collapsing_toolbar).<API key> = font;
FindViewById<<API key>>(Resource.Id.collapsing_toolbar).<API key> = font;
if (!string.IsNullOrEmpty(CurrentEvent.roleimg))
{
FindViewById<AppBarLayout>(Resource.Id.appbar).SetExpanded(false,false);
}
//if (!string.IsNullOrEmpty(CurrentEvent.iconbackground) && !WhiteLabelConfig.REDUCE_BANDWIDTH)
// Picasso.With(this).Load(CurrentEvent.iconbackground).CenterCrop().Fit().MemoryPolicy(MemoryPolicy.NoCache, MemoryPolicy.NoStore).Into(FindViewById<ImageView>(Resource.Id.defaultback), new Action(() => {
// var bitmap = ((BitmapDrawable)FindViewById<ImageView>(Resource.Id.defaultback).Drawable).Bitmap;
// Palette palette = Palette.From(bitmap).Generate();
// int vibrant = palette.<API key>(0);
// if (vibrant == 0)
// vibrant = palette.GetMutedColor(0);
// int dark = palette.GetVibrantColor(0);
// if (dark == 0)
// dark = palette.GetLightMutedColor(0);
// //FindViewById<<API key>>(Resource.Id.collapsing_toolbar).<API key>(vibrant);
// //FindViewById<<API key>>(Resource.Id.collapsing_toolbar).<API key>(dark);
// }),null);
//else
//Picasso.With(this).Load(Resource.Drawable.user_back).CenterCrop().Fit().Into(FindViewById<ImageView>(Resource.Id.defaultback));
AndHUD.Shared.Dismiss();
SelectRoleFrag myrole;
if (bundle == null)
{
myrole = new SelectRoleFrag(CurrentEvent, false);
myrole.OnRoleChanged += <API key>;
Android.Support.V4.App.FragmentTransaction ft = <API key>.BeginTransaction();
try
{
ft.Add(Resource.Id.roles_frag_holder, myrole, "rolefragment").Commit();
}
catch
{
//failed dont know why!
}
}
else
{
myrole = <API key>.FindFragmentByTag("rolefragment") as SelectRoleFrag;
myrole.OnRoleChanged += <API key>;
}
}
public const string FROM_ROLE = "fromrole";
private void <API key>()
{
Intent intent = new Intent(this, typeof(Video));
intent.AddFlags(ActivityFlags.ForwardResult);
intent.PutExtra(FROM_ROLE, true);
StartActivity(intent);
Finish();
}
}
} |
PongLordsSimulator::Application.configure do
# Settings specified here will take precedence over those in config/application.rb.
# The test environment is used exclusively to run your application's
# test suite. You never need to work with it otherwise. Remember that
# your test database is "scratch space" for the test suite and is wiped
# and recreated between test runs. Don't rely on the data there!
config.cache_classes = true
# Do not eager load code on boot. This avoids loading your whole application
# just for the purpose of running a single test. If you are using a tool that
# preloads Rails for running tests, you may have to set it to true.
config.eager_load = false
# Configure static asset server for tests with Cache-Control for performance.
config.serve_static_assets = true
config.<API key> = "public, max-age=3600"
# Show full error reports and disable caching.
config.<API key> = true
config.action_controller.perform_caching = false
# Raise exceptions instead of rendering exception templates.
config.action_dispatch.show_exceptions = false
# Disable request forgery protection in test environment.
config.action_controller.<API key> = false
# Tell Action Mailer not to deliver emails to the real world.
# The :test delivery method accumulates sent emails in the
# ActionMailer::Base.deliveries array.
config.action_mailer.delivery_method = :test
# Print deprecation notices to the stderr.
config.active_support.deprecation = :stderr
end |
from zipfile import ZipFile, ZIP_DEFLATED
from io import BytesIO
def stream_conents(src_zip, dst_zip, file_subset_list):
with ZipFile(src_zip, "r", compression=ZIP_DEFLATED) as src_zip_archive:
with ZipFile(dst_zip, "w", compression=ZIP_DEFLATED) as dst_zip_archive:
for zitem in src_zip_archive.namelist():
if zitem in file_subset_list:
zitem_object = src_zip_archive.open(zitem)
print(type(zitem_object))
dst_zip_archive.write(zitem_object)
stream_conents(
r"E:\!temp\!test\D\054764368220_01.zip",
"E:\!temp\!test\D\054764368220_01_new.zip",
['GIS_FILES/<API key>.prj', ]) |
var fs = require('fs'),
path = require('path'),
process = require('process');
var hljs = require('./highlight.min.js');
var pg = require('./percentage.js');
var tocer = require('./tocer.js');
var searchGen = require('./searchGen.js');
// HLJS Langs (hljs.listLanguages()): 'apache','bash','coffeescript','cpp','cs','css','diff','http','ini','java','javascript','json','makefile','xml','markdown','nginx','objectivec','perl','php','python','ruby','sql'
(function(fs, path, process, pg, hljs, tocer, searchGen, undefined) {
"use strict";
__dirname = process.cwd();
var RssPreamble = '<?xml version="1.0" encoding="utf-8"?><rss version="2.0" xmlns:atom="http:
RssTail = '\r\n</channel></rss>';
var <API key> = {
title: '',
gohome: true,
isHome: function (t,c) { return <API key>.gohome ? '' : c; },
name: '',
tagline: '',
body: '',
twitterTitle: '',
<TwitterConsumerkey>: '',
twitterImage: ''
}
var <API key> = {
ref_topic: function (k,v){},
code: function(k,v) {
var result = hljs.highlightAuto(v.trim());
return '<pre><code class="hljs ' + result.language + '">' + result.value + '</code></pre>';
},
code_cs: function(k,v) {
var result = hljs.highlight('cs', v.trim());
return '<pre><code class="hljs cs">' + result.value + '</code></pre>';
},
code_js: function(k,v) {
var result = hljs.highlight('javascript', v.trim());
return '<pre><code class="hljs javascript">' + result.value + '</code></pre>';
},
code_java: function(k,v) {
var result = hljs.highlight('java', v.trim());
return '<pre><code class="hljs java">' + result.value + '</code></pre>';
},
code_ts: function(k,v) {
var result = hljs.highlight('javascript', v.trim());
return '<pre><code class="hljs javascript">' + result.value + '</code></pre>';
},
code_bash: function(k,v) {
var result = hljs.highlight('bash', v.trim());
return '<pre><code class="hljs bash">' + result.value + '</code></pre>';
},
code_json: function(k,v) {
var result = hljs.highlight('json', v.trim());
return '<pre><code class="hljs json">' + result.value + '</code></pre>';
},
code_python: function(k,v) {
var result = hljs.highlight('python', v.trim());
return '<pre><code class="hljs python">' + result.value + '</code></pre>';
}
}
function getRawPage(filePath) {
var rawText = fs.readFileSync(filePath, 'utf-8');
return rawText;
}
function getTemplate(filePath) {
var templateText = getRawPage(filePath),
template = pg.compile(templateText);
return template;
}
function getTopicUrl(pages, elem) {
return '/' + pages.pagesRoute + '/' + elem.name;
}
function buildRefTopicFn(pages) {
return function _refTopic(k,v) {
var page = pages.pages.filter(function _refTopicFilter(el) {
return el.name === v;
}).pop();
if (!page)
throw 'Nieznana referencja: ' + (v || '');
return '<a href="' + getTopicUrl(pages, page) + '">' + page.title + '</a>';
};
}
function renderTemplate(template, replacements, dst) {
var content = template(replacements);
writeContentTo(dst, content);
}
function renderTopics(template, pages) {
mkDir(path.normalize(path.join(pages.output, pages.pagesRoute)));
<API key>.title = pages.title;
<API key>.gohome = true;
<API key>.twitterImage = pages.domain + pages.<TwitterConsumerkey>;
<API key>.ref_topic = buildRefTopicFn(pages);
pages.pages.forEach(function(elem) {
var srcRelPage = path.normalize(path.join(pages.pagesPath, elem.name + '.html'));
var dstTopic = path.normalize(path.join(pages.output, pages.pagesRoute, elem.name + '.html'));
var elemTemplate = getTemplate(srcRelPage);
console.log('rendering', elem.name, 'to', dstTopic);
var rawBody = elemTemplate(<API key>);
console.log('creating search index for', elem.name);
var pageIndex = searchGen.createIndex(getRawPage(srcRelPage));
<API key>.body = tocer.createToc(rawBody);
<API key>.name = elem.title;
<API key>.tagline = elem.description;
<API key>.twitterTitle = elem.title;
<API key>.<TwitterConsumerkey> = elem.description;
renderTemplate(
template,
<API key>,
dstTopic
)
});
}
function renderIndex(template, pages) {
var dst = path.normalize(path.join(pages.output, 'index.html'));
var body = pages.pages.map(function(elem) {
return '<a href="' + getTopicUrl(pages, elem) + '" class="topic-link">'
+ '<div><h1>' + elem.title + '</h1>'
+ '<p>' + elem.description + '</p><div class="hv-anim"></div></div>'
+ '</a>'
}).join('\r\n');
<API key>.title = pages.title;
<API key>.gohome = false;
<API key>.name = pages.name;
<API key>.tagline = pages.description;
<API key>.body = body;
<API key>.twitterTitle = pages.title;
<API key>.<TwitterConsumerkey> = pages.description;
<API key>.twitterImage = pages.domain + pages.<TwitterConsumerkey>;
console.log('rendering root to', dst);
renderTemplate(
template,
<API key>,
dst
)
// wygenerowanie RSSa
createRss(pages)
}
// generowanie RSS
function createRss(pages) {
var html = '<ul>\r\n',
rss = RssPreamble;
for(var i = 0; i < pages.pages.length; i++) {
var p = pages.pages[i];
var tUrl = pages.domain + getTopicUrl(pages, p)
// HTML
html += '<li><a href="';
html += tUrl;
html += '">';
html += p.title;
html += '</a></li>\r\n';
// RSS
rss += '<item><title>';
rss += p.title;
rss += '</title><description>';
rss += p.description;
rss += '</description><link>';
rss += tUrl;
rss += '</link><guid>';
rss += tUrl;
rss += '</guid><pubDate>';
rss += (new Date(p.date)).toUTCString();
rss += '</pubDate></item>\r\n';
}
html += '</ul>';
rss += RssTail;
var dst = path.normalize(path.join(pages.output, 'feed.rss'));
console.log('rendering RSS to', dst);
writeContentTo(dst, rss);
}
// operacje plikowe
function writeContentTo(dst, content) {
if (!path.isAbsolute(dst)) {
dst = path.normalize(path.join(__dirname, dst));
}
fs.createWriteStream(dst, 'utf-8').end(content);
}
function readDirAll(dir, recurse, relDir) {
relDir = relDir || '';
if (!path.isAbsolute(dir)) {
dir = path.resolve(__dirname, dir);
}
var response = fs.readdirSync(dir)
.map(function (elem) {
var fullPath = path.resolve(dir, elem);
var stat = fs.statSync(fullPath);
return {
name: elem,
path: fullPath,
relPath: path.join(relDir, elem),
relDir: relDir,
isDir: stat.isDirectory()
};
});
if (recurse) {
response.filter(function(elem) { return elem.isDir; })
.forEach(function(elem) {
var subResponse = readDirAll(elem.path, true, elem.relPath);
response = response.concat(subResponse);
});
}
return response;
}
function mkDir(dir) {
var elements = path.normalize(dir).split(path.sep);
var prev = __dirname;
for (var i = 0; i < elements.length; i++) {
var elem = elements[i];
prev = path.normalize(path.join(prev, elem));
try {
fs.statSync(prev)
} catch (ex) {
console.log('mkdir', prev);
fs.mkdirSync(prev);
}
}
}
function copyFile(src, dst) {
if (!path.isAbsolute(src))
src = path.resolve(__dirname, src);
if (!path.isAbsolute(dst))
dst = path.resolve(__dirname, dst);
fs.createReadStream(src).pipe(fs.createWriteStream(dst));
}
function copyDir(src, dst) {
var allFiles = readDirAll(src, true)
.filter(function(elem) { return !elem.isDir; })
.forEach(function(elem) {
var from = elem.path;
var to = path.join(__dirname, dst, elem.relPath);
var toDir = path.normalize(path.join(dst, elem.relDir));
mkDir(toDir);
console.log('copy', from, to);
copyFile(from, to);
});
}
module.exports = {
getTemplate: getTemplate,
renderIndex: renderIndex,
renderTopics: renderTopics,
copyDir: copyDir,
copyFile: copyFile,
mkDir: mkDir,
readDirAll: readDirAll
};
})(fs, path, process, pg, hljs, tocer, searchGen); |
'use strict';
module.exports = {
__exprest: {
routes: [{
}]
}
}; |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>Ember CLI Spinjs</title>
<meta name="description" content="">
<meta name="viewport" content="width=device-width, initial-scale=1">
{{content-for "head"}}
<link integrity="" rel="stylesheet" href="{{rootURL}}assets/vendor.css">
<link integrity="" rel="stylesheet" href="{{rootURL}}assets/dummy.css">
{{content-for "head-footer"}}
</head>
<body>
{{content-for "body"}}
<script src="{{rootURL}}assets/vendor.js"></script>
<script src="{{rootURL}}assets/dummy.js"></script>
{{content-for "body-footer"}}
</body>
</html> |
using System;
namespace EzApp.Validation.Core.Rules
{
public interface <API key><TEntityDto, TField> : <API key><TEntityDto>
{
Func<TEntityDto, TField> Field { get; set; }
Action<TEntityDto, TField> ErrorSetter { get; set; }
}
} |
layout: post
authors: ["Greg Wilson"]
title: Pre-Assessment
date: 2012-11-13
time: "09:00:00"
tags: ["Assessment"]
<p>One of the recurring problems in our bootcamps is that at any point, about 1/4 of people are lost, and 1/4 are bored. The only fix we can think of is to let people self-assess before arrival to determine whether this is the right thing for them or not (and to let instructors know more about who they're going to be teaching). We've used variations on the questionnaire below a couple of times with useful results; we'd appreciate feedback on:</p>
<ul>
<li>what else we should ask (please give us the actual question, rather than simply, "something about such-and-such")</li>
<li>what we could take out</li>
<li>how intimidating you think this might be to people who aren't confident in their skills—we'd really like to <em>not</em> frighten away the people who need us most</li>
</ul>
<p>1. Career stage:</p>
<ul>
<li>Undergrad</li>
<li>Grad</li>
<li>Post-doc</li>
<li>Faculty</li>
<li>Industry</li>
<li>Support staff</li>
</ul>
<p>2. Disciplines:</p>
<ul>
<li>Space sciences</li>
<li>Physics</li>
<li>Chemistry</li>
<li>Earth sciences (geology, oceanography, meteorology)</li>
<li>Life science (ecology and organisms)</li>
<li>Life science (cells and genes)</li>
<li>Brain and neurosciences</li>
<li>Medicine</li>
<li>Engineering (civil, mechanical, chemical)</li>
<li>Computer science/electrical engineering</li>
<li>Economics</li>
<li>Humanities/social sciences</li>
<li>Tech support/lab tech/support programmer</li>
<li>Admin</li>
</ul>
<p>3. Platform:</p>
<ul>
<li>Linux</li>
<li>Mac OS X</li>
<li>Windows</li>
</ul>
<p>4. A tab-delimited file has two columns: the date, and the highest temperature on that day. Produce a graph showing the average highest temperature for each month.</p>
<ul>
<li>could do it easily</li>
<li>could struggle through</li>
<li>wouldn't know where to start</li>
<li>Language/tool I would use: ____________</li>
</ul>
<p>5. Write a short program to read a file containing columns of numbers separated by commas, average the non-negative values in the second and fifth columns, and print the results.</p>
<ul>
<li>could do it easily</li>
<li>could struggle through</li>
<li>wouldn't know where to start</li>
<li>Language/tool I would use: ____________</li>
</ul>
<p>6. Check out a working copy of a project from version control, add a file called paper.txt, and commit the change.</p>
<ul>
<li>could do it easily</li>
<li>could struggle through</li>
<li>wouldn't know where to start</li>
<li>Tool I would use: ____________</li>
</ul>
<p>7. In a directory with 1000 text files, create a list of all files that contain the word Drosophila, and redirect the output to a file called results.txt.</p>
<ul>
<li>could do it easily</li>
<li>could struggle through</li>
<li>wouldn't know where to start</li>
<li>Tool I would use: ____________</li>
</ul>
<p>8. A database has two tables Scientist and Lab. The Scientist table's columns are the scientist's student ID, name, and email address; the Lab table's columns are lab names, lab IDs, and scientist IDs. Write an SQL statement that outputs a count of the number of scientists in each lab.</p>
<ul>
<li>could do it easily</li>
<li>could struggle through</li>
<li>wouldn't know where to start</li>
<li>Tool I would use: ____________</li>
</ul> |
// Generated by the protocol buffer compiler. DO NOT EDIT!
// source: POGOProtos.Settings.Master.Pokemon.proto
#pragma warning disable 1591, 0612, 3021
#region Designer generated code
using pb = global::Google.Protobuf;
using pbc = global::Google.Protobuf.Collections;
using pbr = global::Google.Protobuf.Reflection;
using scg = global::System.Collections.Generic;
namespace POGOProtos.Settings.Master.Pokemon {
<summary>Holder for reflection information generated from POGOProtos.Settings.Master.Pokemon.proto</summary>
public static partial class <API key> {
#region Descriptor
<summary>File descriptor for POGOProtos.Settings.Master.Pokemon.proto</summary>
public static pbr::FileDescriptor Descriptor {
get { return descriptor; }
}
private static pbr::FileDescriptor descriptor;
static <API key>() {
byte[] descriptorData = global::System.Convert.FromBase64String(
string.Concat(
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>",
"<API key>"));
descriptor = pbr::FileDescriptor.FromGeneratedCode(descriptorData,
new pbr::FileDescriptor[] { global::POGOProtos.Enums.<API key>.Descriptor, },
new pbr::<API key>(null, new pbr::<API key>[] {
new pbr::<API key>(typeof(global::POGOProtos.Settings.Master.Pokemon.CameraAttributes), global::POGOProtos.Settings.Master.Pokemon.CameraAttributes.Parser, new[]{ "DiskRadiusM", "CylinderRadiusM", "CylinderHeightM", "CylinderGroundM", "ShoulderModeScale" }, null, null, null),
new pbr::<API key>(typeof(global::POGOProtos.Settings.Master.Pokemon.EncounterAttributes), global::POGOProtos.Settings.Master.Pokemon.EncounterAttributes.Parser, new[]{ "BaseCaptureRate", "BaseFleeRate", "CollisionRadiusM", "CollisionHeightM", "<API key>", "MovementType", "MovementTimerS", "JumpTimeS", "AttackTimerS" }, null, null, null),
new pbr::<API key>(typeof(global::POGOProtos.Settings.Master.Pokemon.StatsAttributes), global::POGOProtos.Settings.Master.Pokemon.StatsAttributes.Parser, new[]{ "BaseStamina", "BaseAttack", "BaseDefense", "DodgeEnergyDelta" }, null, null, null)
}));
}
#endregion
}
#region Messages
public sealed partial class CameraAttributes : pb::IMessage<CameraAttributes> {
private static readonly pb::MessageParser<CameraAttributes> _parser = new pb::MessageParser<CameraAttributes>(() => new CameraAttributes());
[global::System.Diagnostics.<API key>]
public static pb::MessageParser<CameraAttributes> Parser { get { return _parser; } }
[global::System.Diagnostics.<API key>]
public static pbr::MessageDescriptor Descriptor {
get { return global::POGOProtos.Settings.Master.Pokemon.<API key>.Descriptor.MessageTypes[0]; }
}
[global::System.Diagnostics.<API key>]
pbr::MessageDescriptor pb::IMessage.Descriptor {
get { return Descriptor; }
}
[global::System.Diagnostics.<API key>]
public CameraAttributes() {
OnConstruction();
}
partial void OnConstruction();
[global::System.Diagnostics.<API key>]
public CameraAttributes(CameraAttributes other) : this() {
diskRadiusM_ = other.diskRadiusM_;
cylinderRadiusM_ = other.cylinderRadiusM_;
cylinderHeightM_ = other.cylinderHeightM_;
cylinderGroundM_ = other.cylinderGroundM_;
shoulderModeScale_ = other.shoulderModeScale_;
}
[global::System.Diagnostics.<API key>]
public CameraAttributes Clone() {
return new CameraAttributes(this);
}
<summary>Field number for the "disk_radius_m" field.</summary>
public const int <API key> = 1;
private float diskRadiusM_;
[global::System.Diagnostics.<API key>]
public float DiskRadiusM {
get { return diskRadiusM_; }
set {
diskRadiusM_ = value;
}
}
<summary>Field number for the "cylinder_radius_m" field.</summary>
public const int <API key> = 2;
private float cylinderRadiusM_;
[global::System.Diagnostics.<API key>]
public float CylinderRadiusM {
get { return cylinderRadiusM_; }
set {
cylinderRadiusM_ = value;
}
}
<summary>Field number for the "cylinder_height_m" field.</summary>
public const int <API key> = 3;
private float cylinderHeightM_;
[global::System.Diagnostics.<API key>]
public float CylinderHeightM {
get { return cylinderHeightM_; }
set {
cylinderHeightM_ = value;
}
}
<summary>Field number for the "cylinder_ground_m" field.</summary>
public const int <API key> = 4;
private float cylinderGroundM_;
[global::System.Diagnostics.<API key>]
public float CylinderGroundM {
get { return cylinderGroundM_; }
set {
cylinderGroundM_ = value;
}
}
<summary>Field number for the "shoulder_mode_scale" field.</summary>
public const int <API key> = 5;
private float shoulderModeScale_;
[global::System.Diagnostics.<API key>]
public float ShoulderModeScale {
get { return shoulderModeScale_; }
set {
shoulderModeScale_ = value;
}
}
[global::System.Diagnostics.<API key>]
public override bool Equals(object other) {
return Equals(other as CameraAttributes);
}
[global::System.Diagnostics.<API key>]
public bool Equals(CameraAttributes other) {
if (ReferenceEquals(other, null)) {
return false;
}
if (ReferenceEquals(other, this)) {
return true;
}
if (DiskRadiusM != other.DiskRadiusM) return false;
if (CylinderRadiusM != other.CylinderRadiusM) return false;
if (CylinderHeightM != other.CylinderHeightM) return false;
if (CylinderGroundM != other.CylinderGroundM) return false;
if (ShoulderModeScale != other.ShoulderModeScale) return false;
return true;
}
[global::System.Diagnostics.<API key>]
public override int GetHashCode() {
int hash = 1;
if (DiskRadiusM != 0F) hash ^= DiskRadiusM.GetHashCode();
if (CylinderRadiusM != 0F) hash ^= CylinderRadiusM.GetHashCode();
if (CylinderHeightM != 0F) hash ^= CylinderHeightM.GetHashCode();
if (CylinderGroundM != 0F) hash ^= CylinderGroundM.GetHashCode();
if (ShoulderModeScale != 0F) hash ^= ShoulderModeScale.GetHashCode();
return hash;
}
[global::System.Diagnostics.<API key>]
public override string ToString() {
return pb::JsonFormatter.ToDiagnosticString(this);
}
[global::System.Diagnostics.<API key>]
public void WriteTo(pb::CodedOutputStream output) {
if (DiskRadiusM != 0F) {
output.WriteRawTag(13);
output.WriteFloat(DiskRadiusM);
}
if (CylinderRadiusM != 0F) {
output.WriteRawTag(21);
output.WriteFloat(CylinderRadiusM);
}
if (CylinderHeightM != 0F) {
output.WriteRawTag(29);
output.WriteFloat(CylinderHeightM);
}
if (CylinderGroundM != 0F) {
output.WriteRawTag(37);
output.WriteFloat(CylinderGroundM);
}
if (ShoulderModeScale != 0F) {
output.WriteRawTag(45);
output.WriteFloat(ShoulderModeScale);
}
}
[global::System.Diagnostics.<API key>]
public int CalculateSize() {
int size = 0;
if (DiskRadiusM != 0F) {
size += 1 + 4;
}
if (CylinderRadiusM != 0F) {
size += 1 + 4;
}
if (CylinderHeightM != 0F) {
size += 1 + 4;
}
if (CylinderGroundM != 0F) {
size += 1 + 4;
}
if (ShoulderModeScale != 0F) {
size += 1 + 4;
}
return size;
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(CameraAttributes other) {
if (other == null) {
return;
}
if (other.DiskRadiusM != 0F) {
DiskRadiusM = other.DiskRadiusM;
}
if (other.CylinderRadiusM != 0F) {
CylinderRadiusM = other.CylinderRadiusM;
}
if (other.CylinderHeightM != 0F) {
CylinderHeightM = other.CylinderHeightM;
}
if (other.CylinderGroundM != 0F) {
CylinderGroundM = other.CylinderGroundM;
}
if (other.ShoulderModeScale != 0F) {
ShoulderModeScale = other.ShoulderModeScale;
}
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(pb::CodedInputStream input) {
uint tag;
while ((tag = input.ReadTag()) != 0) {
switch(tag) {
default:
input.SkipLastField();
break;
case 13: {
DiskRadiusM = input.ReadFloat();
break;
}
case 21: {
CylinderRadiusM = input.ReadFloat();
break;
}
case 29: {
CylinderHeightM = input.ReadFloat();
break;
}
case 37: {
CylinderGroundM = input.ReadFloat();
break;
}
case 45: {
ShoulderModeScale = input.ReadFloat();
break;
}
}
}
}
}
public sealed partial class EncounterAttributes : pb::IMessage<EncounterAttributes> {
private static readonly pb::MessageParser<EncounterAttributes> _parser = new pb::MessageParser<EncounterAttributes>(() => new EncounterAttributes());
[global::System.Diagnostics.<API key>]
public static pb::MessageParser<EncounterAttributes> Parser { get { return _parser; } }
[global::System.Diagnostics.<API key>]
public static pbr::MessageDescriptor Descriptor {
get { return global::POGOProtos.Settings.Master.Pokemon.<API key>.Descriptor.MessageTypes[1]; }
}
[global::System.Diagnostics.<API key>]
pbr::MessageDescriptor pb::IMessage.Descriptor {
get { return Descriptor; }
}
[global::System.Diagnostics.<API key>]
public EncounterAttributes() {
OnConstruction();
}
partial void OnConstruction();
[global::System.Diagnostics.<API key>]
public EncounterAttributes(EncounterAttributes other) : this() {
baseCaptureRate_ = other.baseCaptureRate_;
baseFleeRate_ = other.baseFleeRate_;
collisionRadiusM_ = other.collisionRadiusM_;
collisionHeightM_ = other.collisionHeightM_;
<API key> = other.<API key>;
movementType_ = other.movementType_;
movementTimerS_ = other.movementTimerS_;
jumpTimeS_ = other.jumpTimeS_;
attackTimerS_ = other.attackTimerS_;
}
[global::System.Diagnostics.<API key>]
public EncounterAttributes Clone() {
return new EncounterAttributes(this);
}
<summary>Field number for the "base_capture_rate" field.</summary>
public const int <API key> = 1;
private float baseCaptureRate_;
[global::System.Diagnostics.<API key>]
public float BaseCaptureRate {
get { return baseCaptureRate_; }
set {
baseCaptureRate_ = value;
}
}
<summary>Field number for the "base_flee_rate" field.</summary>
public const int <API key> = 2;
private float baseFleeRate_;
[global::System.Diagnostics.<API key>]
public float BaseFleeRate {
get { return baseFleeRate_; }
set {
baseFleeRate_ = value;
}
}
<summary>Field number for the "collision_radius_m" field.</summary>
public const int <API key> = 3;
private float collisionRadiusM_;
[global::System.Diagnostics.<API key>]
public float CollisionRadiusM {
get { return collisionRadiusM_; }
set {
collisionRadiusM_ = value;
}
}
<summary>Field number for the "collision_height_m" field.</summary>
public const int <API key> = 4;
private float collisionHeightM_;
[global::System.Diagnostics.<API key>]
public float CollisionHeightM {
get { return collisionHeightM_; }
set {
collisionHeightM_ = value;
}
}
<summary>Field number for the "<API key>" field.</summary>
public const int <API key> = 5;
private float <API key>;
[global::System.Diagnostics.<API key>]
public float <API key> {
get { return <API key>; }
set {
<API key> = value;
}
}
<summary>Field number for the "movement_type" field.</summary>
public const int <API key> = 6;
private global::POGOProtos.Enums.PokemonMovementType movementType_ = 0;
[global::System.Diagnostics.<API key>]
public global::POGOProtos.Enums.PokemonMovementType MovementType {
get { return movementType_; }
set {
movementType_ = value;
}
}
<summary>Field number for the "movement_timer_s" field.</summary>
public const int <API key> = 7;
private float movementTimerS_;
[global::System.Diagnostics.<API key>]
public float MovementTimerS {
get { return movementTimerS_; }
set {
movementTimerS_ = value;
}
}
<summary>Field number for the "jump_time_s" field.</summary>
public const int <API key> = 8;
private float jumpTimeS_;
[global::System.Diagnostics.<API key>]
public float JumpTimeS {
get { return jumpTimeS_; }
set {
jumpTimeS_ = value;
}
}
<summary>Field number for the "attack_timer_s" field.</summary>
public const int <API key> = 9;
private float attackTimerS_;
[global::System.Diagnostics.<API key>]
public float AttackTimerS {
get { return attackTimerS_; }
set {
attackTimerS_ = value;
}
}
[global::System.Diagnostics.<API key>]
public override bool Equals(object other) {
return Equals(other as EncounterAttributes);
}
[global::System.Diagnostics.<API key>]
public bool Equals(EncounterAttributes other) {
if (ReferenceEquals(other, null)) {
return false;
}
if (ReferenceEquals(other, this)) {
return true;
}
if (BaseCaptureRate != other.BaseCaptureRate) return false;
if (BaseFleeRate != other.BaseFleeRate) return false;
if (CollisionRadiusM != other.CollisionRadiusM) return false;
if (CollisionHeightM != other.CollisionHeightM) return false;
if (<API key> != other.<API key>) return false;
if (MovementType != other.MovementType) return false;
if (MovementTimerS != other.MovementTimerS) return false;
if (JumpTimeS != other.JumpTimeS) return false;
if (AttackTimerS != other.AttackTimerS) return false;
return true;
}
[global::System.Diagnostics.<API key>]
public override int GetHashCode() {
int hash = 1;
if (BaseCaptureRate != 0F) hash ^= BaseCaptureRate.GetHashCode();
if (BaseFleeRate != 0F) hash ^= BaseFleeRate.GetHashCode();
if (CollisionRadiusM != 0F) hash ^= CollisionRadiusM.GetHashCode();
if (CollisionHeightM != 0F) hash ^= CollisionHeightM.GetHashCode();
if (<API key> != 0F) hash ^= <API key>.GetHashCode();
if (MovementType != 0) hash ^= MovementType.GetHashCode();
if (MovementTimerS != 0F) hash ^= MovementTimerS.GetHashCode();
if (JumpTimeS != 0F) hash ^= JumpTimeS.GetHashCode();
if (AttackTimerS != 0F) hash ^= AttackTimerS.GetHashCode();
return hash;
}
[global::System.Diagnostics.<API key>]
public override string ToString() {
return pb::JsonFormatter.ToDiagnosticString(this);
}
[global::System.Diagnostics.<API key>]
public void WriteTo(pb::CodedOutputStream output) {
if (BaseCaptureRate != 0F) {
output.WriteRawTag(13);
output.WriteFloat(BaseCaptureRate);
}
if (BaseFleeRate != 0F) {
output.WriteRawTag(21);
output.WriteFloat(BaseFleeRate);
}
if (CollisionRadiusM != 0F) {
output.WriteRawTag(29);
output.WriteFloat(CollisionRadiusM);
}
if (CollisionHeightM != 0F) {
output.WriteRawTag(37);
output.WriteFloat(CollisionHeightM);
}
if (<API key> != 0F) {
output.WriteRawTag(45);
output.WriteFloat(<API key>);
}
if (MovementType != 0) {
output.WriteRawTag(48);
output.WriteEnum((int) MovementType);
}
if (MovementTimerS != 0F) {
output.WriteRawTag(61);
output.WriteFloat(MovementTimerS);
}
if (JumpTimeS != 0F) {
output.WriteRawTag(69);
output.WriteFloat(JumpTimeS);
}
if (AttackTimerS != 0F) {
output.WriteRawTag(77);
output.WriteFloat(AttackTimerS);
}
}
[global::System.Diagnostics.<API key>]
public int CalculateSize() {
int size = 0;
if (BaseCaptureRate != 0F) {
size += 1 + 4;
}
if (BaseFleeRate != 0F) {
size += 1 + 4;
}
if (CollisionRadiusM != 0F) {
size += 1 + 4;
}
if (CollisionHeightM != 0F) {
size += 1 + 4;
}
if (<API key> != 0F) {
size += 1 + 4;
}
if (MovementType != 0) {
size += 1 + pb::CodedOutputStream.ComputeEnumSize((int) MovementType);
}
if (MovementTimerS != 0F) {
size += 1 + 4;
}
if (JumpTimeS != 0F) {
size += 1 + 4;
}
if (AttackTimerS != 0F) {
size += 1 + 4;
}
return size;
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(EncounterAttributes other) {
if (other == null) {
return;
}
if (other.BaseCaptureRate != 0F) {
BaseCaptureRate = other.BaseCaptureRate;
}
if (other.BaseFleeRate != 0F) {
BaseFleeRate = other.BaseFleeRate;
}
if (other.CollisionRadiusM != 0F) {
CollisionRadiusM = other.CollisionRadiusM;
}
if (other.CollisionHeightM != 0F) {
CollisionHeightM = other.CollisionHeightM;
}
if (other.<API key> != 0F) {
<API key> = other.<API key>;
}
if (other.MovementType != 0) {
MovementType = other.MovementType;
}
if (other.MovementTimerS != 0F) {
MovementTimerS = other.MovementTimerS;
}
if (other.JumpTimeS != 0F) {
JumpTimeS = other.JumpTimeS;
}
if (other.AttackTimerS != 0F) {
AttackTimerS = other.AttackTimerS;
}
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(pb::CodedInputStream input) {
uint tag;
while ((tag = input.ReadTag()) != 0) {
switch(tag) {
default:
input.SkipLastField();
break;
case 13: {
BaseCaptureRate = input.ReadFloat();
break;
}
case 21: {
BaseFleeRate = input.ReadFloat();
break;
}
case 29: {
CollisionRadiusM = input.ReadFloat();
break;
}
case 37: {
CollisionHeightM = input.ReadFloat();
break;
}
case 45: {
<API key> = input.ReadFloat();
break;
}
case 48: {
movementType_ = (global::POGOProtos.Enums.PokemonMovementType) input.ReadEnum();
break;
}
case 61: {
MovementTimerS = input.ReadFloat();
break;
}
case 69: {
JumpTimeS = input.ReadFloat();
break;
}
case 77: {
AttackTimerS = input.ReadFloat();
break;
}
}
}
}
}
public sealed partial class StatsAttributes : pb::IMessage<StatsAttributes> {
private static readonly pb::MessageParser<StatsAttributes> _parser = new pb::MessageParser<StatsAttributes>(() => new StatsAttributes());
[global::System.Diagnostics.<API key>]
public static pb::MessageParser<StatsAttributes> Parser { get { return _parser; } }
[global::System.Diagnostics.<API key>]
public static pbr::MessageDescriptor Descriptor {
get { return global::POGOProtos.Settings.Master.Pokemon.<API key>.Descriptor.MessageTypes[2]; }
}
[global::System.Diagnostics.<API key>]
pbr::MessageDescriptor pb::IMessage.Descriptor {
get { return Descriptor; }
}
[global::System.Diagnostics.<API key>]
public StatsAttributes() {
OnConstruction();
}
partial void OnConstruction();
[global::System.Diagnostics.<API key>]
public StatsAttributes(StatsAttributes other) : this() {
baseStamina_ = other.baseStamina_;
baseAttack_ = other.baseAttack_;
baseDefense_ = other.baseDefense_;
dodgeEnergyDelta_ = other.dodgeEnergyDelta_;
}
[global::System.Diagnostics.<API key>]
public StatsAttributes Clone() {
return new StatsAttributes(this);
}
<summary>Field number for the "base_stamina" field.</summary>
public const int <API key> = 1;
private int baseStamina_;
[global::System.Diagnostics.<API key>]
public int BaseStamina {
get { return baseStamina_; }
set {
baseStamina_ = value;
}
}
<summary>Field number for the "base_attack" field.</summary>
public const int <API key> = 2;
private int baseAttack_;
[global::System.Diagnostics.<API key>]
public int BaseAttack {
get { return baseAttack_; }
set {
baseAttack_ = value;
}
}
<summary>Field number for the "base_defense" field.</summary>
public const int <API key> = 3;
private int baseDefense_;
[global::System.Diagnostics.<API key>]
public int BaseDefense {
get { return baseDefense_; }
set {
baseDefense_ = value;
}
}
<summary>Field number for the "dodge_energy_delta" field.</summary>
public const int <API key> = 8;
private int dodgeEnergyDelta_;
[global::System.Diagnostics.<API key>]
public int DodgeEnergyDelta {
get { return dodgeEnergyDelta_; }
set {
dodgeEnergyDelta_ = value;
}
}
[global::System.Diagnostics.<API key>]
public override bool Equals(object other) {
return Equals(other as StatsAttributes);
}
[global::System.Diagnostics.<API key>]
public bool Equals(StatsAttributes other) {
if (ReferenceEquals(other, null)) {
return false;
}
if (ReferenceEquals(other, this)) {
return true;
}
if (BaseStamina != other.BaseStamina) return false;
if (BaseAttack != other.BaseAttack) return false;
if (BaseDefense != other.BaseDefense) return false;
if (DodgeEnergyDelta != other.DodgeEnergyDelta) return false;
return true;
}
[global::System.Diagnostics.<API key>]
public override int GetHashCode() {
int hash = 1;
if (BaseStamina != 0) hash ^= BaseStamina.GetHashCode();
if (BaseAttack != 0) hash ^= BaseAttack.GetHashCode();
if (BaseDefense != 0) hash ^= BaseDefense.GetHashCode();
if (DodgeEnergyDelta != 0) hash ^= DodgeEnergyDelta.GetHashCode();
return hash;
}
[global::System.Diagnostics.<API key>]
public override string ToString() {
return pb::JsonFormatter.ToDiagnosticString(this);
}
[global::System.Diagnostics.<API key>]
public void WriteTo(pb::CodedOutputStream output) {
if (BaseStamina != 0) {
output.WriteRawTag(8);
output.WriteInt32(BaseStamina);
}
if (BaseAttack != 0) {
output.WriteRawTag(16);
output.WriteInt32(BaseAttack);
}
if (BaseDefense != 0) {
output.WriteRawTag(24);
output.WriteInt32(BaseDefense);
}
if (DodgeEnergyDelta != 0) {
output.WriteRawTag(64);
output.WriteInt32(DodgeEnergyDelta);
}
}
[global::System.Diagnostics.<API key>]
public int CalculateSize() {
int size = 0;
if (BaseStamina != 0) {
size += 1 + pb::CodedOutputStream.ComputeInt32Size(BaseStamina);
}
if (BaseAttack != 0) {
size += 1 + pb::CodedOutputStream.ComputeInt32Size(BaseAttack);
}
if (BaseDefense != 0) {
size += 1 + pb::CodedOutputStream.ComputeInt32Size(BaseDefense);
}
if (DodgeEnergyDelta != 0) {
size += 1 + pb::CodedOutputStream.ComputeInt32Size(DodgeEnergyDelta);
}
return size;
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(StatsAttributes other) {
if (other == null) {
return;
}
if (other.BaseStamina != 0) {
BaseStamina = other.BaseStamina;
}
if (other.BaseAttack != 0) {
BaseAttack = other.BaseAttack;
}
if (other.BaseDefense != 0) {
BaseDefense = other.BaseDefense;
}
if (other.DodgeEnergyDelta != 0) {
DodgeEnergyDelta = other.DodgeEnergyDelta;
}
}
[global::System.Diagnostics.<API key>]
public void MergeFrom(pb::CodedInputStream input) {
uint tag;
while ((tag = input.ReadTag()) != 0) {
switch(tag) {
default:
input.SkipLastField();
break;
case 8: {
BaseStamina = input.ReadInt32();
break;
}
case 16: {
BaseAttack = input.ReadInt32();
break;
}
case 24: {
BaseDefense = input.ReadInt32();
break;
}
case 64: {
DodgeEnergyDelta = input.ReadInt32();
break;
}
}
}
}
}
#endregion
}
#endregion Designer generated code |
namespace Facility.Definition;
<summary>
A service element with a summary.
</summary>
public interface IServiceHasSummary
{
<summary>
The summary.
</summary>
string Summary { get; }
} |
<?php
return [
'Email' => 'Email',
'Login' => 'Login',
'Password' => 'Password',
'Choose' => 'Choose',
'Time zone' => 'Time zone',
'Language' => 'Language',
'Db type' => 'Database type',
'Db name' => 'Database name',
'Db username' => 'Username',
'Db password' => 'Password',
'Db host' => 'Host',
'Table prefix' => 'Table prefix',
'dbHost hint description' => 'Exemple : localhost or localhost:3307 if port needs to be specified.',
'dbTablePrefix hint description' => 'Choose a table prefix, ideally, three or four alphanumeric characters long and ending in an underscore.',
'Install {appname}' => 'Install {appname}',
'Database configuration' => 'Database configuration',
'Database configuration' => 'Administrator account',
'Process install' => 'Process install',
]; |
var css_img_2_data_uri = require('../lib/css_img_2_data_uri');
var assert = require('assert');
var fs = require('fs');
var util = require('util');
var test = (function () {
var tests = [];
function register(name, item) {
tests.push({
name: name,
test: item
});
}
function run() {
var item = tests.shift();
process.stdout.write(item.name);
item.test(function () {
process.stdout.write(' ..done\n');
if (tests.length) {
run();
}
});
}
return {
register: register,
run: run
};
}());
test.register('test multiline css processing', function (done) {
css_img_2_data_uri(__dirname + '/css/a.css', function (txt, duplicates) {
fs.readFile(__dirname + '/expect/a.css', function (err, data) {
if (err) {
throw err;
};
assert.deepEqual(data.toString('utf8'), txt);
done();
});
});
});
test.register('test oneliner css processing', function (done) {
css_img_2_data_uri(__dirname + '/css/b.css', function (txt, duplicates) {
fs.readFile(__dirname + '/expect/b.css', function (err, data) {
if (err) {
throw err;
};
assert.deepEqual(data.toString('utf8'), txt);
done();
});
});
});
test.register('test finding duplicates', function (done) {
css_img_2_data_uri(__dirname + '/css/c.css', function (txt, duplicates) {
assert.deepEqual(typeof duplicates, 'object');
assert.deepEqual(duplicates.length, 1);
assert.deepEqual(duplicates[0], 7);
done();
});
});
test.run(); |
Package.describe({
summary: 'Tutorial content, included in meteor.com via package',
version: '0.0.1',
name: 'tutorials'
});
Package.registerBuildPlugin({
name: 'build-plugin',
sources: ['build-plugin/patch-plugin.jsx'],
use: [
'jsx@0.1.1',
'underscore@1.0.3'
]
})
Package.onUse(function (api) {
api.versionsFrom('1.1.0.2');
api.use([
'simple:markdown-templating@1.2.7',
'templating',
'underscore',
'jsx@0.1.1',
'simple:highlight.js@1.0.9',
'reactive-var',
'less'
]);
api.addFiles([
'generated/blaze-commits.js',
'generated/angular-commits.js',
'generated/react-commits.js',
'routes/angularTut.js',
'routes/blazeTut.js',
'routes/reactTut.js',
'routes/tutorial-pages.js'
]);
api.addFiles([
'content/angular/step01.md',
'content/angular/step02.md',
'content/angular/step03.md',
'content/angular/step04.md',
'content/angular/step05.md',
'content/angular/step07.md',
'content/angular/step08.md',
'content/angular/step09.md',
'content/angular/step10.md',
'content/angular/step11.md',
'content/angular/step12.md',
'content/blaze/step01.md',
'content/blaze/step02.md',
'content/blaze/step03.md',
'content/blaze/step04.md',
'content/blaze/step05.md',
'content/blaze/step08.md',
'content/blaze/step09.md',
'content/blaze/step10.md',
'content/blaze/step11.md',
'content/blaze/step12.md',
'content/react/step01.md',
'content/react/step02.md',
'content/react/step03.md',
'content/react/step04.md',
'content/react/step05.md',
'content/react/step08.md',
'content/react/step09.md',
'content/react/step10.md',
'content/react/step11.md',
'content/react/step12.md',
'content/step00.html',
'content/shared/explanations.md',
'content/shared/adding-css.md',
'content/shared/step06.md',
'content/shared/step07.md',
'components/code-box.html',
'components/code-box.js',
'components/git-patch-viewer/patch-viewer.html',
'components/git-patch-viewer/patch-viewer.jsx',
'components/git-patch-viewer/patch-viewer.less',
'generated/react.multi.patch',
'generated/blaze.multi.patch',
'generated/angular.multi.patch'
], 'client');
// Also, exports all of the templates from the content/ directory
api.export('TUTORIAL_PAGES');
api.export('REACT_TUT');
api.export('ANGULAR_TUT');
api.export('BLAZE_TUT');
// For easier debugging
api.export('GitPatches');
}); |
from anthill.common.options import options
from . import handler as h
from . import options as _opts
from anthill.common import server, database, access, keyvalue
from anthill.common.social.steam import SteamAPI
from anthill.common.social.xsolla import XsollaAPI
from anthill.common.social.mailru import MailRuAPI
from . import admin
from . model.store import StoreModel
from . model.item import ItemModel
from . model.category import CategoryModel
from . model.tier import TierModel, CurrencyModel
from . model.order import OrdersModel
from . model.campaign import CampaignsModel
class StoreServer(server.Server):
# noinspection PyShadowingNames
def __init__(self):
super(StoreServer, self).__init__()
self.db = database.Database(
host=options.db_host,
database=options.db_name,
user=options.db_username,
password=options.db_password)
self.cache = keyvalue.KeyValueStorage(
host=options.cache_host,
port=options.cache_port,
db=options.cache_db,
max_connections=options.<API key>)
self.steam_api = SteamAPI(self.cache)
self.xsolla_api = XsollaAPI(self.cache)
self.mailru_api = MailRuAPI(self.cache)
self.items = ItemModel(self.db)
self.categories = CategoryModel(self.db)
self.tiers = TierModel(self.db)
self.currencies = CurrencyModel(self.db)
self.campaigns = CampaignsModel(self.db)
self.stores = StoreModel(self.db, self.items, self.tiers, self.currencies, self.campaigns)
self.orders = OrdersModel(self, self.db, self.tiers, self.campaigns)
admin.init()
def get_models(self):
return [self.currencies, self.categories, self.stores,
self.items, self.tiers, self.orders, self.campaigns]
def get_admin(self):
return {
"index": admin.RootAdminController,
"stores": admin.StoresController,
"store": admin.StoreController,
"store_settings": admin.<API key>,
"new_store_component": admin.<API key>,
"new_store": admin.NewStoreController,
"categories": admin.<API key>,
"category": admin.CategoryController,
"new_category": admin.<API key>,
"category_common": admin.<API key>,
"choose_category": admin.<API key>,
"new_item": admin.<API key>,
"item": admin.StoreItemController,
"tiers": admin.<API key>,
"new_tier_component": admin.<API key>,
"tier": admin.StoreTierController,
"new_tier": admin.<API key>,
"currencies": admin.<API key>,
"currency": admin.CurrencyController,
"new_currency": admin.<API key>,
"orders": admin.OrdersController,
"campaigns": admin.<API key>,
"new_campaign": admin.<API key>,
"campaign": admin.<API key>,
"<API key>": admin.<API key>,
"new_campaign_item": admin.<API key>,
"campaign_item": admin.<API key>
}
def <API key>(self):
return h.InternalHandler(self)
def get_metadata(self):
return {
"title": "Store",
"description": "In-App Purchasing, with server validation",
"icon": "shopping-cart"
}
def get_handlers(self):
return [
(r"/store/(.*)", h.StoreHandler),
(r"/order/new", h.NewOrderHandler),
(r"/orders", h.OrdersHandler),
(r"/order/(.*)", h.OrderHandler),
(r"/hook/([0-9]+)/(.*)/(.*)", h.WebHookHandler),
(r"/front/xsolla", h.XsollaFrontHandler),
]
if __name__ == "__main__":
stt = server.init()
access.AccessToken.init([access.public()])
server.start(StoreServer) |
<?php
namespace AppBundle\Entity;
use Doctrine\ORM\Mapping as ORM;
/**
* @ORM\Entity(repositoryClass="AppBundle\Repository\<API key>")
* @ORM\Table(name="email_templates",
* indexes={
* @ORM\Index(name="createdAt", columns={"created_at"})
* }
* )
* Class EmailTemplate
* @package AppBundle\Entity
*/
class EmailTemplate
{
/**
* @ORM\Id
* @ORM\GeneratedValue
* @ORM\Column(type="integer")
* @var
*/
private $id;
/**
* @ORM\Column(type="string")
* @var
*/
private $name;
/**
* @ORM\Column(type="string", unique=true)
* @var
*/
private $slug;
/**
* @ORM\Column(type="string")
* @var
*/
private $subject;
/**
* @ORM\Column(type="text")
* @var
*/
private $content;
/**
* @ORM\Column(type="datetime")
* @var
*/
private $createdAt;
public function __construct()
{
$this->createdAt = new \DateTime();
}
/**
* @return mixed
*/
public function getId()
{
return $this->id;
}
/**
* @param mixed $id
*/
public function setId($id)
{
$this->id = $id;
}
/**
* @return mixed
*/
public function getName()
{
return $this->name;
}
/**
* @param mixed $name
*/
public function setName($name)
{
$this->name = $name;
}
/**
* @return mixed
*/
public function getSlug()
{
return $this->slug;
}
/**
* @param mixed $slug
*/
public function setSlug($slug)
{
$this->slug = $slug;
}
/**
* @return mixed
*/
public function getSubject()
{
return $this->subject;
}
/**
* @param mixed $subject
*/
public function setSubject($subject)
{
$this->subject = $subject;
}
/**
* @return mixed
*/
public function getContent()
{
return $this->content;
}
/**
* @param mixed $content
*/
public function setContent($content)
{
$this->content = $content;
}
/**
* @return mixed
*/
public function getCreatedAt()
{
return $this->createdAt;
}
/**
* @param mixed $createdAt
*/
public function setCreatedAt($createdAt)
{
$this->createdAt = $createdAt;
}
} |
using Jsonize.Abstractions.Interfaces;
using Jsonize.Serializer;
namespace Jsonize.Test.Fixtures
{
public class <API key>
{
public readonly IJsonizeSerializer JsonizeSerializer;
public <API key>()
{
JsonizeSerializer = new JsonizeSerializer();
}
}
} |
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Sanatana.Notifications.DAL.Entities
{
public class StoredNotification<TKey>
where TKey : struct
{
public TKey <API key> { get; set; }
public TKey SubscriberId { get; set; }
public int? CategoryId { get; set; }
public string TopicId { get; set; }
public DateTime CreateDateUtc { get; set; }
public string MessageSubject { get; set; }
public string MessageBody { get; set; }
}
} |
package com.simple.simplespec.specs
import org.junit.Test
import com.simple.simplespec.{Matchables, Matchers, Mocks}
trait MockableThing {
def aString: String
def number(i: Int): Int
def poop(input: String)
}
class MockSpec extends Matchables with Matchers with Mocks {
@Test
def <API key>() {
val thing = mock[MockableThing]
thing.aString.returns("yay")
thing.aString.must(be("yay"))
}
@Test
def <API key>() {
val thing = mock[MockableThing]
thing.number(any[Int]).answersWith { i =>
i.getArguments.apply(0).asInstanceOf[Int] % 2
}
thing.number(1).must(be(1))
thing.number(2).must(be(0))
thing.number(3).must(be(1))
thing.number(4).must(be(0))
thing.number(5).must(be(1))
thing.number(6).must(be(0))
}
@Test
def <API key>() {
val thing = mock[MockableThing]
thing.aString
verify.one(thing).aString
}
@Test
def <API key>() {
val thing = mock[MockableThing]
thing.number(1)
thing.number(2)
thing.number(3)
verify.inOrder(thing) { o =>
o.one(thing).number(1)
o.one(thing).number(2)
o.one(thing).number(3)
}
}
@Test
def <API key>() {
val thing = mock[MockableThing]
val input = "what the hey"
thing.poop("yes sir")
thing.poop(input)
verify.one(thing).poop(startsWith("yes"))
verify.one(thing).poop(endsWith("hey"))
verify.one(thing).poop(equalTo("yes sir"))
verify.one(thing).poop(same(input))
evaluating {
verify.exactly(12)(thing).poop("never happened")
}.must(throwAn[AssertionError])
verify.exactly(2)(thing).poop(isNotNull[String])
evaluating {
verify.one(thing).poop(isNull[String])
}.must(throwAn[AssertionError])
}
@Test
def <API key>() {
val thing = mock[MockableThing]
thing.poop("boom").throws(new RuntimeException("boom"))
evaluating {
thing.poop("boom")
}.must(throwAn[RuntimeException]("boom"))
}
@Test
def <API key>() {
val thing = mock[MockableThing]
val s = captor[String]
thing.poop("one")
thing.poop("two")
verify.exactly(2)(thing).poop(s.capture())
s.value.must(be(Some("two")))
s.allValues.must(be(Seq("one", "two")))
}
} |
import java.awt.event.ItemEvent;
import java.awt.event.ItemListener;
import javax.swing.AbstractAction;
import javax.swing.Action;
import javax.swing.Icon;
/**
* Adds support for item events like Toggle buttons and Checkbox menu items.
* The developer should subclass this abstract class and define the
* <code>actionPerformed</code> and <code>itemStateChanged</code> methods.
*
* @version 1.2 10/10/01
* @author Mark Davidson
*/
public abstract class AbstractItemAction extends AbstractAction
implements ItemListener {
protected boolean selected = false;
public AbstractItemAction(String name) {
super(name);
}
/**
* Returns true if the action is selcted.
*/
public boolean isSelected() {
return selected;
}
/**
* Changes the state of the action
* @param newValue true to set the selection state of the action.
*/
public synchronized void setSelected(boolean newValue) {
boolean oldValue = this.selected;
if (oldValue != newValue) {
this.selected = newValue;
firePropertyChange("selected", new Boolean(oldValue),
new Boolean(newValue));
}
}
} |
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;
using Fusion.Build;
using System.IO;
using System.Runtime.InteropServices;
namespace Fusion.Editor {
public partial class EditorForm : Form {
public readonly string EditorName;
public readonly Type BaseType;
public readonly string FileExt;
<summary>
Ctor
</summary>
<param name="name"></param>
<param name="fileExt"></param>
<param name="types"></param>
public EditorForm ( string name, string fileExt, Type baseType )
{
EditorName = name;
FileExt = fileExt;
BaseType = baseType;
InitializeComponent();
this.Text = EditorName;
RefreshTree();
}
<summary>
</summary>
void RefreshTree ()
{
var baseDir = Builder.Options.FullInputDirectory;
var files = Directory.GetFiles( baseDir, FileExt, SearchOption.AllDirectories ).ToArray();
foreach ( var file in files ) {
Log.Message(".. {0}", file);
}
var items = files.Select( f => new EditorItem( f, baseDir, BaseType ) ).ToArray();
AddBranch( "Content", new[]{'\\','/'}, items, true );
}
<summary>
</summary>
<param name="name"></param>
<param name="obj"></param>
public void AddNode ( string name, object obj )
{
TreeNode node = null;
if (mainTreeView.Nodes.ContainsKey( name )) {
node = mainTreeView.Nodes[ name ];
} else {
mainTreeView.Nodes.Add( name, name );
node = mainTreeView.Nodes[ name ];
}
node.Tag = obj;
}
public class PathComparer : IComparer<string> {
[DllImport("shlwapi.dll", CharSet=CharSet.Unicode, ExactSpelling=true)]
static extern int StrCmpLogicalW(String x, String y);
public int Compare(string x, string y) {
var pathX = x.Split( new[]{'/', '\\'}, StringSplitOptions.RemoveEmptyEntries );
var pathY = y.Split( new[]{'/', '\\'}, StringSplitOptions.RemoveEmptyEntries );
var min = Math.Min( pathX.Length, pathY.Length );
for ( int i = 0; i<min; i++ ) {
if ( i == min-1 ) {
var lenD = pathY.Length - pathX.Length;
var extD = StrCmpLogicalW( Path.GetExtension(pathX[i]), Path.GetExtension(pathY[i]) );
if (lenD!=0) {
return lenD;
} else if (extD!=0) {
return extD;
} else {
return StrCmpLogicalW( pathX[i], pathY[i] );
}
}
int cmp = StrCmpLogicalW( pathX[i], pathY[i] );
if (cmp!=0) {
return cmp;
}
}
return 0;
}
}
<summary>
</summary>
<typeparam name="T"></typeparam>
<param name="rootName"></param>
<param name="list"></param>
public void AddBranch ( string rootName, char[] separator, IEnumerable<EditorItem> itemList, bool expand )
{
TreeNode rootNode = null;
if (mainTreeView.Nodes.ContainsKey(rootName)) {
rootNode = mainTreeView.Nodes[rootName];
} else {
mainTreeView.Nodes.Add(rootName,rootName);
rootNode = mainTreeView.Nodes[rootName];
}
// Sort file names :
var itemList2 = itemList.OrderBy( item => item.KeyPath, new PathComparer() ).ToList();
// Add all :
foreach ( var item in itemList2 ) {
var path = item.KeyPath;
var tokens = item.KeyPath.Split( separator, StringSplitOptions.RemoveEmptyEntries );
var node = rootNode;
if (expand) {
node.ExpandAll();
}
foreach ( var tok in tokens ) {
if (node.Nodes.ContainsKey(tok)) {
node = node.Nodes[tok];
} else {
node.Nodes.Add( tok, Path.<API key>(tok) );
node = node.Nodes[tok];
}
//node.ForeColor = System.Drawing.Color.Black;
}
node.Tag = item;
}
}
private void <API key> ( object sender, <API key> e )
{
var item = e.Node.Tag as EditorItem;
if (item == null) {
mainPropertyGrid.SelectedObject = null;
} else {
mainPropertyGrid.SelectedObject = item.Object;
}
}
}
} |
package servidor;
import java.io.IOException;
import java.net.ServerSocket;
import java.net.Socket;
public class Servidor {
private static final int PORT = 2036;
static private ServerSocket socketServidor;
public static void main(String[] args) {
try {
socketServidor = new ServerSocket(PORT);
}
catch (IOException io) {
System.err.println("Error al iniciar servidor en puerto " + PORT);
}
while (true) {
try {
Socket socketServicio = socketServidor.accept();
Hebra h = new Hebra(socketServicio);
h.start();
} catch (IOException io) {
System.err.println("Error al iniciar conexión con cliente");
}
}
}
} |
import React, { Component } from 'react';
import PropTypes from 'prop-types';
import { Form, Button } from 'antd';
import { DemonButton } from 'react-form-mobx';
const { Item } = Form;
export default class Submit extends Component {
static propTypes = {
wrapperStyle: PropTypes.object,
};
render() {
const { wrapperStyle, ...props } = this.props;
return (
<DemonButton forwardedProps={props} type="submit">
{(forwardedProps) => (
<Item style={wrapperStyle}>
<Button {...forwardedProps} />
</Item>
)}
</DemonButton>
);
}
} |
module <API key>
include("general/general.jl")
include("nfxp/nfxp.jl")
end # module |
Pattern: Malformed `v-cloak` directive
Issue: -
## Description
This rule reports `v-cloak` directives in the following cases:
- The directive has that argument. E.g. `<div v-cloak:aaa></div>`
- The directive has that modifier. E.g. `<div v-cloak.bbb></div>`
- The directive has that attribute value. E.g. `<div v-cloak="ccc"></div>`
<eslint-code-block :rules="{'vue/valid-v-cloak': ['error']}">
vue
<template>
<!-- GOOD -->
<div v-cloak/>
<!-- BAD -->
<div v-cloak:aaa/>
<div v-cloak.bbb/>
<div v-cloak="ccc"/>
</template>
</eslint-code-block>
## Further Reading
* [eslint-plugin-vue - valid-v-cloak](https://eslint.vuejs.org/rules/valid-v-cloak.html) |
#ifndef PLAYER_H
#define PLAYER_H
#include "animatedsprite.h"
#include "globals.h"
class Graphics;
class Player : public AnimatedSprite {
public:
Player();
Player(Graphics &graphics, float x, float y);
void draw(Graphics &graphics);
void update(float elapsedTime);
/*
*Moves player left by - dx
* */
void moveLeft();
/*
*Moves player right by dx.
* */
void moveRight();
/*
*Stops moving the player and plays "idle" animation
* */
void stopMoving();
virtual void animationDone(std::string currentAnimation);
virtual void setupAnimations();
private:
float _dx, _dy;
Direction _facing;
};
#endif |
<?php namespace Krucas\Notification;
use Illuminate\Contracts\Support\Renderable;
use Illuminate\Support\Collection as BaseCollection;
class Collection extends BaseCollection implements Renderable
{
/**
* Queued messages.
*
* @var \SplPriorityQueue
*/
protected $queue;
/**
* Create new collection of messages.
*
* @param array $items
*/
public function __construct($items = [])
{
$this->queue = new \SplPriorityQueue();
$items = is_array($items) ? $items : $this->getArrayableItems($items);
foreach ($items as $item) {
$this->add($item);
}
}
/**
* Add message to collection.
*
* @param Message $item
* @return \Krucas\Notification\Collection
*/
public function add($item)
{
if (is_array($item)) {
$position = $item['position'];
} else {
$position = $item->getPosition();
}
$this->queue->insert($item, is_null($position) ? null : -$position);
$this->copyQueue(clone $this->queue);
return $this;
}
/**
* Copy queue items.
*
* @param \SplPriorityQueue $queue
* @return void
*/
protected function copyQueue(\SplPriorityQueue $queue)
{
$this->items = [];
foreach ($queue as $item) {
$this->items[] = $item;
}
}
/**
* Get the evaluated contents of the object.
*
* @return string
*/
public function render()
{
$output = '';
foreach ($this->items as $message) {
$output .= $message->render();
}
return $output;
}
/**
* Convert the collection to its string representation.
*
* @return string
*/
public function __toString()
{
return $this->render();
}
} |
.image-holder{height:400px;width:400px}.image-holder img{max-height:100%;max-width:100%}
/*# sourceMappingURL=images-write.css.map */ |
package org.ehuacui.bbs.model;
import java.util.Date;
/**
* Table: tb_topic_append
*/
public class TopicAppend {
/**
* Column: tb_topic_append.id
*/
private Integer id;
/**
* Column: tb_topic_append.tid
*/
private Integer tid;
/**
* Column: tb_topic_append.in_time
*/
private Date inTime;
/**
* Column: tb_topic_append.is_delete
*/
private Boolean isDelete;
/**
* Column: tb_topic_append.content
*/
private String content;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public Integer getTid() {
return tid;
}
public void setTid(Integer tid) {
this.tid = tid;
}
public Date getInTime() {
return inTime;
}
public void setInTime(Date inTime) {
this.inTime = inTime;
}
public Boolean getIsDelete() {
return isDelete;
}
public void setIsDelete(Boolean isDelete) {
this.isDelete = isDelete;
}
public String getContent() {
return content;
}
public void setContent(String content) {
this.content = content == null ? null : content.trim();
}
} |
#include <assert.h>
#include "linked_list.h"
// Forward declaration of node
typedef struct node node;
// Used for iterating through the linked list to get previous and current nodes
typedef struct
{
node* previous;
node* current;
} nodes;
// Private node structure representation for a linked list element
struct node
{
int key;
node* next;
};
// Private linked list structure
typedef struct
{
node* head;
int size;
} linked_list_private;
static nodes get_nodes_at_index(linked_list_private* private_list, int index);
linked_list* init(void)
{
linked_list_private* list_private = (linked_list_private*) malloc(sizeof(linked_list_private));
list_private->head = NULL;
list_private->size = 0;
linked_list* list = (linked_list*) malloc(sizeof(linked_list));
list->private = list_private;
return list;
}
void push_front(linked_list* list, int key)
{
// Null check
assert(list && list->private);
linked_list_private* private_list = list->private;
node* new_node = (node*) malloc(sizeof(node));
new_node->key = key;
new_node->next = private_list->head;
private_list->head = new_node;
private_list->size++;
}
int pop_front(linked_list* list)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
int key = private_list->head->key;
node* delete_node = private_list->head;
private_list->head = private_list->head->next;
free(delete_node);
private_list->size
return key;
}
void push_back(linked_list* list, int key)
{
// Null check
assert(list && list->private);
linked_list_private* private_list = list->private;
node* new_node = (node*) malloc(sizeof(node));
new_node->key = key;
new_node->next = NULL;
if(empty(list))
{
private_list->head = new_node;
}
else
{
node* last_node = get_nodes_at_index(private_list, (private_list->size - 1)).current;
last_node->next = new_node;
}
private_list->size++;
}
int pop_back(linked_list* list)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
// Traverse to end of linked list to get last element and second last element
nodes <API key> =
get_nodes_at_index(private_list, private_list->size - 1);
node* previous_node = <API key>.previous;
node* current_node = <API key>.current;
int key = current_node->key;
if(private_list->head == current_node)
{
private_list->head = current_node->next;
}
else
{
previous_node->next = current_node->next;
}
free(current_node);
private_list->size
return key;
}
int front(linked_list* list)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
return private_list->head->key;
}
int back(linked_list* list)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
return get_nodes_at_index(private_list, (private_list->size - 1)).current->key;
}
void insert(linked_list* list, int index, int key)
{
// Null check
assert(list && list->private);
linked_list_private* private_list = list->private;
// Insert at the very end of the list if desired index is >= size
if(index >= private_list->size)
{
push_back(list, key);
}
// Else we are inserting at an index in the middle of the list, O(index)
else
{
node* insert_node = (node*) malloc(sizeof(node));
insert_node->key = key;
// Traverse to index in linked list to get list[index] and list[index-1]
nodes <API key> =
get_nodes_at_index(private_list, index);
node* previous_node = <API key>.previous;
node* current_node = <API key>.current;
if(private_list->head == current_node)
{
private_list->head = insert_node;
insert_node->next = current_node;
}
else
{
insert_node->next = current_node;
previous_node->next = insert_node;
}
private_list->size++;
}
}
void erase(linked_list* list, int index)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
// We are erasing at an index in the middle of the list, O(index)
nodes <API key> =
get_nodes_at_index(private_list, index);
node* previous_node = <API key>.previous;
node* current_node = <API key>.current;
if(private_list->head == current_node)
{
private_list->head = current_node->next;
}
else
{
previous_node->next = current_node->next;
}
free(current_node);
private_list->size
}
int value_at(linked_list* list, int index)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
return get_nodes_at_index(private_list, index).current->key;
}
int value_n_from_end(linked_list* list, int n)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
return get_nodes_at_index(private_list,
((private_list->size - 1) - n)).current->key;
}
void reverse(linked_list* list)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
node* previous_node = NULL;
node* current_node = private_list->head;
node* next_node = NULL;
while(NULL != current_node)
{
next_node = current_node->next;
current_node->next = previous_node;
previous_node = current_node;
current_node = next_node;
}
private_list->head = previous_node;
}
void remove_value(linked_list* list, int key)
{
// Null check
assert(list && list->private);
// Assert if the list is empty. Empty check is a precondition.
assert(!empty(list));
linked_list_private* private_list = list->private;
node* current_node = private_list->head;
node* previous_node = NULL;
while(key != current_node->key)
{
if(NULL == current_node)
{
return;
}
previous_node = current_node;
current_node = current_node->next;
}
if(private_list->head == current_node)
{
private_list->head = current_node->next;
}
else
{
previous_node->next = current_node->next;
}
free(current_node);
private_list->size
}
int get_size(linked_list* list)
{
// Null check
assert(list && list->private);
linked_list_private* private_list = list->private;
return private_list->size;
}
bool empty(linked_list* list)
{
// Null check
assert(list && list->private);
linked_list_private* private_list = list->private;
return (NULL == private_list->head);
}
void destroy(linked_list* list)
{
// Null check
assert(list && list->private);
free(list->private);
list->private = NULL;
free(list);
list = NULL;
}
// Private function definitions
static nodes get_nodes_at_index(linked_list_private* private_list, int index)
{
// Null check
assert(private_list);
node* current = private_list->head;
node* previous = NULL;
for(int current_index = 0; current_index < index; current_index++)
{
if(NULL == current->next)
{
break;
}
previous = current;
current = current->next;
}
nodes return_nodes;
return_nodes.current = current;
return_nodes.previous = previous;
return return_nodes;
} |
<!doctype html>
<html>
<head>
<meta charset="UTF-8">
<title>List Group</title>
<link href="http://fonts.googleapis.com/css?family=Patua+One" rel="stylesheet">
<link href="../css/typography.css" rel="stylesheet">
<link href="../css/media-object.css" rel="stylesheet">
<link href="../css/list-group.css" rel="stylesheet">
<link href="../css/buttons.css" rel="stylesheet">
<link href="../css/grid.css" rel="stylesheet">
<link href="../css/common.css" rel="stylesheet">
</head>
<body>
<h1>Product</h1>
<div class="grid">
<div class="unit unit-2-3 gutter unit-m-1 unit-m-1-2">
<img class="img-flex" src="http://placehold.it/1000x600" alt="">
</div>
<div class="unit gutter unit-m-1 unit-m-1-2">
<p>I heard there was a secret chord
that david played and it pleased the lord
but you don't really care for music, do you
well it goes like this the fourth, the fifth
the minor fall and the major lift
the baffled king composing hallelujah
hallelujah... </p>
</div>
</div>
</div>
<div>
<ul class="list-group">
<li class="list-group-item <API key>">
<img src="http://placehold.it/100x100" alt="Photo">
</li>
<li class="list-group-item <API key>">
<img src="http://placehold.it/100x100" alt="Photo">
</li>
<li class="list-group-item <API key>">
<img src="http://placehold.it/100x100" alt="Photo">
</li>
</ul>
</div>
<div class="unit gutter unit-s-1 unit-l-1-2 media-img media-img-stacked">
<p>Lorem ipsum dolor sit amet, consectetuer adipiscing elit.I heard there was a secret chord
that david played and it pleased the lord
but you don't really care for music</p>
<a class="btn" href="#">Buy Now!</a>
</div>
<div class="grid">
<div class="unit gutter unit-s-1 unit-m-1-3 unit-l-1-3">
<h2>Unit 1</h2>
<p>I heard there was a secret chord
that david played and it pleased the lord
but you don't really care for music, do you
well it goes like this the fourth, the fifth
the minor fall and the major lift
the baffled king composing hallelujah
hallelujah... </p>
</div>
<div class="unit gutter unit-s-1 unit-m-1-3 unit-l-1-3">
<h2>Unit 2</h2>
<p>I heard there was a secret chord
that david played and it pleased the lord
but you don't really care for music, do you
well it goes like this the fourth, the fifth
the minor fall and the major lift
the baffled king composing hallelujah
hallelujah... </p>
</div>
<div class="unit gutter unit-s-1 unit-m-1-3 unit-l-1-3">
<h2>Unit 3</h2>
<p>I heard there was a secret chord
that david played and it pleased the lord
but you don't really care for music, do you
well it goes like this the fourth, the fifth
the minor fall and the major lift
the baffled king composing hallelujah
hallelujah... </p>
</div>
</div>
</body>
</html> |
##TODO:
#getLog(day) FInish it
#machines new
#machines mod
import os
import datetime
from flask import Flask, jsonify, render_template, request, redirect, url_for
from dblayer import DBlayer
db = DBlayer(DEBUG=True)
app = Flask(__name__, static_folder='web/static', static_url_path='')
app.template_folder = "web"
SECURITYLOGS = "logs/"
ADMINIDENT = None
##START MAIN PAGE
@app.route("/")
def landing():
now = datetime.datetime.now()
log = getLog(now.strftime('%Y%m%d'))
return render_template('landing.html', logs=log)
@app.route("/logs")
def logs():
logList = getLogList()
print logList
return render_template('loglist.html',logList=logList)
@app.route('/logs/<logurl>')
def show_log(logurl):
try:
if os.path.isfile(os.path.join(SECURITYLOGS,logurl)):
date = os.path.splitext(logurl)[0]
logs = getLog(date)
return render_template('log.html',logs=logs)
except:
return "<h1>Oops!</h1><p>Looks like there was an error retrieving that log. Sorry about that.</p>"
@app.route("/users")
def users():
categories = ['name','ident','class']
users = db.readAllUsers()
return render_template('users.html',users=users,categories=categories)
@app.route('/addUser',methods=['POST'])
def add_user():
new = {}
name = request.form['name']
new['name'] = name
ident = request.form['ident']
new['ident'] = ident
userclass = request.form['class']
new['class'] = userclass
try:
hours = request.form['hours']
new['hours'] = hours
except:
print 'no hours in form'
try:
last = request.form['last']
new['last'] = last
except:
print 'no last in form'
##log ADDED USER xxx on XXXX
added = db.addUser(new,'1337hax')
return redirect(url_for('users'))
@app.route('/user-class',methods=['POST'])
def user_class():
ident = request.form['ident']
userClass = db.readUser(ident)['class']
print "user class is {0}".format(userClass)
##log LOGIN ATTEMPT by XXXX at XXXX
return jsonify(userClass=userClass)
@app.route("/machines")
def machines():
categories = ['name','ident','classes','timeout']
machines = db.readAllMachines()
return render_template('machines.html',machines=machines,categories=categories)
@app.route('/addMachine',methods=['POST'])
def add_machine():
new = {}
name = request.form['name']
new['name'] = name
ident = request.form['ident']
new['ident'] = ident
classes = request.form['classes'].split(',')
classes = [n.strip(' ') for n in classes]#Strip whitespace from classes
new['classes'] = classes
timeout = request.form['timeout']
new['timeout'] = timeout
try:
hours = request.form['hours']
new['hours'] = hours
except:
print 'no hours in form'
try:
last = request.form['last']
new['last'] = last
except:
print 'no last in form'
print new
added = db.addMachine(new,'1337hax')
##log ADD machine XXXX at XXXX
return redirect(url_for('machines'))
@app.route("/remove<string:index>")
def remove(index):
print index
if db.deleteUser(index,'1337hax'):
print 'users'
return redirect('/users')
elif db.deleteMachine(index,'1337hax'):
print 'machines'
return redirect('/machines')
return "<h1>Ooops!</h1>"
def getLog(day):
f = day+'.log'
if os.path.isfile(os.path.join(SECURITYLOGS,f)):
##PARSE LOG FILE
log = [{'message':'hello','time':'1:30a'},{'message':'yes','time':'1:20a'},{'message':'fart','time':'1:40a'}]
return log
else:
log = [{'message':'There has been no activity today'}]
return log
def getLogList():
try:
onlyfiles = [ f for f in os.listdir(SECURITYLOGS) if os.path.isfile(os.path.join(SECURITYLOGS,f)) ]
logList = []
for f in onlyfiles:
path = os.path.join(SECURITYLOGS,f)
try:
date = datetime.strptime(f, "%Y%m%d.log")
filename = datetime.strftime(date, "%A %B %d, %Y")
except:
filename = f
logList.append({'name':filename, 'path':path})
return logList
except:
log = [{'message':'There has been no activity ever'}]
return logList
@app.route("/machine-init", methods=['POST'])
def machine_init():
print request.method
print request.form['ident']
if request.method == "POST":
machine = db.readMachine(request.form['ident'])
timeout = machine['timeout']
classes = machine['classes']
response = jsonify(timeout=timeout,classes=classes)
##log "machine XXXX checked in at XXXXX"
return response
return 'Request did not POST'
@app.route("/login")
def login():
ADMIN_IDENT="1337hax"
print "logged in"
'''
@app.route('/_get_tweets')
def get_tweets():
filter = request.args.get('filter', type=str)
n = request.args.get('n', 0, type=int)
if (filter=='none'):
result = db.tweets.find().sort('created', -1)[n]
else:
result = db.tweets.find({'merchanthandle':filter}).sort('created', -1)[n]
return jsonify(text=result['text'],created=result['created'],merchant=result['merchanthandle'])
@app.route('/_get_merchant')
def get_merchant():
name = request.args.get('handle', type=str) ##finds the most recently updated merchants
result = db.merchants.find_one({'twitterhandle':name})
return jsonify(name=result['name'],description=result['description'],handle=result['twitterhandle'],tid=result['twitterid'],updated=result['lastupdated'],geo=result['lastgeo'],category=result['category'])
##END MAIN PAGE
##MAP
@app.route('/_recent_merchants')
def recent_merchants():
n = request.args.get('n', 0, type=int) ##finds the most recently updated merchants
result = db.merchants.find().sort('lastupdated', -1)[n]
print result
return jsonify(name=result['name'],description=result['description'],handle=result['twitterhandle'],tid=result['twitterid'],updated=result['lastupdated'],geo=result['lastgeo'],category=result['category'])
##END MAP
##ADMIN PAGE
@app.route('/admin/_add_merchant')
def add_vendor():
name = request.args.get('name', 0, type=str)
tline = request.args.get('tagline', 0, type=str)
handle = request.args.get('twitterhandle', 0, type=str)
category = request.args.get('category',type=str)
new = {'name': name, 'category': category, 'twitterhandle': handle, 'description': tline}
print new
added = db.addmerchant(new)
return jsonify(result=added)
#@app.route('/admin/_consume_tweets')
#def consume_tweets():
# print 'im in'
# cons = TweetConsumer()
# print 'init'
# new = cons.consume()
# print 'nom'
# return str(new)
@app.route('/admin/_add_category', methods=['POST'])
def catadd():
if request.method == 'POST':
name = request.form['catname']
file = request.files['caticon']
if not name: return jsonify({"success":False,"error":"No Name"})
if not file: return jsonify({"success":False,"error":"No File"})
if file and allowed_file(file.filename):
filename = os.path.join(app.config['CATEGORY_ICON_DIR'], "%s.%s" % (name, file.filename.rsplit('.', 1)[1]))
file.save(filename)
new = {'name': name, 'filename':filename}
db.addcategory(new)
return jsonify({"success":True})
@app.route('/admin/_preview_category', methods=['POST'])
def catpreview():
if request.method == 'POST':
file = request.files['caticon']
if file and allowed_file(file.filename):
filename = os.path.join(app.config['TEMP_UPLOAD'], "%s.%s" % (file.filename.rsplit('.', 1)[0], file.filename.rsplit('.', 1)[1]))
file.save(filename)
return jsonify({"success":('/temp/'+(file.filename.rsplit('.', 1)[0] + '.' + file.filename.rsplit('.', 1)[1]))})
def allowed_file(filename):
return '.' in filename and filename.rsplit('.', 1)[1] in ALLOWED_IMAGES
@app.route('/_get_categories')
def get_categories():
n = request.args.get('n', 0, type=int)
result = db.categories.find().sort('name', -1)[n]
return jsonify(name=result['name'],filename=result['filename'])
@app.route("/admin")
def admin():
return render_template('admin.html')
##END ADMIN PAGE
@app.route("/vendor")
def vendor():
return render_template('vendor.html')
'''
if __name__ == "__main__":
app.run() |
package com.thoughtworks.medinfo.service.impl;
import com.thoughtworks.medinfo.dao.HCPDao;
import com.thoughtworks.medinfo.model.HCProvider;
import com.thoughtworks.medinfo.service.HCPService;
import com.thoughtworks.medinfo.web.HCPGrid;
import com.thoughtworks.medinfo.web.HCProviderCommand;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;
import java.util.ArrayList;
import java.util.List;
@Service
public class HCPServiceImpl implements HCPService {
@Autowired
HCPDao hcpDao;
@Transactional(readOnly = true)
public void viewAll(HCPGrid HCPGrid) {
HCPGrid allHCPs = findAll();
allHCPs.getHcpMap().putAll(HCPGrid.getHcpMap());
HCPGrid.setHcpMap(allHCPs.getHcpMap());
}
@Transactional
public void deleteAll(HCPGrid hcpGrid) {
for (HCProvider hcp : hcpGrid.getHCP())
delete(hcp);
}
@Transactional(readOnly = true)
public HCProvider get(Long id) {
return hcpDao.get(id);
}
@Transactional
public void delete(HCProvider HCProvider) {
hcpDao.delete(HCProvider);
}
@Transactional(readOnly = true)
public HCPGrid findAll() {
return new HCPGrid(hcpDao.findAll());
}
@Transactional
public void save(HCProviderCommand hcpCommand) {
hcpDao.save(hcpCommand.toHCPObject());
}
@Transactional
public void saveAll(HCPGrid HCPGrid) {
for (HCProvider HCProvider : HCPGrid.getHCP())
hcpDao.save(HCProvider);
}
@Transactional(readOnly = true)
public List<HCProvider> findByPincode(String pincode, int limitCount) {
List<HCProvider> hcProviders = hcpDao.findByPincode(pincode);
return limit(hcProviders, limitCount);
}
private List<HCProvider> limit(List<HCProvider> hcProviders, int limitCount) {
int length = hcProviders.size();
if (length == 0 || hcProviders == null) return new ArrayList<HCProvider>();
int limit = limitCount > length ? length : limitCount;
return hcProviders.subList(0, limit);
}
} |
{
"_id" : "admin.junyussh",
"user" : "junyussh",
"db" : "admin",
"roles" : [
{
"role" : "userOpentixDatabase",
"db" : "admin"
},
{
"role" : "<API key>",
"db" : "admin"
},
{
"role" : "readWrite",
"db" : "admin"
}
]
} |
#ifndef __YY_VIDCSDEF_H__
#define __YY_VIDCSDEF_H__
#include "mportsvr.h"
const char msg_err_221[]="221 %d require password.\r\n";
const char msg_err_405[]="405 %d wrong client version\r\n";
const char msg_err_500[]="500 command unrecognized.\r\n";
const char msg_err_501[]="501 can not find mportSvr\r\n";
const char msg_err_502[]="502 failed to new Object\r\n";
const char msg_err_503[]="503 not support\r\n";
const char msg_err_504[]="504 %d failed to map\r\n";
const char msg_err_ok[]="200 %d %s success to map\r\n";
const char msg_ok_200[]="200 command ok\r\n";
namespace net4cpp21
{
class vidccSession;
class mportTCP_vidcs : public mportTCP
{
public:
explicit mportTCP_vidcs(vidccSession *psession);
virtual ~mportTCP_vidcs(){}
protected:
virtual socketTCP * connectAppsvr(char *strHost,socketTCP *psock);
private:
vidccSession * m_psession;
};
class vidccSession
{
public:
explicit vidccSession(socketTCP *psock,int ver,const char *strname,const char *strDesc);
~vidccSession(){}
int vidccVer() { return m_vidccVer; }
const char *vidccName() { return m_strName.c_str(); }
const char *vidccDesc() { return m_strDesc.c_str(); }
const char *vidccIP() { return m_psock_command->getRemoteIP(); }
time_t ConnectTime() { return m_tmConnected; }
bool isConnected() { return (m_psock_command->status()==SOCKS_CONNECTED); }
void Close() { if(m_psock_command) m_psock_command->Close(); }
void setIfLogdata(bool b);
void xml_list_mapped(cBuffer &buffer);
void parseCommand(const char *ptrCommand);
void Destroy();
bool AddPipe(socketTCP *pipe);
bool DelPipe(socketTCP *pipe);
socketTCP *GetPipe();
long docmd_sslc(const char *strSSLC,const char *received,long receivedByte);
private:
void docmd_bind(const char *param);
void docmd_unbind(const char *param);
void docmd_addr(const char *param);
void docmd_ipfilter(const char *strParam);
void docmd_mdhrsp(const char *strParam);
void docmd_mdhreq(const char *strParam);
void docmd_vnop(const char *param);
void docmd_unknowed(const char *ptrCommand);
private:
time_t m_tmConnected;
int m_vidccVer;
std::string m_strName;
std::string m_strDesc;
socketTCP * m_psock_command;
std::map<std::string,mportTCP_vidcs *> m_tcpsets;
std::vector<socketTCP *> m_pipes;
cMutex m_mutex;
};
}//?namespace net4cpp21
#endif |
package net.azstudio.groooseller.model.business;
import net.azstudio.groooseller.model.http.HttpFood;
import java.util.List;
public class Menu {
String category;
List<HttpFood> foods;
public Menu(String category, List<HttpFood> foods) {
this.category = category;
this.foods = foods;
}
public String getCategory() {
return category;
}
public void setCategory(String category) {
this.category = category;
}
public List<HttpFood> getFoods() {
return foods;
}
public void setFoods(List<HttpFood> foods) {
this.foods = foods;
}
} |
package zmaster587.advancedRocketry.util;
import net.minecraft.item.ItemStack;
import java.util.List;
public interface <API key> {
public ItemStack getChipWithId(int id);
public void setSelectedPlanetId(int id);
public List<Integer> getVisiblePlanets();
} |
# <API key>
fis3eslint
nodejs
npm install <API key> -g
fis-config.js
var config = {
ignoreFiles:[], // lintglob
envs: [],
globals: [],
rules: {
}
}
fis.match('*.js', {
lint: fis.plugin('iot-eslint', config)
})
>configconfig.json
- fis3lint`release``-l`
fis3 release -wLl |
using Songhay.Extensions;
using Songhay.Models;
using System;
using System.IO;
using System.Text.Json;
using Xunit;
using Xunit.Abstractions;
namespace Songhay.Tests.Extensions
{
public class <API key>
{
public <API key>(ITestOutputHelper helper)
{
this._testOutputHelper = helper;
}
[Theory]
[InlineData("../../../json", "configuration.json")]
public void ShouldLoadSettings(string basePath, string configFile)
{
basePath = <API key>
.GetPathFromAssembly(this.GetType().Assembly, basePath);
var args = new ProgramArgs(new[]
{
ProgramArgs.BasePathRequired,
ProgramArgs.BasePath, basePath,
ProgramArgs.SettingsFile, configFile,
});
Assert.Equal(args.GetBasePathValue(), basePath);
Assert.Equal(args.GetSettingsFilePath(), configFile);
var json = args.GetSettings();
Assert.False(string.IsNullOrWhiteSpace(json));
this._testOutputHelper.WriteLine(json);
}
[Theory]
[InlineData("../../../json", "input.json")]
[InlineData(null, "../../../json/input.json")]
[InlineData(null, @"{ ""arg1"": 1, ""arg2"": 2, ""arg3"": 3 }")]
public void ShouldLoadInput(string basePath, string input)
{
if (string.IsNullOrWhiteSpace(basePath))
{
if (input.EndsWith(".json"))
input = <API key>
.GetPathFromAssembly(this.GetType().Assembly, input);
}
else
{
basePath = <API key>
.GetPathFromAssembly(this.GetType().Assembly, basePath);
}
var args = input.EndsWith(".json") ?
new ProgramArgs(new[]
{
ProgramArgs.BasePathRequired,
ProgramArgs.BasePath, basePath,
ProgramArgs.InputFile, input,
})
:
new ProgramArgs(new[]
{
ProgramArgs.BasePathRequired,
ProgramArgs.BasePath, basePath,
ProgramArgs.InputString, input,
});
input = args.GetStringInput();
Assert.False(string.IsNullOrWhiteSpace(input));
this._testOutputHelper.WriteLine(input);
}
[Fact]
public void <API key>()
{
var args = new ProgramArgs(new [] { string.Empty });
var helpText = args.WithDefaultHelpText().ToHelpDisplayText();
Assert.False(string.IsNullOrWhiteSpace(helpText));
this._testOutputHelper.WriteLine(helpText);
}
[Theory]
[InlineData("../../../json", "output.json")]
[InlineData(null, "../../../json/output.json")]
public void <API key>(string basePath, string outputFile)
{
if (string.IsNullOrWhiteSpace(basePath))
{
outputFile = <API key>
.GetPathFromAssembly(this.GetType().Assembly, outputFile);
}
else
{
basePath = <API key>
.GetPathFromAssembly(this.GetType().Assembly, basePath);
}
var args = string.IsNullOrWhiteSpace(basePath) ?
new ProgramArgs(new[]
{
ProgramArgs.OutputFile, outputFile,
})
:
new ProgramArgs(new[]
{
ProgramArgs.BasePathRequired,
ProgramArgs.BasePath, basePath,
ProgramArgs.OutputFile, outputFile,
ProgramArgs.OutputUnderBasePath,
})
;
var anon = new { modificationDate = DateTime.Now };
args.WriteOutputToFile(JsonSerializer.Serialize(anon));
var actual = args.GetOutputPath();
this._testOutputHelper.WriteLine($"output path: {actual}");
this._testOutputHelper.WriteLine($"file content: {File.ReadAllText(actual)}");
}
ITestOutputHelper _testOutputHelper;
}
} |
'use strict';
/* jshint ignore:start */
/**
* This code was generated by
* \ / _ _ _| _ _
* | (_)\/(_)(_|\/| |(/_ v1.0.0
* / /
*/
/* jshint ignore:end */
var Q = require('q'); /* jshint ignore:line */
var _ = require('lodash'); /* jshint ignore:line */
var Page = require('../../../../../../base/Page'); /* jshint ignore:line */
var deserialize = require(
'../../../../../../base/deserialize'); /* jshint ignore:line */
var serialize = require(
'../../../../../../base/serialize'); /* jshint ignore:line */
var values = require('../../../../../../base/values'); /* jshint ignore:line */
var DailyList;
var DailyPage;
var DailyInstance;
/* jshint ignore:start */
/**
* @description Initialize the DailyList
*
* @param {Twilio.Api.V2010} version - Version of the resource
* @param {string} accountSid -
* A 34 character string that uniquely identifies this resource.
*/
/* jshint ignore:end */
DailyList = function DailyList(version, accountSid) {
/* jshint ignore:start */
/**
* @param {string} sid - sid of instance
*
* @returns {Twilio.Api.V2010.AccountContext.UsageContext.RecordContext.DailyContext}
*/
/* jshint ignore:end */
function DailyListInstance(sid) {
return DailyListInstance.get(sid);
}
DailyListInstance._version = version;
// Path Solution
DailyListInstance._solution = {accountSid: accountSid};
DailyListInstance._uri = _.template(
'/Accounts/<%= accountSid %>/Usage/Records/Daily.json' // jshint ignore:line
)(DailyListInstance._solution);
/* jshint ignore:start */
/**
* Streams DailyInstance records from the API.
*
* This operation lazily loads records as efficiently as possible until the limit
* is reached.
*
* The results are passed into the callback function, so this operation is memory efficient.
*
* If a function is passed as the first argument, it will be used as the callback function.
*
* @param {object} [opts] - Options for request
* @param {daily.category} [opts.category] -
* Only include usage of this usage category.
* @param {Date} [opts.startDate] -
* Only include usage that has occurred on or after this date.
* @param {Date} [opts.endDate] -
* Only include usage that has occurred on or before this date.
* @param {boolean} [opts.includeSubaccounts] - The include_subaccounts
* @param {number} [opts.limit] -
* Upper limit for the number of records to return.
* each() guarantees never to return more than limit.
* Default is no limit
* @param {number} [opts.pageSize] -
* Number of records to fetch per request,
* when not set will use the default value of 50 records.
* If no pageSize is defined but a limit is defined,
* each() will attempt to read the limit with the most efficient
* page size, i.e. min(limit, 1000)
* @param {Function} [opts.callback] -
* Function to process each record. If this and a positional
* callback are passed, this one will be used
* @param {Function} [opts.done] -
* Function to be called upon completion of streaming
* @param {Function} [callback] - Function to process each record
*/
/* jshint ignore:end */
DailyListInstance.each = function each(opts, callback) {
if (_.isFunction(opts)) {
callback = opts;
opts = {};
}
opts = opts || {};
if (opts.callback) {
callback = opts.callback;
}
if (_.isUndefined(callback)) {
throw new Error('Callback function must be provided');
}
var done = false;
var currentPage = 1;
var currentResource = 0;
var limits = this._version.readLimits({
limit: opts.limit,
pageSize: opts.pageSize
});
function onComplete(error) {
done = true;
if (_.isFunction(opts.done)) {
opts.done(error);
}
}
function fetchNextPage(fn) {
var promise = fn();
if (_.isUndefined(promise)) {
onComplete();
return;
}
promise.then(function(page) {
_.each(page.instances, function(instance) {
if (done || (!_.isUndefined(opts.limit) && currentResource >= opts.limit)) {
done = true;
return false;
}
currentResource++;
callback(instance, onComplete);
});
if ((limits.pageLimit && limits.pageLimit <= currentPage)) {
onComplete();
} else if (!done) {
currentPage++;
fetchNextPage(_.bind(page.nextPage, page));
}
});
promise.catch(onComplete);
}
fetchNextPage(_.bind(this.page, this, _.merge(opts, limits)));
};
/* jshint ignore:start */
/**
* Lists DailyInstance records from the API as a list.
*
* If a function is passed as the first argument, it will be used as the callback function.
*
* @param {object} [opts] - Options for request
* @param {daily.category} [opts.category] -
* Only include usage of this usage category.
* @param {Date} [opts.startDate] -
* Only include usage that has occurred on or after this date.
* @param {Date} [opts.endDate] -
* Only include usage that has occurred on or before this date.
* @param {boolean} [opts.includeSubaccounts] - The include_subaccounts
* @param {number} [opts.limit] -
* Upper limit for the number of records to return.
* list() guarantees never to return more than limit.
* Default is no limit
* @param {number} [opts.pageSize] -
* Number of records to fetch per request,
* when not set will use the default value of 50 records.
* If no page_size is defined but a limit is defined,
* list() will attempt to read the limit with the most
* efficient page size, i.e. min(limit, 1000)
* @param {function} [callback] - Callback to handle list of records
*
* @returns {Promise} Resolves to a list of records
*/
/* jshint ignore:end */
DailyListInstance.list = function list(opts, callback) {
if (_.isFunction(opts)) {
callback = opts;
opts = {};
}
opts = opts || {};
var deferred = Q.defer();
var allResources = [];
opts.callback = function(resource, done) {
allResources.push(resource);
if (!_.isUndefined(opts.limit) && allResources.length === opts.limit) {
done();
}
};
opts.done = function(error) {
if (_.isUndefined(error)) {
deferred.resolve(allResources);
} else {
deferred.reject(error);
}
};
if (_.isFunction(callback)) {
deferred.promise.nodeify(callback);
}
this.each(opts);
return deferred.promise;
};
/* jshint ignore:start */
/**
* Retrieve a single page of DailyInstance records from the API.
* Request is executed immediately
*
* If a function is passed as the first argument, it will be used as the callback function.
*
* @param {object} [opts] - Options for request
* @param {daily.category} [opts.category] -
* Only include usage of this usage category.
* @param {Date} [opts.startDate] -
* Only include usage that has occurred on or after this date.
* @param {Date} [opts.endDate] -
* Only include usage that has occurred on or before this date.
* @param {boolean} [opts.includeSubaccounts] - The include_subaccounts
* @param {string} [opts.pageToken] - PageToken provided by the API
* @param {number} [opts.pageNumber] -
* Page Number, this value is simply for client state
* @param {number} [opts.pageSize] - Number of records to return, defaults to 50
* @param {function} [callback] - Callback to handle list of records
*
* @returns {Promise} Resolves to a list of records
*/
/* jshint ignore:end */
DailyListInstance.page = function page(opts, callback) {
if (_.isFunction(opts)) {
callback = opts;
opts = {};
}
opts = opts || {};
var deferred = Q.defer();
var data = values.of({
'Category': _.get(opts, 'category'),
'StartDate': serialize.iso8601Date(_.get(opts, 'startDate')),
'EndDate': serialize.iso8601Date(_.get(opts, 'endDate')),
'IncludeSubaccounts': serialize.bool(_.get(opts, 'includeSubaccounts')),
'PageToken': opts.pageToken,
'Page': opts.pageNumber,
'PageSize': opts.pageSize
});
var promise = this._version.page({uri: this._uri, method: 'GET', params: data});
promise = promise.then(function(payload) {
deferred.resolve(new DailyPage(this._version, payload, this._solution));
}.bind(this));
promise.catch(function(error) {
deferred.reject(error);
});
if (_.isFunction(callback)) {
deferred.promise.nodeify(callback);
}
return deferred.promise;
};
/* jshint ignore:start */
/**
* Retrieve a single target page of DailyInstance records from the API.
* Request is executed immediately
*
* If a function is passed as the first argument, it will be used as the callback function.
*
* @param {string} [targetUrl] - API-generated URL for the requested results page
* @param {function} [callback] - Callback to handle list of records
*
* @returns {Promise} Resolves to a list of records
*/
/* jshint ignore:end */
DailyListInstance.getPage = function getPage(targetUrl, callback) {
var deferred = Q.defer();
var promise = this._version._domain.twilio.request({method: 'GET', uri: targetUrl});
promise = promise.then(function(payload) {
deferred.resolve(new DailyPage(this._version, payload, this._solution));
}.bind(this));
promise.catch(function(error) {
deferred.reject(error);
});
if (_.isFunction(callback)) {
deferred.promise.nodeify(callback);
}
return deferred.promise;
};
return DailyListInstance;
};
/* jshint ignore:start */
/**
* Initialize the DailyPage
*
* @param {V2010} version - Version of the resource
* @param {Response<string>} response - Response from the API
* @param {DailySolution} solution - Path solution
*
* @returns DailyPage
*/
/* jshint ignore:end */
DailyPage = function DailyPage(version, response, solution) {
// Path Solution
this._solution = solution;
Page.prototype.constructor.call(this, version, response, this._solution);
};
_.extend(DailyPage.prototype, Page.prototype);
DailyPage.prototype.constructor = DailyPage;
/* jshint ignore:start */
/**
* Build an instance of DailyInstance
*
* @param {DailyPayload} payload - Payload response from the API
*
* @returns DailyInstance
*/
/* jshint ignore:end */
DailyPage.prototype.getInstance = function getInstance(payload) {
return new DailyInstance(this._version, payload, this._solution.accountSid);
};
/* jshint ignore:start */
/* jshint ignore:end */
DailyInstance = function DailyInstance(version, payload, accountSid) {
this._version = version;
// Marshaled Properties
this.accountSid = payload.account_sid; // jshint ignore:line
this.apiVersion = payload.api_version; // jshint ignore:line
this.category = payload.category; // jshint ignore:line
this.count = payload.count; // jshint ignore:line
this.countUnit = payload.count_unit; // jshint ignore:line
this.description = payload.description; // jshint ignore:line
this.endDate = deserialize.iso8601Date(payload.end_date); // jshint ignore:line
this.price = deserialize.decimal(payload.price); // jshint ignore:line
this.priceUnit = payload.price_unit; // jshint ignore:line
this.startDate = deserialize.iso8601Date(payload.start_date); // jshint ignore:line
this.subresourceUris = payload.subresource_uris; // jshint ignore:line
this.uri = payload.uri; // jshint ignore:line
this.usage = payload.usage; // jshint ignore:line
this.usageUnit = payload.usage_unit; // jshint ignore:line
// Context
this._context = undefined;
this._solution = {accountSid: accountSid, };
};
/* jshint ignore:start */
/**
* Produce a plain JSON object version of the DailyInstance for serialization.
* Removes any circular references in the object.
*
* @returns Object
*/
/* jshint ignore:end */
DailyInstance.prototype.toJSON = function toJSON() {
let clone = {};
_.forOwn(this, function(value, key) {
if (!_.startsWith(key, '_') && ! _.isFunction(value)) {
clone[key] = value;
}
});
return clone;
};
module.exports = {
DailyList: DailyList,
DailyPage: DailyPage,
DailyInstance: DailyInstance
}; |
export type L10nFormat = 'language' | 'language-script' | 'language-region' | '<API key>';
export interface L10nProvider {
/**
* The name of the provider.
*/
name: string;
/**
* The asset of the provider.
*/
asset: any;
/**
* Options to pass the loader.
*/
options?: any;
}
export interface L10nLocale {
/**
* language[-script][-region][-extension]
* Where:
* - language: ISO 639 two-letter or three-letter code
* - script: ISO 15924 four-letter script code
* - region: ISO 3166 two-letter, uppercase code
* - extension: 'u' (Unicode) extensions
*/
language: string;
/**
* Alternative language to translate dates.
*/
dateLanguage?: string;
/**
* Alternative language to translate numbers.
*/
numberLanguage?: string;
/**
* ISO 4217 three-letter code.
*/
currency?: string;
/**
* Time zone name from the IANA time zone database.
*/
timeZone?: string;
/**
* Key value pairs of unit identifiers.
*/
units?: { [key: string]: string }
}
export interface L10nSchema {
locale: L10nLocale;
/**
* Language direction.
*/
dir?: 'ltr' | 'rtl';
text?: string;
}
export interface <API key> extends Intl.<API key> {
/**
* The date formatting style.
*/
dateStyle?: 'full' | 'long' | 'medium' | 'short';
/**
* The time formatting style.
*/
timeStyle?: 'full' | 'long' | 'medium' | 'short';
}
export interface <API key> extends Intl.NumberFormatOptions {
/**
* The digits formatting.
*/
digits?: string;
} |
#include "askpassphrasedialog.h"
#include "<API key>.h"
#include "guiconstants.h"
#include "walletmodel.h"
#include <QMessageBox>
#include <QPushButton>
#include <QKeyEvent>
extern bool <API key>;
AskPassphraseDialog::AskPassphraseDialog(Mode mode, QWidget *parent) :
QDialog(parent),
ui(new Ui::AskPassphraseDialog),
mode(mode),
model(0),
fCapsLock(false)
{
ui->setupUi(this);
ui->passEdit1->setMaxLength(MAX_PASSPHRASE_SIZE);
ui->passEdit2->setMaxLength(MAX_PASSPHRASE_SIZE);
ui->passEdit3->setMaxLength(MAX_PASSPHRASE_SIZE);
// Setup Caps Lock detection.
ui->passEdit1->installEventFilter(this);
ui->passEdit2->installEventFilter(this);
ui->passEdit3->installEventFilter(this);
ui->stakingCheckBox->setChecked(<API key>);
switch(mode)
{
case Encrypt: // Ask passphrase x2
ui->passLabel1->hide();
ui->passEdit1->hide();
ui->warningLabel->setText(tr("Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>."));
setWindowTitle(tr("Encrypt wallet"));
break;
case UnlockStaking:
ui->stakingCheckBox->setChecked(true);
ui->stakingCheckBox->show();
// fallthru
case Unlock: // Ask passphrase
ui->warningLabel->setText(tr("This operation needs your wallet passphrase to unlock the wallet."));
ui->passLabel2->hide();
ui->passEdit2->hide();
ui->passLabel3->hide();
ui->passEdit3->hide();
setWindowTitle(tr("Unlock wallet"));
break;
case Decrypt: // Ask passphrase
ui->warningLabel->setText(tr("This operation needs your wallet passphrase to decrypt the wallet."));
ui->passLabel2->hide();
ui->passEdit2->hide();
ui->passLabel3->hide();
ui->passEdit3->hide();
setWindowTitle(tr("Decrypt wallet"));
break;
case ChangePass: // Ask old passphrase + new passphrase x2
setWindowTitle(tr("Change passphrase"));
ui->warningLabel->setText(tr("Enter the old and new passphrase to the wallet."));
break;
}
textChanged();
connect(ui->passEdit1, SIGNAL(textChanged(QString)), this, SLOT(textChanged()));
connect(ui->passEdit2, SIGNAL(textChanged(QString)), this, SLOT(textChanged()));
connect(ui->passEdit3, SIGNAL(textChanged(QString)), this, SLOT(textChanged()));
}
AskPassphraseDialog::~AskPassphraseDialog()
{
<API key>();
delete ui;
}
void AskPassphraseDialog::setModel(WalletModel *model)
{
this->model = model;
}
void AskPassphraseDialog::accept()
{
SecureString oldpass, newpass1, newpass2;
if(!model)
return;
oldpass.reserve(MAX_PASSPHRASE_SIZE);
newpass1.reserve(MAX_PASSPHRASE_SIZE);
newpass2.reserve(MAX_PASSPHRASE_SIZE);
// TODO: get rid of this .c_str() by implementing SecureString::operator=(std::string)
// Alternately, find a way to make this input mlock()'d to begin with.
oldpass.assign(ui->passEdit1->text().toStdString().c_str());
newpass1.assign(ui->passEdit2->text().toStdString().c_str());
newpass2.assign(ui->passEdit3->text().toStdString().c_str());
<API key>();
switch(mode)
{
case Encrypt: {
if(newpass1.empty() || newpass2.empty())
{
// Cannot encrypt with empty passphrase
break;
}
QMessageBox::StandardButton retval = QMessageBox::question(this, tr("Confirm wallet encryption"),
tr("Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR COINS</b>!") + "<br><br>" + tr("Are you sure you wish to encrypt your wallet?"),
QMessageBox::Yes|QMessageBox::Cancel,
QMessageBox::Cancel);
if(retval == QMessageBox::Yes)
{
if(newpass1 == newpass2)
{
if(model->setWalletEncrypted(true, newpass1))
{
QMessageBox::warning(this, tr("Wallet encrypted"),
"<qt>" +
tr("OraCoin will close now to finish the encryption process. "
"Remember that encrypting your wallet cannot fully protect "
"your coins from being stolen by malware infecting your computer.") +
"<br><br><b>" +
tr("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.") +
"</b></qt>");
QApplication::quit();
}
else
{
QMessageBox::critical(this, tr("Wallet encryption failed"),
tr("Wallet encryption failed due to an internal error. Your wallet was not encrypted."));
}
QDialog::accept(); // Success
}
else
{
QMessageBox::critical(this, tr("Wallet encryption failed"),
tr("The supplied passphrases do not match."));
}
}
else
{
QDialog::reject(); // Cancelled
}
} break;
case UnlockStaking:
case Unlock:
if(!model->setWalletLocked(false, oldpass))
{
QMessageBox::critical(this, tr("Wallet unlock failed"),
tr("The passphrase entered for the wallet decryption was incorrect."));
}
else
{
<API key> = ui->stakingCheckBox->isChecked();
QDialog::accept(); // Success
}
break;
case Decrypt:
if(!model->setWalletEncrypted(false, oldpass))
{
QMessageBox::critical(this, tr("Wallet decryption failed"),
tr("The passphrase entered for the wallet decryption was incorrect."));
}
else
{
QDialog::accept(); // Success
}
break;
case ChangePass:
if(newpass1 == newpass2)
{
if(model->changePassphrase(oldpass, newpass1))
{
QMessageBox::information(this, tr("Wallet encrypted"),
tr("Wallet passphrase was successfully changed."));
QDialog::accept(); // Success
}
else
{
QMessageBox::critical(this, tr("Wallet encryption failed"),
tr("The passphrase entered for the wallet decryption was incorrect."));
}
}
else
{
QMessageBox::critical(this, tr("Wallet encryption failed"),
tr("The supplied passphrases do not match."));
}
break;
}
}
void AskPassphraseDialog::textChanged()
{
// Validate input, set Ok button to enabled when acceptable
bool acceptable = false;
switch(mode)
{
case Encrypt: // New passphrase x2
acceptable = !ui->passEdit2->text().isEmpty() && !ui->passEdit3->text().isEmpty();
break;
case UnlockStaking:
case Unlock: // Old passphrase x1
case Decrypt:
acceptable = !ui->passEdit1->text().isEmpty();
break;
case ChangePass: // Old passphrase x1, new passphrase x2
acceptable = !ui->passEdit1->text().isEmpty() && !ui->passEdit2->text().isEmpty() && !ui->passEdit3->text().isEmpty();
break;
}
ui->buttonBox->button(QDialogButtonBox::Ok)->setEnabled(acceptable);
}
bool AskPassphraseDialog::event(QEvent *event)
{
// Detect Caps Lock key press.
if (event->type() == QEvent::KeyPress) {
QKeyEvent *ke = static_cast<QKeyEvent *>(event);
if (ke->key() == Qt::Key_CapsLock) {
fCapsLock = !fCapsLock;
}
if (fCapsLock) {
ui->capsLabel->setText(tr("Warning: The Caps Lock key is on!"));
} else {
ui->capsLabel->clear();
}
}
return QWidget::event(event);
}
bool AskPassphraseDialog::eventFilter(QObject *object, QEvent *event)
{
/* Detect Caps Lock.
* There is no good OS-independent way to check a key state in Qt, but we
* can detect Caps Lock by checking for the following condition:
* Shift key is down and the result is a lower case character, or
* Shift key is not down and the result is an upper case character.
*/
if (event->type() == QEvent::KeyPress) {
QKeyEvent *ke = static_cast<QKeyEvent *>(event);
QString str = ke->text();
if (str.length() != 0) {
const QChar *psz = str.unicode();
bool fShift = (ke->modifiers() & Qt::ShiftModifier) != 0;
if ((fShift && psz->isLower()) || (!fShift && psz->isUpper())) {
fCapsLock = true;
ui->capsLabel->setText(tr("Warning: The Caps Lock key is on!"));
} else if (psz->isLetter()) {
fCapsLock = false;
ui->capsLabel->clear();
}
}
}
return QDialog::eventFilter(object, event);
}
void AskPassphraseDialog::<API key>()
{
// Attempt to overwrite text so that they do not linger around in memory
ui->passEdit1->setText(QString(" ").repeated(ui->passEdit1->text().size()));
ui->passEdit2->setText(QString(" ").repeated(ui->passEdit2->text().size()));
ui->passEdit3->setText(QString(" ").repeated(ui->passEdit3->text().size()));
ui->passEdit1->clear();
ui->passEdit2->clear();
ui->passEdit3->clear();
} |
package cz.kec.of.ansible.controllers;
import org.springframework.ui.ModelMap;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RestController;
/**
* @author Daniel Kec
* @since 16.02.2015 09:33
*/
@RestController
@RequestMapping("/home")
public class HomeController {
@RequestMapping(method = RequestMethod.GET)
public String printWelcome(ModelMap model) {
model.addAttribute("message", "Spring 4 MVC Hello World!?! Nasazeny Jenkinsem!!!");
return "home";//WEB-INF/pages/home.jsp
}
} |
#!/usr/bin/env python
from traits.api import HasStrictTraits, Float
from mock import Mock
class MyClass(HasStrictTraits):
number = Float(2.0)
def add_to_number(self, value):
""" Add the value to `number`. """
self.number += value
my_class = MyClass()
# Using my_class.add_to_number = Mock() will fail.
# But setting the mock on the instance `__dict__` works.
my_class.__dict__['add_to_number'] = Mock()
# We can now use the mock in our tests.
my_class.add_to_number(42)
print my_class.add_to_number.call_args_list |
package at.tugraz.knowcenter.uiprototype;
import android.annotation.TargetApi;
import android.app.PendingIntent;
import android.appwidget.AppWidgetManager;
import android.appwidget.AppWidgetProvider;
import android.content.Context;
import android.content.Intent;
import android.net.Uri;
import android.os.Build;
import android.widget.RemoteViews;
@TargetApi(Build.VERSION_CODES.HONEYCOMB)
public class <API key> extends AppWidgetProvider {
@Override
public void onUpdate(Context context, AppWidgetManager appWidgetManager, int[] appWidgetIds) {
// update each of the app widgets with the remote adapter
for (int i = 0; i < appWidgetIds.length; ++i) {
Intent intent = new Intent(context, LabelsWidgetService.class);
// Add the app widget ID to the intent extras.
intent.putExtra(AppWidgetManager.EXTRA_APPWIDGET_ID, appWidgetIds[i]);
intent.setData(Uri.parse(intent.toUri(Intent.URI_INTENT_SCHEME)));
// Instantiate the RemoteViews object for the app widget layout.
RemoteViews rv = new RemoteViews(context.getPackageName(), R.layout.labels_appwidget);
Intent startMain = new Intent(context, MainActivity.class);
PendingIntent pending = PendingIntent.getActivity(context, 0, startMain, 0);
rv.<API key>(R.id.widget_layout, pending);
// Set up the RemoteViews object to use a RemoteViews adapter.
// This adapter connects
// to a RemoteViewsService through the specified intent.
// This is how you populate the data.
rv.setRemoteAdapter(appWidgetIds[i], R.id.widget_listview, intent);
// The empty view is displayed when the collection has no items.
// It should be in the same layout used to instantiate the RemoteViews
// object above.
rv.setEmptyView(R.id.widget_listview, R.id.empty_view);
appWidgetManager.updateAppWidget(appWidgetIds[i], rv);
}
super.onUpdate(context, appWidgetManager, appWidgetIds);
}
} |
<div class="large-12 columns nopadding" ng-include="'views/templates/header-dash.html'"></div>
<div class="large-12 columns nopadding main" id="main" >
<div class="jumbotron">
<div class="row">
<div class="large-4 columns"> </div>
<div class="large-4 columns">
<h2>Sign up now!</h2>
<p class="fs-mini text-muted">Don't have an account? Register now! <br />And keep all your web findings safe....</p>
<form name="registerform" ng-submit="registerform.$valid && addUser(user)" novalidate>
<div class="row">
<div class="large-12 columns">
<label>
<input type="text" ng-model="user.username" placeholder="Username" class="form-control" />
</label>
</div>
</div>
<div class="row">
<div class="large-12 columns">
<label>
<input type="text" ng-model="user.password" placeholder="Password" class="form-fields" />
</label>
</div>
</div>
<div class="row">
<div class="large-12 columns">
<label>
<input type="text" ng-model="user.repassword" placeholder="Retype Password" class="form-fields" />
</label>
</div>
</div>
<div class="row">
<div class="large-12 columns">
<label>
<input type="email" ng-model="user.email" placeholder="E-mail" class="form-fields" />
</label>
</div>
</div>
<div class="row">
<div class="large-12 columns">
<button class="button tiny expand cbtn">Create</button>
</div>
</div>
</form>
</div>
<div class="large-4 columns"> </div>
</div>
</div>
</div>
<div class="large-12 columns nopadding" ng-include="'views/templates/footer.html'"></div> |
# Quantimodo.AppSettingsApi
All URIs are relative to *https://app.quantimo.do/api*
Method | HTTP request | Description
[**getAppSettings**](AppSettingsApi.md#getAppSettings) | **GET** /v3/appSettings | Get client app settings
<a name="getAppSettings"></a>
# **getAppSettings**
> AppSettingsResponse getAppSettings(opts)
Get client app settings
Get the settings for your application configurable at https://build.quantimo.do
Example
javascript
var Quantimodo = require('quantimodo');
var apiInstance = new Quantimodo.AppSettingsApi();
var opts = {
'clientId': "clientId_example",
'client<API key>,
'platform': "platform_example" // String | Ex: chrome, android, ios, web
};
var callback = function(error, data, response) {
if (error) {
console.error(error);
} else {
console.log('API called successfully. Returned data: ' + data);
}
};
apiInstance.getAppSettings(opts, callback);
Parameters
Name | Type | Description | Notes
**clientId** | **String**| Your QuantiModo client id can be obtained by creating an app at https://builder.quantimo.do | [optional]
**clientSecret** | **String**| This is the secret for your obtained clientId. We use this to ensure that only your application uses the clientId. Obtain this by creating a free application at [https:
**platform** | **String**| Ex: chrome, android, ios, web | [optional]
Return type
[**AppSettingsResponse**](AppSettingsResponse.md)
Authorization
No authorization required
HTTP request headers
- **Content-Type**: application/json
- **Accept**: application/json |
module AePageObjects
class Select < Element
def set(value)
node.select(value)
end
end
end |
namespace RandomizeWords
{
using System;
using System.Collections.Generic;
using System.Linq;
class Randomize
{
static void Main()
{
string[] input = Console.ReadLine().Split();
Random ran = new Random();
for (int i = 0; i < input.Length; i++)
{
int next = ran.Next(0, input.Length);
Swap(i, next, input);
}
Console.WriteLine(string.Join("\n", input));
}
private static void Swap(int i, int next, string[] input)
{
string temp = input[i];
input[i] = input[next];
input[next] = temp;
}
}
} |
module Api::Controllers::Quizzes::Questions; end
module Api::Controllers::Quizzes::Questions::Answers
class UpdateParams < Api::Action::Params
param :id, type: Integer, presence: true
param :quiz_id, type: Integer, presence: true
param :question_id, type: Integer, presence: true
param :text, type: String
param :order, type: Integer
def to_h
{
text: text,
order: order
}
end
end
class Update
include Api::Action
include Api::Controllers::Update
entity Answer
repository AnswerRepository
params UpdateParams
end
end |
import java.io.IOException;
import pl.edu.agh.amber.common.AmberClient;
import pl.edu.agh.amber.roboclaw.MotorsCurrentSpeed;
import pl.edu.agh.amber.roboclaw.RoboclawProxy;
public class RoboclawExample {
public static void main(String[] args) {
(new RoboclawExample()).runDemo();
}
public void runDemo() {
AmberClient client;
try {
client = new AmberClient("192.168.1.50", 26233);
} catch (IOException e) {
System.out.println("Unable to connect to robot: " + e);
return;
}
RoboclawProxy roboclawProxy = new RoboclawProxy(client, 0);
final int speed = 1000;
try {
roboclawProxy.sendMotorsCommand(speed, speed, speed, speed);
MotorsCurrentSpeed mcs = roboclawProxy.<API key>();
mcs.waitAvailable();
System.out.println(String.format(
"Motors current speed: fl: %d, fr: %d, rl: %d, rr: %d",
mcs.getFrontLeftSpeed(), mcs.getFrontRightSpeed(),
mcs.getRearLeftSpeed(), mcs.getRearRightSpeed()));
} catch (IOException e) {
System.out.println("Error in sending a command: " + e);
} catch (Exception e) {
e.printStackTrace();
} finally {
client.terminate();
}
}
} |
/*jshint unused: vars */
define(['angular', 'angular-mocks', 'app'], function(angular, mocks, app) {
'use strict';
describe('Controller: AboutCtrl', function () {
// load the controller's module
beforeEach(module('xinyangApp.controllers.AboutCtrl'));
var AboutCtrl,
scope;
// Initialize the controller and a mock scope
beforeEach(inject(function ($controller, $rootScope) {
scope = $rootScope.$new();
AboutCtrl = $controller('AboutCtrl', {
$scope: scope
});
}));
it('should attach a list of awesomeThings to the scope', function () {
expect(scope.awesomeThings.length).toBe(3);
});
});
}); |
def method_matching(method):
def _matching(environ):
environ_method = environ.get('REQUEST_METHOD', 'GET')
return environ_method.lower() == method
return _matching
<API key> = 'gargant.dispatch.path_matching_list'
def path_matching(matching_list):
def _matching(environ):
url_kwargs = {'matching_list': matching_list}
path_list = environ.get(<API key>)
if not path_list:
path_info = environ.get('PATH_INFO', '')
path_list = path_info.split('/')
if len(path_list) < len(matching_list):
return None
for path, matching in zip(path_list, matching_list):
if matching.startswith('{') and matching.endswith('}'):
key = matching.strip('{}')
url_kwargs[key] = path
else:
if path != matching:
return None
environ[<API key>] = path_list[len(matching_list):]
return url_kwargs
return _matching |
module Erpify
module Liquid
module Tags
# Filter a collection
# Usage:
# {% with_domain main_developer: 'John Doe', active: true %}
# {% for project in ooor['project.project'] %}
# {{ project.name }}
# {% endfor %}
# {% endwith_domain %}
class WithDomain < Solid::Block
OPERATORS = ['=', '!=', '<=', '<', '>', '>=', '=?', '=like', '=ilike', 'like', 'not like', 'ilike', 'not ilike', 'in', 'not in', 'child_of']
<API key> = /(\w+\.(#{OPERATORS.join('|')})){1}\s*\:/
# register the tag
tag_name :with_domain
def initialize(name, markup, options)
# convert symbol operators into valid ruby code
markup.gsub!(<API key>, ':"\1" =>')
super(name, markup, options)
end
def display(options = {}, &block)
current_context.stack do
if options.is_a?(Array)
current_context['with_domain'] = {domain: options}
elsif options[0].is_a?(Array) && options[1].is_a?(Hash)
current_context['with_domain'] = options[1].merge({domain: options[0]})
else
if options[:domain]
current_context['with_domain'] = options
else
options[:domain] = self.decode(options.except(:fields, :order_by, :offset, :limit, :fields, :include, :only, :context))
current_context['with_domain'] = options
end
end
yield
end
end
protected
def decode(options)
domain = []
options.each do |key, value|
_key, _operator = key.to_s.split('.')
if _operator
domain << [_key, _operator, value]
else
domain << [_key, '=', value]
end
end
return domain
end
::Liquid::Template.register_tag('with_domain'.freeze, WithDomain)
end
end
end
end |
# reqType
`content-type`
pattern reqType://mimeType
pattern[](../pattern.html)[](../mode.html)mimeType`content-type``text/plain``text/html``image/png`whistletype
urlencoded: application/<API key>
form: application/<API key>
json: application/json
xml: text/xml
text: text/plain
upload: multipart/form-data
multipart: multipart/form-data
defaultType: application/octet-stream
www.ifeng.com reqType://text
whistle[whistle](../update.html)
1. [ignore](./ignore.html)
2. [filter](./filter.html)patternIP
# patternpostcookietest()url cgi-bin
# filter
pattern operator1 operator2 excludeFilter://m:post includeFilter://h:cookie=test includeFilter:///cgi-bin/i
# pattern1pattern2postcookie `uin=123123` url cgi-bin
operator pattern1 pattern2 includeFilter://m:post excludeFilter://h:cookie=/uin=o\d+/i excludeFilter:///cgi-bin/i
# patternhost |
SOURCE = css
all: PDF
evince $(SOURCE).pdf &
clean:
rm $(SOURCE).aux $(SOURCE).log $(SOURCE).nav $(SOURCE).out $(SOURCE).snm $(SOURCE).toc $(SOURCE).vrb
PDF:
pdflatex -interaction=nonstopmode $(SOURCE).tex
pdflatex -interaction=nonstopmode $(SOURCE).tex
pdflatex -interaction=nonstopmode $(SOURCE).tex |
layout: post
title: "Generating an Email via Rails"
date: 2019-08-11 12:20:47 -0400
permalink: <API key>
I was recently asked to build out a piece of functionality that I had never done before - sending an automated email after filling out a form. To my surprise (but not really), Rails had this functionality already built in. In this blog post, we're going to walk through setting up a basic mailer.
First, let's utilize our generator to create the files we need. In my example, my mailer will be tied to a user, so I will call it "UserMailer". My generator command will be "rails generate mailer UserMailer". This will give me the following files:
create app/mailers/user_mailer.rb
invoke erb
create app/views/user_mailer
invoke test_unit
create test/mailers/user_mailer_test.rb
create test/mailers/previews/user_mailer_preview.rb
Now that the basic functionality is there, let's customize it. I want to send a welcome email that provides the user with a unique "code" tied to their account. The user can share this code with friends and family. Friends and family can then login using just this code, instead of creating an account themselves.
class UserMailer < ApplicationMailer
default from: 'kk504408@gmail.com'
def welcome_email
@user = params[:user]
mail(to: @user.email, subject: 'Welcome to Your Wedding Itinerary')
end
end
In the example above, I am sending an email from my personal email to the user's email. Obviously, for this to work the user will need to have an "email" attribute in our database. I will place a 'required' validation on this attribute in my model/user.rb file.
To set up the content of my email, I set up a view within views/user_mailer called "welcome.text.erb":
Welcome to the Wedding Itinerary App, <%= @user.bride %> & <%= @user.groom %>
==========================================================================
You have successfully signed up a Wedding Itinerary,
your username is: <%= @user.username %>.
your shareable wedding code is: <%= @user.wedding_code %>
Thanks for joining and have a great day!
Sending the email boils down to one line of code - calling the mailer. In my case, I want to send the email once the user successfully signs up. I will add this to the create method of my users controller:
def create
user = User.create(user_params)
if user && user.valid?
UserMailer.with(user: user).welcome.deliver_now
render json: { current: user }
else
render json: { error: 'Failed to Sign Up' }, status: 400
end
end
The only thing left to do at this point is connect my personal email to the application via environment variables. A more in depth look at this process can be found [here](http://railsapps.github.io/<API key>.html).
For more information on Action Mailers, you can visit [here](https://guides.rubyonrails.org/<API key>.html) for the official documentation. |
# -*- coding: utf-8 -*-
from __future__ import print_function
import os
import sys
import time
import subprocess
# Import parameters from the setup file.
sys.path.append('.')
from setup import (
setup_dict, get_project_files, <API key>,
<API key>, _lint, _test, _test_all,
CODE_DIRECTORY, DOCS_DIRECTORY, TESTS_DIRECTORY, PYTEST_FLAGS)
from paver.easy import options, task, needs, consume_args
from paver.setuputils import <API key>
options(setup=setup_dict)
<API key>()
## Miscellaneous helper functions
def print_passed():
def print_failed():
class cwd(object):
"""Class used for temporarily changing directories. Can be though of
as a `pushd /my/dir' then a `popd' at the end.
"""
def __init__(self, newcwd):
""":param newcwd: directory to make the cwd
:type newcwd: :class:`str`
"""
self.newcwd = newcwd
def __enter__(self):
self.oldcwd = os.getcwd()
os.chdir(self.newcwd)
return os.getcwd()
def __exit__(self, type_, value, traceback):
# This acts like a `finally' clause: it will always be executed.
os.chdir(self.oldcwd)
## Task-related functions
def _doc_make(*make_args):
"""Run make in sphinx' docs directory.
:return: exit code
"""
if sys.platform == 'win32':
# Windows
make_cmd = ['make.bat']
else:
# Linux, Mac OS X, and others
make_cmd = ['make']
make_cmd.extend(make_args)
# Account for a stupid Python "bug" on Windows:
with cwd(DOCS_DIRECTORY):
retcode = subprocess.call(make_cmd)
return retcode
## Tasks
@task
@needs('doc_html', 'setuptools.command.sdist')
def sdist():
"""Build the HTML docs and the tarball."""
pass
@task
def test():
"""Run the unit tests."""
raise SystemExit(_test())
@task
def lint():
# This refuses to format properly when running `paver help' unless
# this ugliness is used.
('Perform PEP8 style check, run PyFlakes, and run McCabe complexity '
'metrics on the code.')
raise SystemExit(_lint())
@task
def test_all():
"""Perform a style check and run all unit tests."""
retcode = _test_all()
if retcode == 0:
print_passed()
else:
print_failed()
raise SystemExit(retcode)
@task
@consume_args
def run(args):
"""Run the package's main script. All arguments are passed to it."""
# The main script expects to get the called executable's name as
# argv[0]. However, paver doesn't provide that in args. Even if it did (or
# we dove into sys.argv), it wouldn't be useful because it would be paver's
# executable. So we just pass the package name in as the executable name,
# since it's close enough. This should never be seen by an end user
# installing through Setuptools anyway.
from pychess_engine.main import main
raise SystemExit(main([CODE_DIRECTORY] + args))
@task
def commit():
"""Commit only if all the tests pass."""
if _test_all() == 0:
subprocess.check_call(['git', 'commit'])
else:
<API key>('\nTests failed, not committing.')
@task
def coverage():
"""Run tests and show test coverage report."""
try:
import pytest_cov # NOQA
except ImportError:
<API key>(
'Install the pytest coverage plugin to use this task, '
"i.e., `pip install pytest-cov'.")
raise SystemExit(1)
import pytest
pytest.main(PYTEST_FLAGS + [
'--cov', CODE_DIRECTORY,
'--cov-report', 'term-missing',
TESTS_DIRECTORY])
@task # NOQA
def doc_watch():
"""Watch for changes in the docs and rebuild HTML docs when changed."""
try:
from watchdog.events import <API key>
from watchdog.observers import Observer
except ImportError:
<API key>('Install the watchdog package to use this task, '
"i.e., `pip install watchdog'.")
raise SystemExit(1)
class <API key>(<API key>):
def __init__(self, base_paths):
self.base_paths = base_paths
def dispatch(self, event):
"""Dispatches events to the appropriate methods.
:param event: The event object representing the file system event.
:type event: :class:`watchdog.events.FileSystemEvent`
"""
for base_path in self.base_paths:
if event.src_path.endswith(base_path):
super(<API key>, self).dispatch(event)
# We found one that matches. We're done.
return
def on_modified(self, event):
<API key>('Modification detected. Rebuilding docs.')
# # Strip off the path prefix.
# import os
# if event.src_path[len(os.getcwd()) + 1:].startswith(
# CODE_DIRECTORY):
# # sphinx-build doesn't always pick up changes on code files,
# # even though they are used to generate the documentation. As
# # a workaround, just clean before building.
doc_html()
<API key>('Docs have been rebuilt.')
<API key>(
'Watching for changes in project files, press Ctrl-C to cancel...')
handler = <API key>(get_project_files())
observer = Observer()
observer.schedule(handler, path='.', recursive=True)
observer.start()
try:
while True:
time.sleep(1)
except KeyboardInterrupt:
observer.stop()
observer.join()
@task
@needs('doc_html')
def doc_open():
"""Build the HTML docs and open them in a web browser."""
doc_index = os.path.join(DOCS_DIRECTORY, 'build', 'html', 'index.html')
if sys.platform == 'darwin':
# Mac OS X
subprocess.check_call(['open', doc_index])
elif sys.platform == 'win32':
# Windows
subprocess.check_call(['start', doc_index], shell=True)
elif sys.platform == 'linux2':
# All <API key> desktops
subprocess.check_call(['xdg-open', doc_index])
else:
<API key>(
"Unsupported platform. Please open `{0}' manually.".format(
doc_index))
@task
def get_tasks():
"""Get all paver-defined tasks."""
from paver.tasks import environment
for task in environment.get_tasks():
print(task.shortname)
@task
def doc_html():
"""Build the HTML docs."""
retcode = _doc_make('html')
if retcode:
raise SystemExit(retcode)
@task
def doc_clean():
"""Clean (delete) the built docs."""
retcode = _doc_make('clean')
if retcode:
raise SystemExit(retcode) |
<hr>
<h2 class="txt-center">Comments</h2>
<!-- start -->
<div class="ds-thread" data-thread-key="{{page.id}}" data-title="{{page.title}}" data-url="{{ site.url }}{{ post.url }}"></div>
<!-- end -->
<!-- JS start () -->
<script type="text/javascript">
var duoshuoQuery = {short_name:"catfish"};
(function() {
var ds = document.createElement('script');
ds.type = 'text/javascript';ds.async = true;
ds.src = (document.location.protocol == 'https:' ? 'https:' : 'http:') + '//static.duoshuo.com/embed.js';
ds.charset = 'UTF-8';
(document.<API key>('head')[0] || document.<API key>('body')[0]).appendChild(ds);
})();
</script>
<!-- JS end --> |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.