From f80d881847d1e038922675cf6034c0776f498db1 Mon Sep 17 00:00:00 2001 From: Anton Ignatov Date: Sun, 28 Apr 2019 19:11:41 +0200 Subject: [PATCH] Fix markup --- app/assets/javascripts/marvinjs_editor.js | 219 ++-- .../javascripts/sitewide/file_preview.js | 31 +- app/assets/javascripts/sitewide/tiny_mce.js | 55 +- app/assets/stylesheets/marvinjs.scss | 36 +- app/assets/stylesheets/steps.scss | 10 +- app/assets/stylesheets/tiny_mce.scss | 12 +- .../marvin_js_assets_controller.rb | 19 +- app/helpers/my_modules_helper.rb | 29 +- app/models/marvin_js_asset.rb | 16 +- app/models/step.rb | 6 +- app/models/tiny_mce_asset.rb | 22 +- config/routes.rb | 2 +- .../20190426185413_create_marvin_js_assets.rb | 2 + ...0427115413_add_name_to_marvin_js_assets.rb | 1 + public/javascripts/i18n.js | 1067 ----------------- public/javascripts/translations.js | 47 - spec/models/marvin_js_asset_spec.rb | 5 - 17 files changed, 240 insertions(+), 1339 deletions(-) delete mode 100644 public/javascripts/i18n.js delete mode 100644 public/javascripts/translations.js delete mode 100644 spec/models/marvin_js_asset_spec.rb diff --git a/app/assets/javascripts/marvinjs_editor.js b/app/assets/javascripts/marvinjs_editor.js index 131540f47..5c1875805 100644 --- a/app/assets/javascripts/marvinjs_editor.js +++ b/app/assets/javascripts/marvinjs_editor.js @@ -1,158 +1,163 @@ -var MarvinJsEditor = (function() { +/* global MarvinJSUtil, I18n, FilePreviewModal, tinymce, TinyMCE */ +/* eslint-disable no-param-reassign */ +/* eslint-disable wrap-iife */ +var MarvinJsEditor = (function() { var marvinJsModal = $('#MarvinJsModal'); var marvinJsContainer = $('#marvinjs-editor'); var marvinJsObject = $('#marvinjs-sketch'); - var emptySketch = "" - var sketchName = marvinJsModal.find('.file-name input') + var emptySketch = ''; + var sketchName = marvinJsModal.find('.file-name input'); var loadEditor = () => { - return MarvinJSUtil.getEditor('#marvinjs-sketch') - } + return MarvinJSUtil.getEditor('#marvinjs-sketch'); + }; var loadPackages = () => { - return MarvinJSUtil.getPackage('#marvinjs-sketch') - } + return MarvinJSUtil.getPackage('#marvinjs-sketch'); + }; function preloadActions(config) { - if (config.mode === 'new' || config.mode === 'new-tinymce'){ + if (config.mode === 'new' || config.mode === 'new-tinymce') { loadEditor().then(function(sketcherInstance) { - sketcherInstance.importStructure("mrv",emptySketch) - sketchName.val(I18n.t('marvinjs.new_sketch')) - }) - }else if (config.mode === 'edit'){ + sketcherInstance.importStructure('mrv', emptySketch); + sketchName.val(I18n.t('marvinjs.new_sketch')); + }); + } else if (config.mode === 'edit') { loadEditor().then(function(sketcherInstance) { - sketcherInstance.importStructure("mrv",config.data) - sketchName.val(config.name) - }) - }else if (config.mode === 'edit-tinymce'){ + sketcherInstance.importStructure('mrv', config.data); + sketchName.val(config.name); + }); + } else if (config.mode === 'edit-tinymce') { loadEditor().then(function(sketcherInstance) { - $.get(config.marvinUrl,function(result){ - sketcherInstance.importStructure("mrv",result.description) - sketchName.val(result.name) - }) - }) + $.get(config.marvinUrl, function(result) { + sketcherInstance.importStructure('mrv', result.description); + sketchName.val(result.name); + }); + }); } } - function createExporter(marvin,imageType) { - var inputFormat = "mrv"; + function createExporter(marvin, imageType) { + var inputFormat = 'mrv'; var settings = { - 'width' : 900, - 'height' : 900 + width: 900, + height: 900 }; var params = { - 'imageType': imageType, - 'settings': settings, - 'inputFormat': inputFormat - } + imageType: imageType, + settings: settings, + inputFormat: inputFormat + }; return new marvin.ImageExporter(params); } - function assignImage(target,data){ - target.attr('src',data) - return data + function assignImage(target, data) { + target.attr('src', data); + return data; } function TinyMceBuildHTML(json) { var imgstr = ""; return imgstr; } return Object.freeze({ open: function(config) { - preloadActions(config) + preloadActions(config); $(marvinJsModal).modal('show'); $(marvinJsObject) .css('width', marvinJsContainer.width() + 'px') - .css('height', marvinJsContainer.height() + 'px') + .css('height', marvinJsContainer.height() + 'px'); marvinJsModal.find('.file-save-link').off('click').on('click', () => { - if (config.mode === 'new'){ - MarvinJsEditor().save(config) - } else if (config.mode === 'edit'){ - MarvinJsEditor().update(config) - } else if (config.mode === 'new-tinymce'){ - config.objectType = 'TinyMceAsset' - MarvinJsEditor().save_with_image(config) - } else if (config.mode === 'edit-tinymce'){ - MarvinJsEditor().update_tinymce(config) + if (config.mode === 'new') { + MarvinJsEditor().save(config); + } else if (config.mode === 'edit') { + MarvinJsEditor().update(config); + } else if (config.mode === 'new-tinymce') { + config.objectType = 'TinyMceAsset'; + MarvinJsEditor().save_with_image(config); + } else if (config.mode === 'edit-tinymce') { + MarvinJsEditor().update_tinymce(config); } - }) - + }); }, initNewButton: function(selector) { - $(selector).off('click').on('click', function(){ + $(selector).off('click').on('click', function() { var objectId = this.dataset.objectId; var objectType = this.dataset.objectType; var marvinUrl = this.dataset.marvinUrl; - var container = this.dataset.sketchContainer + var container = this.dataset.sketchContainer; MarvinJsEditor().open({ mode: 'new', objectId: objectId, objectType: objectType, marvinUrl: marvinUrl, container: container - }) - }) + }); + }); }, - save: function(config){ + save: function(config) { loadEditor().then(function(sketcherInstance) { - sketcherInstance.exportStructure("mrv").then(function(source) { - $.post(config.marvinUrl,{ + sketcherInstance.exportStructure('mrv').then(function(source) { + $.post(config.marvinUrl, { description: source, object_id: config.objectId, object_type: config.objectType, name: sketchName.val() - }, function(result){ - if (config.objectType === 'Step'){ - new_asset = $(result.html) - new_asset.find('.file-preview-link').css('top','-300px') - new_asset.addClass('new').prependTo($(config.container)) - setTimeout(function(){ - new_asset.find('.file-preview-link').css('top','0px') - },200) - FilePreviewModal.init() + }, function(result) { + var newAsset; + if (config.objectType === 'Step') { + newAsset = $(result.html); + newAsset.find('.file-preview-link').css('top', '-300px'); + newAsset.addClass('new').prependTo($(config.container)); + setTimeout(function() { + newAsset.find('.file-preview-link').css('top', '0px'); + }, 200); + FilePreviewModal.init(); } $(marvinJsModal).modal('hide'); - }) + }); }); - }) + }); }, - save_with_image: function(config){ + save_with_image: function(config) { loadEditor().then(function(sketcherInstance) { - sketcherInstance.exportStructure("mrv").then(function(mrv_description) { - loadPackages().then(function (sketcherPackage) { + sketcherInstance.exportStructure('mrv').then(function(mrvDescription) { + loadPackages().then(function(sketcherPackage) { sketcherPackage.onReady(function() { - exporter = createExporter(sketcherPackage,'image/jpeg') - exporter.render(mrv_description).then(function(image){ - $.post(config.marvinUrl,{ - description: mrv_description, + var exporter = createExporter(sketcherPackage, 'image/jpeg'); + exporter.render(mrvDescription).then(function(image) { + $.post(config.marvinUrl, { + description: mrvDescription, object_id: config.objectId, object_type: config.objectType, name: sketchName.val(), image: image - }, function(result){ + }, function(result) { var json = tinymce.util.JSON.parse(result); config.editor.execCommand('mceInsertContent', false, TinyMceBuildHTML(json)); - TinyMCE.updateImages(config.editor) + TinyMCE.updateImages(config.editor); $(marvinJsModal).modal('hide'); - }) + }); }); }); }); }); - }) + }); }, - update: function(config){ + update: function(config) { loadEditor().then(function(sketcherInstance) { - sketcherInstance.exportStructure("mrv").then(function(source) { + sketcherInstance.exportStructure('mrv').then(function(source) { $.ajax({ url: config.marvinUrl, data: { @@ -163,29 +168,29 @@ var MarvinJsEditor = (function() { type: 'PUT', success: function(json) { $(marvinJsModal).modal('hide'); - config.reloadImage.src.val(json.description) - $(config.reloadImage.sketch).find('.attachment-label').text(json.name) + config.reloadImage.src.val(json.description); + $(config.reloadImage.sketch).find('.attachment-label').text(json.name); MarvinJsEditor().create_preview( - config.reloadImage.src, + config.reloadImage.src, $(config.reloadImage.sketch).find('img') - ) + ); } }); }); - }) + }); }, - update_tinymce: function(config){ + update_tinymce: function(config) { loadEditor().then(function(sketcherInstance) { - sketcherInstance.exportStructure("mrv").then(function(mrv_description) { - loadPackages().then(function (sketcherPackage) { + sketcherInstance.exportStructure('mrv').then(function(mrvDescription) { + loadPackages().then(function(sketcherPackage) { sketcherPackage.onReady(function() { - exporter = createExporter(sketcherPackage,'image/jpeg') - exporter.render(mrv_description).then(function(image){ + var exporter = createExporter(sketcherPackage, 'image/jpeg'); + exporter.render(mrvDescription).then(function(image) { $.ajax({ url: config.marvinUrl, data: { - description: mrv_description, + description: mrvDescription, name: sketchName.val(), object_type: 'TinyMceAsset', image: image @@ -193,8 +198,8 @@ var MarvinJsEditor = (function() { dataType: 'json', type: 'PUT', success: function(json) { - config.image[0].src = json.url - config.saveButton.removeClass('hidden') + config.image[0].src = json.url; + config.saveButton.removeClass('hidden'); $(marvinJsModal).modal('hide'); } }); @@ -202,27 +207,27 @@ var MarvinJsEditor = (function() { }); }); }); - }) + }); }, - create_preview: function(source,target){ - loadPackages().then(function (sketcherInstance) { + create_preview: function(source, target) { + loadPackages().then(function(sketcherInstance) { sketcherInstance.onReady(function() { - exporter = createExporter(sketcherInstance,'image/jpeg') - sketch_config = source.val(); - exporter.render(sketch_config).then(function(result){ - assignImage(target,result) + var exporter = createExporter(sketcherInstance, 'image/jpeg'); + var sketchConfig = source.val(); + exporter.render(sketchConfig).then(function(result) { + assignImage(target, result); }); }); }); }, - create_download_link: function(source,link,filename){ - loadPackages().then(function (sketcherInstance) { + create_download_link: function(source, link, filename) { + loadPackages().then(function(sketcherInstance) { sketcherInstance.onReady(function() { - exporter = createExporter(sketcherInstance,'image/jpeg') - sketch_config = source.val(); - exporter.render(sketch_config).then(function(result){ + var exporter = createExporter(sketcherInstance, 'image/jpeg'); + var sketchConfig = source.val(); + exporter.render(sketchConfig).then(function(result) { link.attr('href', result); link.attr('download', filename); }); @@ -230,13 +235,13 @@ var MarvinJsEditor = (function() { }); }, - delete_sketch: function(url,object){ + delete_sketch: function(url, object) { $.ajax({ url: url, dataType: 'json', type: 'DELETE', - success: function(json) { - $(object).remove() + success: function() { + $(object).remove(); } }); } @@ -249,15 +254,15 @@ var MarvinJsEditor = (function() { tinymce.PluginManager.requireLangPack('MarvinJsPlugin'); tinymce.create('tinymce.plugins.MarvinJsPlugin', { - MarvinJsPlugin: function(ed, url) { + MarvinJsPlugin: function(ed) { var editor = ed; - function openMarvinJs(){ + function openMarvinJs() { MarvinJsEditor().open({ mode: 'new-tinymce', marvinUrl: '/marvin_js_assets', editor: editor - }) + }); } // Add a button that opens a window editor.addButton('marvinjsplugin', { diff --git a/app/assets/javascripts/sitewide/file_preview.js b/app/assets/javascripts/sitewide/file_preview.js index 6bbb598e5..b267fba32 100644 --- a/app/assets/javascripts/sitewide/file_preview.js +++ b/app/assets/javascripts/sitewide/file_preview.js @@ -1,7 +1,8 @@ /* eslint no-underscore-dangle: ["error", { "allowAfterThis": true }]*/ /* eslint no-use-before-define: ["error", { "functions": false }]*/ /* eslint-disable no-underscore-dangle */ -/* global Uint8Array fabric tui animateSpinner setupAssetsLoading I18n PerfectScrollbar*/ +/* global Uint8Array fabric tui animateSpinner + setupAssetsLoading I18n PerfectScrollbar MarvinJsEditor */ //= require assets var FilePreviewModal = (function() { @@ -21,11 +22,12 @@ var FilePreviewModal = (function() { name = $(this).find('.attachment-label').text(); url = $(this).data('preview-url'); downloadUrl = $(this).attr('href'); - if ($(this).data('asset-type') === 'marvin-sketch'){ - openMarvinPrevieModal(name,$(this).find('#description'),this) - return true + if ($(this).data('asset-type') === 'marvin-sketch') { + openMarvinPrevieModal(name, $(this).find('#description'), this); + return true; } openPreviewModal(name, url, downloadUrl); + return true; }); } @@ -425,7 +427,7 @@ var FilePreviewModal = (function() { dataType: 'json', success: function(data) { var link = modal.find('.file-download-link'); - clearPrevieModal() + clearPrevieModal(); if (Object.prototype.hasOwnProperty.call(data, 'wopi-controls')) { modal.find('.file-wopi-controls').html(data['wopi-controls']); } @@ -523,24 +525,25 @@ var FilePreviewModal = (function() { }); } - function clearPrevieModal(){ + function clearPrevieModal() { var modal = $('#filePreviewModal'); modal.find('.file-preview-container').empty(); modal.find('.file-wopi-controls').empty(); modal.find('.file-edit-link').css('display', 'none'); } - function openMarvinPrevieModal(name,src,sketch){ + function openMarvinPrevieModal(name, src, sketch) { var modal = $('#filePreviewModal'); var link = modal.find('.file-download-link'); - clearPrevieModal() + var target; + clearPrevieModal(); - modal.modal('show') + modal.modal('show'); modal.find('.file-preview-container') - .append($('').attr('src', '').attr('alt', '')); - target=modal.find('.file-preview-container').find('img') - MarvinJsEditor().create_preview(src,target) - MarvinJsEditor().create_download_link(src,link,name) + .append($('').attr('src', '').attr('alt', '')); + target = modal.find('.file-preview-container').find('img'); + MarvinJsEditor().create_preview(src, target); + MarvinJsEditor().create_download_link(src, link, name); modal.find('.file-name').text(name); if (!readOnly) { @@ -558,7 +561,7 @@ var FilePreviewModal = (function() { src: src, sketch: sketch } - }) + }); }); } else { modal.find('.file-edit-link').css('display', 'none'); diff --git a/app/assets/javascripts/sitewide/tiny_mce.js b/app/assets/javascripts/sitewide/tiny_mce.js index 56b8c27b8..96b4de527 100644 --- a/app/assets/javascripts/sitewide/tiny_mce.js +++ b/app/assets/javascripts/sitewide/tiny_mce.js @@ -1,4 +1,4 @@ -/* global _ hljs tinyMCE SmartAnnotation */ +/* global _ hljs tinyMCE SmartAnnotation MarvinJsEditor */ /* eslint-disable no-unused-vars */ var TinyMCE = (function() { @@ -50,8 +50,8 @@ var TinyMCE = (function() { $(selector).closest('form').find('.form-group') .before('
'); tinyMceContainer.addClass('hidden'); - plugins = 'autosave autoresize customimageuploader link advlist codesample autolink lists charmap hr anchor searchreplace wordcount visualblocks visualchars insertdatetime nonbreaking save directionality paste textcolor colorpicker textpattern' - if (typeof(MarvinJsEditor) !== 'undefined') plugins += ' marvinjsplugin' + plugins = 'autosave autoresize customimageuploader link advlist codesample autolink lists charmap hr anchor searchreplace wordcount visualblocks visualchars insertdatetime nonbreaking save directionality paste textcolor colorpicker textpattern'; + if (typeof (MarvinJsEditor) !== 'undefined') plugins += ' marvinjsplugin'; tinyMCE.init({ cache_suffix: '?v=4.9.3', // This suffix should be changed any time library is updated selector: selector, @@ -130,11 +130,11 @@ var TinyMCE = (function() { ], init_instance_callback: function(editor) { var editorForm = $(editor.getContainer()).closest('form'); - var editorContainer = $(editor.getContainer()) + var editorContainer = $(editor.getContainer()); var menuBar = editorForm.find('.mce-menubar.mce-toolbar.mce-first .mce-flow-layout'); var editorToolbar = editorForm.find('.mce-top-part'); var editorToolbaroffset = mceConfig.toolbar_offset || 120; - var editorIframe = $('#' + editor.id).prev().find('.mce-edit-area iframe') + var editorIframe = $('#' + editor.id).prev().find('.mce-edit-area iframe'); $('.tinymce-placeholder').css('height', $(editor.editorContainer).height() + 'px'); setTimeout(() => { @@ -168,43 +168,44 @@ var TinyMCE = (function() { // Init image helpers $('').appendTo(editorToolbar.find('.mce-stack-layout')) - editorIframe.contents().click(function(){ + + '' + + '' + + '').appendTo(editorToolbar.find('.mce-stack-layout')); + editorIframe.contents().click(function() { + var marvinJsEdit; setTimeout(() => { - var image = editorIframe.contents().find('img[data-mce-selected="1"]') + var image = editorIframe.contents().find('img[data-mce-selected="1"]'); var editLink; - if (image.length > 0){ - editorContainer.find('.tinymce-active-object-handler').css('display', 'block') + if (image.length > 0) { + editorContainer.find('.tinymce-active-object-handler').css('display', 'block'); editorContainer.find('.tinymce-active-object-handler .file-download-link') .attr('href', image[0].src) .attr('download', 'tinymce-image'); - editLink = editorContainer.find('.tinymce-active-object-handler .file-edit-link') + editLink = editorContainer.find('.tinymce-active-object-handler .file-edit-link'); if (image[0].dataset.sourceId) { - editLink.css('display','inline-block') - var marvinJsEdit = (image[0].dataset.sourceType === 'MarvinJsAsset' && typeof(MarvinJsEditor) !== 'undefined') - if (!marvinJsEdit) editLink.css('display','none') - editLink.on('click', function(){ - if (marvinJsEdit){ + editLink.css('display', 'inline-block'); + marvinJsEdit = (image[0].dataset.sourceType === 'MarvinJsAsset' && typeof (MarvinJsEditor) !== 'undefined'); + if (!marvinJsEdit) editLink.css('display', 'none'); + editLink.on('click', function() { + if (marvinJsEdit) { MarvinJsEditor().open({ mode: 'edit-tinymce', - marvinUrl: '/marvin_js_assets/'+image[0].dataset.sourceId, + marvinUrl: '/marvin_js_assets/' + image[0].dataset.sourceId, image: image, saveButton: editorContainer.find('.tinymce-save-button') - }) + }); } - }) + }); } else { - editLink.css('display','none') - editLink.off('click') + editLink.css('display', 'none'); + editLink.off('click'); } - }else{ - editorContainer.find('.tinymce-active-object-handler').css('display', 'none') + } else { + editorContainer.find('.tinymce-active-object-handler').css('display', 'none'); } - },100) - }) + }, 100); + }); // After save action editorForm diff --git a/app/assets/stylesheets/marvinjs.scss b/app/assets/stylesheets/marvinjs.scss index 723b23efb..4a649f1a5 100644 --- a/app/assets/stylesheets/marvinjs.scss +++ b/app/assets/stylesheets/marvinjs.scss @@ -1,3 +1,9 @@ +// scss-lint:disable SelectorDepth +// scss-lint:disable NestingDepth +// scss-lint:disable SelectorFormat +// scss-lint:disable ImportantRule +// scss-lint:disable IdSelector + @import "constants"; @import "mixins"; @@ -25,7 +31,6 @@ .modal-content { background: transparent; border: 0; - -webkit-box-shadow: none; box-shadow: none; color: $color-white; height: 100%; @@ -48,7 +53,7 @@ height: 40px; outline: 0; padding: 5px 10px; - position:relative; + position: relative; top: -5px; width: 350px; } @@ -60,15 +65,15 @@ padding: 0; #marvinjs-editor { - width: 100%; height: 100%; overflow: hidden; position: relative; + width: 100%; #marvinjs-sketch { - overflow: hidden; - min-width: 500px; min-height: 450px; + min-width: 500px; + overflow: hidden; } } } @@ -82,19 +87,20 @@ } } -#new-step-sketch{ +#new-step-sketch { + .sketch-container { - width: 100%; - float:left; display: grid; + float: left; grid-template-columns: repeat(auto-fill, minmax(250px, 1fr)); + width: 100%; } } - i.mce-i-file-invoice:before { - content: "\F570"; - font-family: "Font Awesome 5 Free"; - font-weight: 900; - position: absolute; - line-height: 16px - } \ No newline at end of file +.mce-i-file-invoice::before { + content: "\F570"; + font-family: "Font Awesome 5 Free"; + font-weight: 900; + line-height: 16px; + position: absolute; +} diff --git a/app/assets/stylesheets/steps.scss b/app/assets/stylesheets/steps.scss index ed5f526e6..73550626d 100644 --- a/app/assets/stylesheets/steps.scss +++ b/app/assets/stylesheets/steps.scss @@ -17,7 +17,7 @@ li { margin-bottom: 10px; - & > div > span.pull-left { + > div > span.pull-left { margin-top: 10px; } } @@ -106,7 +106,7 @@ order: 0 !important; .file-preview-link { - transition: 0.5s; + transition: .5s; } .attachment-placeholder { @@ -114,10 +114,10 @@ &::before { background: $brand-primary; - border-radius: 0px 5px 0px 5px; + border-radius: 0 5px; bottom: 16px; color: $color-white; - content: 'NEW'; + content: "NEW"; left: 8px; line-height: 20px; position: absolute; @@ -274,8 +274,8 @@ line-height: 16px; overflow: hidden; padding: 2px 5px; - width: 100%; pointer-events: none; + width: 100%; &:focus { outline: 0; diff --git a/app/assets/stylesheets/tiny_mce.scss b/app/assets/stylesheets/tiny_mce.scss index 964483036..f095d7218 100644 --- a/app/assets/stylesheets/tiny_mce.scss +++ b/app/assets/stylesheets/tiny_mce.scss @@ -70,8 +70,8 @@ border: 1px solid transparent; cursor: pointer; display: inline-block; - margin: 2px; line-height: 27px; + margin: 2px; text-align: center; width: 30px; @@ -80,21 +80,21 @@ } } - i.mce-i-donwload:before { + .mce-i-donwload::before { content: "\F019"; font-family: "Font Awesome 5 Free"; font-weight: 900; + line-height: 16px; position: absolute; - line-height: 16px } - i.mce-i-pencil:before { + .mce-i-pencil::before { content: "\F303"; font-family: "Font Awesome 5 Free"; font-weight: 900; + line-height: 16px; position: absolute; - line-height: 16px } } } -// scss-lint:enable ImportantRule \ No newline at end of file +// scss-lint:enable ImportantRule diff --git a/app/controllers/marvin_js_assets_controller.rb b/app/controllers/marvin_js_assets_controller.rb index a30ade691..6519aa31e 100644 --- a/app/controllers/marvin_js_assets_controller.rb +++ b/app/controllers/marvin_js_assets_controller.rb @@ -2,20 +2,22 @@ class MarvinJsAssetsController < ApplicationController def create - new_asset = MarvinJsAsset.add_sketch(marvin_params,current_team) + new_asset = MarvinJsAsset.add_sketch(marvin_params, current_team) if new_asset.object_type == 'Step' render json: { - html: render_to_string( - partial: 'assets/marvinjs/marvin_sketch_card.html.erb', - locals: { sketch: new_asset, i:0, assets_count: 0, step: new_asset.object} - ) + html: render_to_string( + partial: 'assets/marvinjs/marvin_sketch_card.html.erb', + locals: { sketch: new_asset, i: 0, assets_count: 0, step: new_asset.object } + ) } elsif new_asset.object_type == 'TinyMceAsset' tiny_img = TinyMceAsset.find(new_asset.object_id) render json: { image: { url: view_context.image_url(tiny_img.url(:large)), - token: Base62.encode(tiny_img.id) + token: Base62.encode(tiny_img.id), + source_id: new_asset.id, + source_type: new_asset.class.name } }, content_type: 'text/html' else @@ -28,7 +30,7 @@ class MarvinJsAssetsController < ApplicationController end def destroy - sketch=MarvinJsAsset.find(params[:id]) + sketch = MarvinJsAsset.find(params[:id]) sketch.destroy render json: sketch end @@ -40,7 +42,6 @@ class MarvinJsAssetsController < ApplicationController private def marvin_params - params.permit(:id,:description, :object_id, :object_type, :name, :image) + params.permit(:id, :description, :object_id, :object_type, :name, :image) end - end diff --git a/app/helpers/my_modules_helper.rb b/app/helpers/my_modules_helper.rb index aa69cbb4b..a37734852 100644 --- a/app/helpers/my_modules_helper.rb +++ b/app/helpers/my_modules_helper.rb @@ -1,3 +1,5 @@ +# frozen_string_literal: true + module MyModulesHelper def ordered_step_of(my_module) my_module.protocol.steps.order(:position) @@ -8,21 +10,21 @@ module MyModulesHelper end def ordered_assets(step) - assets=[] + assets = [] assets += step.assets assets += step.marvin_js_assets if MarvinJsAsset.enabled? - assets.sort! { |a, b| - a[asset_date_sort_field(a)] <=> b[asset_date_sort_field(b)] - } + assets.sort! do |a, b| + a[asset_date_sort_field(a)] <=> b[asset_date_sort_field(b)] + end end def az_ordered_assets_index(step, asset_id) - assets=[] + assets = [] assets += step.assets assets += step.marvin_js_assets if MarvinJsAsset.enabled? - assets.sort! { |a, b| + assets.sort! do |a, b| (a[asset_name_sort_field(a)] || '').downcase <=> (b[asset_name_sort_field(b)] || '').downcase - }.pluck(:id).index(asset_id) + end.pluck(:id).index(asset_id) end def number_of_samples(my_module) @@ -45,29 +47,28 @@ module MyModulesHelper end def is_steps_page? - action_name == "steps" + action_name == 'steps' end def is_results_page? - action_name == "results" + action_name == 'results' end private - def asset_date_sort_field(el) + def asset_date_sort_field(element) result = { 'Asset' => :file_updated_at, 'MarvinJsAsset' => :updated_at } - result[el.class.name] + result[element.class.name] end - def asset_name_sort_field(el) + def asset_name_sort_field(element) result = { 'Asset' => :file_file_name, 'MarvinJsAsset' => :name } - result[el.class.name] + result[element.class.name] end - end diff --git a/app/models/marvin_js_asset.rb b/app/models/marvin_js_asset.rb index 7680fb98a..2524bc762 100644 --- a/app/models/marvin_js_asset.rb +++ b/app/models/marvin_js_asset.rb @@ -1,5 +1,6 @@ -class MarvinJsAsset < ApplicationRecord +# frozen_string_literal: true +class MarvinJsAsset < ApplicationRecord belongs_to :object, polymorphic: true, optional: true, inverse_of: :marvin_js_assets @@ -14,7 +15,7 @@ class MarvinJsAsset < ApplicationRecord ENV['MARVINJS_URL'] != nil end - def self.add_sketch(values,team) + def self.add_sketch(values, team) if values[:object_type] == 'TinyMceAsset' tiny_mce_img = TinyMceAsset.new( object: nil, @@ -27,18 +28,17 @@ class MarvinJsAsset < ApplicationRecord values[:object_id] = tiny_mce_img.id end - create(values.merge({team_id: team.id}).except(:image)) + create(values.merge(team_id: team.id).except(:image)) end def self.update_sketch(values) - sketch=MarvinJsAsset.find(values[:id]) - sketch.update(values.except(:image,:object_type,:id)) + sketch = MarvinJsAsset.find(values[:id]) + sketch.update(values.except(:image, :object_type, :id)) if values[:object_type] == 'TinyMceAsset' image = TinyMceAsset.find(sketch.object_id) image.update(image: values[:image]) - return {url: image.url(:large)} + return { url: image.url(:large) } end - return sketch + sketch end - end diff --git a/app/models/step.rb b/app/models/step.rb index feb75816e..bcc43eb8a 100644 --- a/app/models/step.rb +++ b/app/models/step.rb @@ -34,9 +34,9 @@ class Step < ApplicationRecord dependent: :destroy has_many :marvin_js_assets, - as: :object, - class_name: :MarvinJsAsset, - dependent: :destroy + as: :object, + class_name: :MarvinJsAsset, + dependent: :destroy accepts_nested_attributes_for :checklists, reject_if: :all_blank, diff --git a/app/models/tiny_mce_asset.rb b/app/models/tiny_mce_asset.rb index 91cdd9a89..d814ec9f5 100644 --- a/app/models/tiny_mce_asset.rb +++ b/app/models/tiny_mce_asset.rb @@ -15,9 +15,9 @@ class TinyMceAsset < ApplicationRecord optional: true has_one :marvin_js_asset, - as: :object, - class_name: :MarvinJsAsset, - dependent: :destroy + as: :object, + class_name: :MarvinJsAsset, + dependent: :destroy belongs_to :object, polymorphic: true, optional: true, @@ -63,15 +63,15 @@ class TinyMceAsset < ApplicationRecord tm_assets.each do |tm_asset| asset_id = tm_asset.attr('data-mce-token') new_asset_url = find_by_id(Base62.decode(asset_id)) - if new_asset_url - assets_source = new_asset_url.source - if assets_source - tm_asset.set_attribute('data-source-id', assets_source.id) - tm_asset.set_attribute('data-source-type', assets_source.class.name) - end - tm_asset.attributes['src'].value = new_asset_url.url - tm_asset['class'] = 'img-responsive' + next unless new_asset_url + + assets_source = new_asset_url.source + if assets_source + tm_asset.set_attribute('data-source-id', assets_source.id) + tm_asset.set_attribute('data-source-type', assets_source.class.name) end + tm_asset.attributes['src'].value = new_asset_url.url + tm_asset['class'] = 'img-responsive' end description.css('body').inner_html.to_s end diff --git a/config/routes.rb b/config/routes.rb index 2a9b447f3..ed227631f 100644 --- a/config/routes.rb +++ b/config/routes.rb @@ -676,7 +676,7 @@ Rails.application.routes.draw do end end - resources :marvin_js_assets, only: [:create, :update, :destroy, :show] + resources :marvin_js_assets, only: %i(create update destroy show) post 'global_activities', to: 'global_activities#index' diff --git a/db/migrate/20190426185413_create_marvin_js_assets.rb b/db/migrate/20190426185413_create_marvin_js_assets.rb index f0a83c27b..b519892b6 100644 --- a/db/migrate/20190426185413_create_marvin_js_assets.rb +++ b/db/migrate/20190426185413_create_marvin_js_assets.rb @@ -1,3 +1,5 @@ +# frozen_string_literal: true + class CreateMarvinJsAssets < ActiveRecord::Migration[5.1] def change create_table :marvin_js_assets do |t| diff --git a/db/migrate/20190427115413_add_name_to_marvin_js_assets.rb b/db/migrate/20190427115413_add_name_to_marvin_js_assets.rb index e256640b3..ae20a897b 100644 --- a/db/migrate/20190427115413_add_name_to_marvin_js_assets.rb +++ b/db/migrate/20190427115413_add_name_to_marvin_js_assets.rb @@ -1,4 +1,5 @@ # frozen_string_literal: true + class AddNameToMarvinJsAssets < ActiveRecord::Migration[5.1] def change add_column :marvin_js_assets, :name, :string diff --git a/public/javascripts/i18n.js b/public/javascripts/i18n.js deleted file mode 100644 index b6f14687d..000000000 --- a/public/javascripts/i18n.js +++ /dev/null @@ -1,1067 +0,0 @@ -// I18n.js -// ======= -// -// This small library provides the Rails I18n API on the Javascript. -// You don't actually have to use Rails (or even Ruby) to use I18n.js. -// Just make sure you export all translations in an object like this: -// -// I18n.translations.en = { -// hello: "Hello World" -// }; -// -// See tests for specific formatting like numbers and dates. -// - -// Using UMD pattern from -// https://github.com/umdjs/umd#regular-module -// `returnExports.js` version -;(function (root, factory) { - if (typeof define === 'function' && define.amd) { - // AMD. Register as an anonymous module. - define("i18n", function(){ return factory(root);}); - } else if (typeof module === 'object' && module.exports) { - // Node. Does not work with strict CommonJS, but - // only CommonJS-like environments that support module.exports, - // like Node. - module.exports = factory(root); - } else { - // Browser globals (root is window) - root.I18n = factory(root); - } -}(this, function(global) { - "use strict"; - - // Use previously defined object if exists in current scope - var I18n = global && global.I18n || {}; - - // Just cache the Array#slice function. - var slice = Array.prototype.slice; - - // Apply number padding. - var padding = function(number) { - return ("0" + number.toString()).substr(-2); - }; - - // Improved toFixed number rounding function with support for unprecise floating points - // JavaScript's standard toFixed function does not round certain numbers correctly (for example 0.105 with precision 2). - var toFixed = function(number, precision) { - return decimalAdjust('round', number, -precision).toFixed(precision); - }; - - // Is a given variable an object? - // Borrowed from Underscore.js - var isObject = function(obj) { - var type = typeof obj; - return type === 'function' || type === 'object' - }; - - var isFunction = function(func) { - var type = typeof func; - return type === 'function' - }; - - // Check if value is different than undefined and null; - var isSet = function(value) { - return typeof(value) !== 'undefined' && value !== null; - }; - - // Is a given value an array? - // Borrowed from Underscore.js - var isArray = function(val) { - if (Array.isArray) { - return Array.isArray(val); - }; - return Object.prototype.toString.call(val) === '[object Array]'; - }; - - var isString = function(val) { - return typeof value == 'string' || Object.prototype.toString.call(val) === '[object String]'; - }; - - var isNumber = function(val) { - return typeof val == 'number' || Object.prototype.toString.call(val) === '[object Number]'; - }; - - var isBoolean = function(val) { - return val === true || val === false; - }; - - var decimalAdjust = function(type, value, exp) { - // If the exp is undefined or zero... - if (typeof exp === 'undefined' || +exp === 0) { - return Math[type](value); - } - value = +value; - exp = +exp; - // If the value is not a number or the exp is not an integer... - if (isNaN(value) || !(typeof exp === 'number' && exp % 1 === 0)) { - return NaN; - } - // Shift - value = value.toString().split('e'); - value = Math[type](+(value[0] + 'e' + (value[1] ? (+value[1] - exp) : -exp))); - // Shift back - value = value.toString().split('e'); - return +(value[0] + 'e' + (value[1] ? (+value[1] + exp) : exp)); - } - - var lazyEvaluate = function(message, scope) { - if (isFunction(message)) { - return message(scope); - } else { - return message; - } - } - - var merge = function (dest, obj) { - var key, value; - for (key in obj) if (obj.hasOwnProperty(key)) { - value = obj[key]; - if (isString(value) || isNumber(value) || isBoolean(value) || isArray(value)) { - dest[key] = value; - } else { - if (dest[key] == null) dest[key] = {}; - merge(dest[key], value); - } - } - return dest; - }; - - // Set default days/months translations. - var DATE = { - day_names: ["Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday"] - , abbr_day_names: ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"] - , month_names: [null, "January", "February", "March", "April", "May", "June", "July", "August", "September", "October", "November", "December"] - , abbr_month_names: [null, "Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"] - , meridian: ["AM", "PM"] - }; - - // Set default number format. - var NUMBER_FORMAT = { - precision: 3 - , separator: "." - , delimiter: "," - , strip_insignificant_zeros: false - }; - - // Set default currency format. - var CURRENCY_FORMAT = { - unit: "$" - , precision: 2 - , format: "%u%n" - , sign_first: true - , delimiter: "," - , separator: "." - }; - - // Set default percentage format. - var PERCENTAGE_FORMAT = { - unit: "%" - , precision: 3 - , format: "%n%u" - , separator: "." - , delimiter: "" - }; - - // Set default size units. - var SIZE_UNITS = [null, "kb", "mb", "gb", "tb"]; - - // Other default options - var DEFAULT_OPTIONS = { - // Set default locale. This locale will be used when fallback is enabled and - // the translation doesn't exist in a particular locale. - defaultLocale: "en" - // Set the current locale to `en`. - , locale: "en" - // Set the translation key separator. - , defaultSeparator: "." - // Set the placeholder format. Accepts `{{placeholder}}` and `%{placeholder}`. - , placeholder: /(?:\{\{|%\{)(.*?)(?:\}\}?)/gm - // Set if engine should fallback to the default locale when a translation - // is missing. - , fallbacks: false - // Set the default translation object. - , translations: {} - // Set missing translation behavior. 'message' will display a message - // that the translation is missing, 'guess' will try to guess the string - , missingBehaviour: 'message' - // if you use missingBehaviour with 'message', but want to know that the - // string is actually missing for testing purposes, you can prefix the - // guessed string by setting the value here. By default, no prefix! - , missingTranslationPrefix: '' - }; - - // Set default locale. This locale will be used when fallback is enabled and - // the translation doesn't exist in a particular locale. - I18n.reset = function() { - var key; - for (key in DEFAULT_OPTIONS) { - this[key] = DEFAULT_OPTIONS[key]; - } - }; - - // Much like `reset`, but only assign options if not already assigned - I18n.initializeOptions = function() { - var key; - for (key in DEFAULT_OPTIONS) if (!isSet(this[key])) { - this[key] = DEFAULT_OPTIONS[key]; - } - }; - I18n.initializeOptions(); - - // Return a list of all locales that must be tried before returning the - // missing translation message. By default, this will consider the inline option, - // current locale and fallback locale. - // - // I18n.locales.get("de-DE"); - // // ["de-DE", "de", "en"] - // - // You can define custom rules for any locale. Just make sure you return a array - // containing all locales. - // - // // Default the Wookie locale to English. - // I18n.locales["wk"] = function(locale) { - // return ["en"]; - // }; - // - I18n.locales = {}; - - // Retrieve locales based on inline locale, current locale or default to - // I18n's detection. - I18n.locales.get = function(locale) { - var result = this[locale] || this[I18n.locale] || this["default"]; - - if (isFunction(result)) { - result = result(locale); - } - - if (isArray(result) === false) { - result = [result]; - } - - return result; - }; - - // The default locale list. - I18n.locales["default"] = function(locale) { - var locales = [] - , list = [] - ; - - // Handle the inline locale option that can be provided to - // the `I18n.t` options. - if (locale) { - locales.push(locale); - } - - // Add the current locale to the list. - if (!locale && I18n.locale) { - locales.push(I18n.locale); - } - - // Add the default locale if fallback strategy is enabled. - if (I18n.fallbacks && I18n.defaultLocale) { - locales.push(I18n.defaultLocale); - } - - // Locale code format 1: - // According to RFC4646 (http://www.ietf.org/rfc/rfc4646.txt) - // language codes for Traditional Chinese should be `zh-Hant` - // - // But due to backward compatibility - // We use older version of IETF language tag - // @see http://www.w3.org/TR/html401/struct/dirlang.html - // @see http://en.wikipedia.org/wiki/IETF_language_tag - // - // Format: `language-code = primary-code ( "-" subcode )*` - // - // primary-code uses ISO639-1 - // @see http://en.wikipedia.org/wiki/List_of_ISO_639-1_codes - // @see http://www.iso.org/iso/home/standards/language_codes.htm - // - // subcode uses ISO 3166-1 alpha-2 - // @see http://en.wikipedia.org/wiki/ISO_3166 - // @see http://www.iso.org/iso/country_codes.htm - // - // @note - // subcode can be in upper case or lower case - // defining it in upper case is a convention only - - - // Locale code format 2: - // Format: `code = primary-code ( "-" region-code )*` - // primary-code uses ISO 639-1 - // script-code uses ISO 15924 - // region-code uses ISO 3166-1 alpha-2 - // Example: zh-Hant-TW, en-HK, zh-Hant-CN - // - // It is similar to RFC4646 (or actually the same), - // but seems to be limited to language, script, region - - // Compute each locale with its country code. - // So this will return an array containing - // `de-DE` and `de` - // or - // `zh-hans-tw`, `zh-hans`, `zh` - // locales. - locales.forEach(function(locale) { - var localeParts = locale.split("-"); - var firstFallback = null; - var secondFallback = null; - if (localeParts.length === 3) { - firstFallback = [ - localeParts[0], - localeParts[1] - ].join("-"); - secondFallback = localeParts[0]; - } - else if (localeParts.length === 2) { - firstFallback = localeParts[0]; - } - - if (list.indexOf(locale) === -1) { - list.push(locale); - } - - if (! I18n.fallbacks) { - return; - } - - [ - firstFallback, - secondFallback - ].forEach(function(nullableFallbackLocale) { - // We don't want null values - if (typeof nullableFallbackLocale === "undefined") { return; } - if (nullableFallbackLocale === null) { return; } - // We don't want duplicate values - // - // Comparing with `locale` first is faster than - // checking whether value's presence in the list - if (nullableFallbackLocale === locale) { return; } - if (list.indexOf(nullableFallbackLocale) !== -1) { return; } - - list.push(nullableFallbackLocale); - }); - }); - - // No locales set? English it is. - if (!locales.length) { - locales.push("en"); - } - - return list; - }; - - // Hold pluralization rules. - I18n.pluralization = {}; - - // Return the pluralizer for a specific locale. - // If no specify locale is found, then I18n's default will be used. - I18n.pluralization.get = function(locale) { - return this[locale] || this[I18n.locale] || this["default"]; - }; - - // The default pluralizer rule. - // It detects the `zero`, `one`, and `other` scopes. - I18n.pluralization["default"] = function(count) { - switch (count) { - case 0: return ["zero", "other"]; - case 1: return ["one"]; - default: return ["other"]; - } - }; - - // Return current locale. If no locale has been set, then - // the current locale will be the default locale. - I18n.currentLocale = function() { - return this.locale || this.defaultLocale; - }; - - // Check if value is different than undefined and null; - I18n.isSet = isSet; - - // Find and process the translation using the provided scope and options. - // This is used internally by some functions and should not be used as an - // public API. - I18n.lookup = function(scope, options) { - options = options || {} - - var locales = this.locales.get(options.locale).slice() - , requestedLocale = locales[0] - , locale - , scopes - , fullScope - , translations - ; - - fullScope = this.getFullScope(scope, options); - - while (locales.length) { - locale = locales.shift(); - scopes = fullScope.split(this.defaultSeparator); - translations = this.translations[locale]; - - if (!translations) { - continue; - } - while (scopes.length) { - translations = translations[scopes.shift()]; - - if (translations === undefined || translations === null) { - break; - } - } - - if (translations !== undefined && translations !== null) { - return translations; - } - } - - if (isSet(options.defaultValue)) { - return lazyEvaluate(options.defaultValue, scope); - } - }; - - // lookup pluralization rule key into translations - I18n.pluralizationLookupWithoutFallback = function(count, locale, translations) { - var pluralizer = this.pluralization.get(locale) - , pluralizerKeys = pluralizer(count) - , pluralizerKey - , message; - - if (isObject(translations)) { - while (pluralizerKeys.length) { - pluralizerKey = pluralizerKeys.shift(); - if (isSet(translations[pluralizerKey])) { - message = translations[pluralizerKey]; - break; - } - } - } - - return message; - }; - - // Lookup dedicated to pluralization - I18n.pluralizationLookup = function(count, scope, options) { - options = options || {} - var locales = this.locales.get(options.locale).slice() - , requestedLocale = locales[0] - , locale - , scopes - , translations - , message - ; - scope = this.getFullScope(scope, options); - - while (locales.length) { - locale = locales.shift(); - scopes = scope.split(this.defaultSeparator); - translations = this.translations[locale]; - - if (!translations) { - continue; - } - - while (scopes.length) { - translations = translations[scopes.shift()]; - if (!isObject(translations)) { - break; - } - if (scopes.length == 0) { - message = this.pluralizationLookupWithoutFallback(count, locale, translations); - } - } - if (message != null && message != undefined) { - break; - } - } - - if (message == null || message == undefined) { - if (isSet(options.defaultValue)) { - if (isObject(options.defaultValue)) { - message = this.pluralizationLookupWithoutFallback(count, options.locale, options.defaultValue); - } else { - message = options.defaultValue; - } - translations = options.defaultValue; - } - } - - return { message: message, translations: translations }; - }; - - // Rails changed the way the meridian is stored. - // It started with `date.meridian` returning an array, - // then it switched to `time.am` and `time.pm`. - // This function abstracts this difference and returns - // the correct meridian or the default value when none is provided. - I18n.meridian = function() { - var time = this.lookup("time"); - var date = this.lookup("date"); - - if (time && time.am && time.pm) { - return [time.am, time.pm]; - } else if (date && date.meridian) { - return date.meridian; - } else { - return DATE.meridian; - } - }; - - // Merge serveral hash options, checking if value is set before - // overwriting any value. The precedence is from left to right. - // - // I18n.prepareOptions({name: "John Doe"}, {name: "Mary Doe", role: "user"}); - // #=> {name: "John Doe", role: "user"} - // - I18n.prepareOptions = function() { - var args = slice.call(arguments) - , options = {} - , subject - ; - - while (args.length) { - subject = args.shift(); - - if (typeof(subject) != "object") { - continue; - } - - for (var attr in subject) { - if (!subject.hasOwnProperty(attr)) { - continue; - } - - if (isSet(options[attr])) { - continue; - } - - options[attr] = subject[attr]; - } - } - - return options; - }; - - // Generate a list of translation options for default fallbacks. - // `defaultValue` is also deleted from options as it is returned as part of - // the translationOptions array. - I18n.createTranslationOptions = function(scope, options) { - var translationOptions = [{scope: scope}]; - - // Defaults should be an array of hashes containing either - // fallback scopes or messages - if (isSet(options.defaults)) { - translationOptions = translationOptions.concat(options.defaults); - } - - // Maintain support for defaultValue. Since it is always a message - // insert it in to the translation options as such. - if (isSet(options.defaultValue)) { - translationOptions.push({ message: options.defaultValue }); - } - - return translationOptions; - }; - - // Translate the given scope with the provided options. - I18n.translate = function(scope, options) { - options = options || {} - - var translationOptions = this.createTranslationOptions(scope, options); - - var translation; - - var optionsWithoutDefault = this.prepareOptions(options) - delete optionsWithoutDefault.defaultValue - - // Iterate through the translation options until a translation - // or message is found. - var translationFound = - translationOptions.some(function(translationOption) { - if (isSet(translationOption.scope)) { - translation = this.lookup(translationOption.scope, optionsWithoutDefault); - } else if (isSet(translationOption.message)) { - translation = lazyEvaluate(translationOption.message, scope); - } - - if (translation !== undefined && translation !== null) { - return true; - } - }, this); - - if (!translationFound) { - return this.missingTranslation(scope, options); - } - - if (typeof(translation) === "string") { - translation = this.interpolate(translation, options); - } else if (isObject(translation) && isSet(options.count)) { - translation = this.pluralize(options.count, scope, options); - } - - return translation; - }; - - // This function interpolates the all variables in the given message. - I18n.interpolate = function(message, options) { - options = options || {} - var matches = message.match(this.placeholder) - , placeholder - , value - , name - , regex - ; - - if (!matches) { - return message; - } - - var value; - - while (matches.length) { - placeholder = matches.shift(); - name = placeholder.replace(this.placeholder, "$1"); - - if (isSet(options[name])) { - value = options[name].toString().replace(/\$/gm, "_#$#_"); - } else if (name in options) { - value = this.nullPlaceholder(placeholder, message, options); - } else { - value = this.missingPlaceholder(placeholder, message, options); - } - - regex = new RegExp(placeholder.replace(/\{/gm, "\\{").replace(/\}/gm, "\\}")); - message = message.replace(regex, value); - } - - return message.replace(/_#\$#_/g, "$"); - }; - - // Pluralize the given scope using the `count` value. - // The pluralized translation may have other placeholders, - // which will be retrieved from `options`. - I18n.pluralize = function(count, scope, options) { - options = this.prepareOptions({count: String(count)}, options) - var pluralizer, message, result; - - result = this.pluralizationLookup(count, scope, options); - if (result.translations == undefined || result.translations == null) { - return this.missingTranslation(scope, options); - } - - if (result.message != undefined && result.message != null) { - return this.interpolate(result.message, options); - } - else { - pluralizer = this.pluralization.get(options.locale); - return this.missingTranslation(scope + '.' + pluralizer(count)[0], options); - } - }; - - // Return a missing translation message for the given parameters. - I18n.missingTranslation = function(scope, options) { - //guess intended string - if(this.missingBehaviour == 'guess'){ - //get only the last portion of the scope - var s = scope.split('.').slice(-1)[0]; - //replace underscore with space && camelcase with space and lowercase letter - return (this.missingTranslationPrefix.length > 0 ? this.missingTranslationPrefix : '') + - s.replace('_',' ').replace(/([a-z])([A-Z])/g, - function(match, p1, p2) {return p1 + ' ' + p2.toLowerCase()} ); - } - - var localeForTranslation = (options != null && options.locale != null) ? options.locale : this.currentLocale(); - var fullScope = this.getFullScope(scope, options); - var fullScopeWithLocale = [localeForTranslation, fullScope].join(this.defaultSeparator); - - return '[missing "' + fullScopeWithLocale + '" translation]'; - }; - - // Return a missing placeholder message for given parameters - I18n.missingPlaceholder = function(placeholder, message, options) { - return "[missing " + placeholder + " value]"; - }; - - I18n.nullPlaceholder = function() { - return I18n.missingPlaceholder.apply(I18n, arguments); - }; - - // Format number using localization rules. - // The options will be retrieved from the `number.format` scope. - // If this isn't present, then the following options will be used: - // - // - `precision`: `3` - // - `separator`: `"."` - // - `delimiter`: `","` - // - `strip_insignificant_zeros`: `false` - // - // You can also override these options by providing the `options` argument. - // - I18n.toNumber = function(number, options) { - options = this.prepareOptions( - options - , this.lookup("number.format") - , NUMBER_FORMAT - ); - - var negative = number < 0 - , string = toFixed(Math.abs(number), options.precision).toString() - , parts = string.split(".") - , precision - , buffer = [] - , formattedNumber - , format = options.format || "%n" - , sign = negative ? "-" : "" - ; - - number = parts[0]; - precision = parts[1]; - - while (number.length > 0) { - buffer.unshift(number.substr(Math.max(0, number.length - 3), 3)); - number = number.substr(0, number.length -3); - } - - formattedNumber = buffer.join(options.delimiter); - - if (options.strip_insignificant_zeros && precision) { - precision = precision.replace(/0+$/, ""); - } - - if (options.precision > 0 && precision) { - formattedNumber += options.separator + precision; - } - - if (options.sign_first) { - format = "%s" + format; - } - else { - format = format.replace("%n", "%s%n"); - } - - formattedNumber = format - .replace("%u", options.unit) - .replace("%n", formattedNumber) - .replace("%s", sign) - ; - - return formattedNumber; - }; - - // Format currency with localization rules. - // The options will be retrieved from the `number.currency.format` and - // `number.format` scopes, in that order. - // - // Any missing option will be retrieved from the `I18n.toNumber` defaults and - // the following options: - // - // - `unit`: `"$"` - // - `precision`: `2` - // - `format`: `"%u%n"` - // - `delimiter`: `","` - // - `separator`: `"."` - // - // You can also override these options by providing the `options` argument. - // - I18n.toCurrency = function(number, options) { - options = this.prepareOptions( - options - , this.lookup("number.currency.format") - , this.lookup("number.format") - , CURRENCY_FORMAT - ); - - return this.toNumber(number, options); - }; - - // Localize several values. - // You can provide the following scopes: `currency`, `number`, or `percentage`. - // If you provide a scope that matches the `/^(date|time)/` regular expression - // then the `value` will be converted by using the `I18n.toTime` function. - // - // It will default to the value's `toString` function. - // - I18n.localize = function(scope, value, options) { - options || (options = {}); - - switch (scope) { - case "currency": - return this.toCurrency(value); - case "number": - scope = this.lookup("number.format"); - return this.toNumber(value, scope); - case "percentage": - return this.toPercentage(value); - default: - var localizedValue; - - if (scope.match(/^(date|time)/)) { - localizedValue = this.toTime(scope, value); - } else { - localizedValue = value.toString(); - } - - return this.interpolate(localizedValue, options); - } - }; - - // Parse a given `date` string into a JavaScript Date object. - // This function is time zone aware. - // - // The following string formats are recognized: - // - // yyyy-mm-dd - // yyyy-mm-dd[ T]hh:mm::ss - // yyyy-mm-dd[ T]hh:mm::ss - // yyyy-mm-dd[ T]hh:mm::ssZ - // yyyy-mm-dd[ T]hh:mm::ss+0000 - // yyyy-mm-dd[ T]hh:mm::ss+00:00 - // yyyy-mm-dd[ T]hh:mm::ss.123Z - // - I18n.parseDate = function(date) { - var matches, convertedDate, fraction; - // we have a date, so just return it. - if (typeof(date) == "object") { - return date; - }; - - matches = date.toString().match(/(\d{4})-(\d{2})-(\d{2})(?:[ T](\d{2}):(\d{2}):(\d{2})([\.,]\d{1,3})?)?(Z|\+00:?00)?/); - - if (matches) { - for (var i = 1; i <= 6; i++) { - matches[i] = parseInt(matches[i], 10) || 0; - } - - // month starts on 0 - matches[2] -= 1; - - fraction = matches[7] ? 1000 * ("0" + matches[7]) : null; - - if (matches[8]) { - convertedDate = new Date(Date.UTC(matches[1], matches[2], matches[3], matches[4], matches[5], matches[6], fraction)); - } else { - convertedDate = new Date(matches[1], matches[2], matches[3], matches[4], matches[5], matches[6], fraction); - } - } else if (typeof(date) == "number") { - // UNIX timestamp - convertedDate = new Date(); - convertedDate.setTime(date); - } else if (date.match(/([A-Z][a-z]{2}) ([A-Z][a-z]{2}) (\d+) (\d+:\d+:\d+) ([+-]\d+) (\d+)/)) { - // This format `Wed Jul 20 13:03:39 +0000 2011` is parsed by - // webkit/firefox, but not by IE, so we must parse it manually. - convertedDate = new Date(); - convertedDate.setTime(Date.parse([ - RegExp.$1, RegExp.$2, RegExp.$3, RegExp.$6, RegExp.$4, RegExp.$5 - ].join(" "))); - } else if (date.match(/\d+ \d+:\d+:\d+ [+-]\d+ \d+/)) { - // a valid javascript format with timezone info - convertedDate = new Date(); - convertedDate.setTime(Date.parse(date)); - } else { - // an arbitrary javascript string - convertedDate = new Date(); - convertedDate.setTime(Date.parse(date)); - } - - return convertedDate; - }; - - // Formats time according to the directives in the given format string. - // The directives begins with a percent (%) character. Any text not listed as a - // directive will be passed through to the output string. - // - // The accepted formats are: - // - // %a - The abbreviated weekday name (Sun) - // %A - The full weekday name (Sunday) - // %b - The abbreviated month name (Jan) - // %B - The full month name (January) - // %c - The preferred local date and time representation - // %d - Day of the month (01..31) - // %-d - Day of the month (1..31) - // %H - Hour of the day, 24-hour clock (00..23) - // %-H - Hour of the day, 24-hour clock (0..23) - // %I - Hour of the day, 12-hour clock (01..12) - // %-I - Hour of the day, 12-hour clock (1..12) - // %m - Month of the year (01..12) - // %-m - Month of the year (1..12) - // %M - Minute of the hour (00..59) - // %-M - Minute of the hour (0..59) - // %p - Meridian indicator (AM or PM) - // %S - Second of the minute (00..60) - // %-S - Second of the minute (0..60) - // %w - Day of the week (Sunday is 0, 0..6) - // %y - Year without a century (00..99) - // %-y - Year without a century (0..99) - // %Y - Year with century - // %z - Timezone offset (+0545) - // - I18n.strftime = function(date, format) { - var options = this.lookup("date") - , meridianOptions = I18n.meridian() - ; - - if (!options) { - options = {}; - } - - options = this.prepareOptions(options, DATE); - - if (isNaN(date.getTime())) { - throw new Error('I18n.strftime() requires a valid date object, but received an invalid date.'); - } - - var weekDay = date.getDay() - , day = date.getDate() - , year = date.getFullYear() - , month = date.getMonth() + 1 - , hour = date.getHours() - , hour12 = hour - , meridian = hour > 11 ? 1 : 0 - , secs = date.getSeconds() - , mins = date.getMinutes() - , offset = date.getTimezoneOffset() - , absOffsetHours = Math.floor(Math.abs(offset / 60)) - , absOffsetMinutes = Math.abs(offset) - (absOffsetHours * 60) - , timezoneoffset = (offset > 0 ? "-" : "+") + - (absOffsetHours.toString().length < 2 ? "0" + absOffsetHours : absOffsetHours) + - (absOffsetMinutes.toString().length < 2 ? "0" + absOffsetMinutes : absOffsetMinutes) - ; - - if (hour12 > 12) { - hour12 = hour12 - 12; - } else if (hour12 === 0) { - hour12 = 12; - } - - format = format.replace("%a", options.abbr_day_names[weekDay]); - format = format.replace("%A", options.day_names[weekDay]); - format = format.replace("%b", options.abbr_month_names[month]); - format = format.replace("%B", options.month_names[month]); - format = format.replace("%d", padding(day)); - format = format.replace("%e", day); - format = format.replace("%-d", day); - format = format.replace("%H", padding(hour)); - format = format.replace("%-H", hour); - format = format.replace("%I", padding(hour12)); - format = format.replace("%-I", hour12); - format = format.replace("%m", padding(month)); - format = format.replace("%-m", month); - format = format.replace("%M", padding(mins)); - format = format.replace("%-M", mins); - format = format.replace("%p", meridianOptions[meridian]); - format = format.replace("%S", padding(secs)); - format = format.replace("%-S", secs); - format = format.replace("%w", weekDay); - format = format.replace("%y", padding(year)); - format = format.replace("%-y", padding(year).replace(/^0+/, "")); - format = format.replace("%Y", year); - format = format.replace("%z", timezoneoffset); - - return format; - }; - - // Convert the given dateString into a formatted date. - I18n.toTime = function(scope, dateString) { - var date = this.parseDate(dateString) - , format = this.lookup(scope) - ; - - if (date.toString().match(/invalid/i)) { - return date.toString(); - } - - if (!format) { - return date.toString(); - } - - return this.strftime(date, format); - }; - - // Convert a number into a formatted percentage value. - I18n.toPercentage = function(number, options) { - options = this.prepareOptions( - options - , this.lookup("number.percentage.format") - , this.lookup("number.format") - , PERCENTAGE_FORMAT - ); - - return this.toNumber(number, options); - }; - - // Convert a number into a readable size representation. - I18n.toHumanSize = function(number, options) { - var kb = 1024 - , size = number - , iterations = 0 - , unit - , precision - ; - - while (size >= kb && iterations < 4) { - size = size / kb; - iterations += 1; - } - - if (iterations === 0) { - unit = this.t("number.human.storage_units.units.byte", {count: size}); - precision = 0; - } else { - unit = this.t("number.human.storage_units.units." + SIZE_UNITS[iterations]); - precision = (size - Math.floor(size) === 0) ? 0 : 1; - } - - options = this.prepareOptions( - options - , {unit: unit, precision: precision, format: "%n%u", delimiter: ""} - ); - - return this.toNumber(size, options); - }; - - I18n.getFullScope = function(scope, options) { - options = options || {} - - // Deal with the scope as an array. - if (isArray(scope)) { - scope = scope.join(this.defaultSeparator); - } - - // Deal with the scope option provided through the second argument. - // - // I18n.t('hello', {scope: 'greetings'}); - // - if (options.scope) { - scope = [options.scope, scope].join(this.defaultSeparator); - } - - return scope; - }; - /** - * Merge obj1 with obj2 (shallow merge), without modifying inputs - * @param {Object} obj1 - * @param {Object} obj2 - * @returns {Object} Merged values of obj1 and obj2 - * - * In order to support ES3, `Object.prototype.hasOwnProperty.call` is used - * Idea is from: - * https://stackoverflow.com/questions/8157700/object-has-no-hasownproperty-method-i-e-its-undefined-ie8 - */ - I18n.extend = function ( obj1, obj2 ) { - if (typeof(obj1) === "undefined" && typeof(obj2) === "undefined") { - return {}; - } - return merge(obj1, obj2); - }; - - // Set aliases, so we can save some typing. - I18n.t = I18n.translate; - I18n.l = I18n.localize; - I18n.p = I18n.pluralize; - - return I18n; -})); diff --git a/public/javascripts/translations.js b/public/javascripts/translations.js deleted file mode 100644 index 914eafd75..000000000 --- a/public/javascripts/translations.js +++ /dev/null @@ -1,47 +0,0 @@ -I18n.translations || (I18n.translations = {}); -I18n.translations["en"] = I18n.extend((I18n.translations["en"] || {}), {"Add":"Add","Added":"Added","Asset":"File","Assets":"Files","Checklist":"Checklist","Checklists":"Checklists","Comments":"Comments","Download":"Download","Edit":"Edit","Experiments":"Experiments","Module":"Task","Modules":"Tasks","More":"More","Project":"Project","Projects":"Projects","Protocol":"Protocol","Protocols":"Protocols","Reports":"Reports","Repositories_team":"Inventories - %{team}","Result":"Result","Results":"Results","Sample":"Sample","Samples":"Samples","Save":"Save","SaveClose":"Save \u0026 Close","Step":"Step","Steps":"Steps","Table":"Table","Tables":"Tables","Tag":"Tag","Tags":"Tags","Workflow":"Workflow","Workflows":"Workflows","about":{"addon_versions":"Addon versions","core_version":"SciNote core version","modal_title":"About SciNote"},"activerecord":{"attributes":{"doorkeeper/application":{"name":"Name","redirect_uri":"Redirect URI"}},"errors":{"messages":{"record_invalid":"Validation failed: %{errors}","restrict_dependent_destroy":{"has_many":"Cannot delete record because dependent %{record} exist","has_one":"Cannot delete record because a dependent %{record} exists"}},"models":{"doorkeeper/application":{"attributes":{"redirect_uri":{"forbidden_uri":"is forbidden by the server.","fragment_present":"cannot contain a fragment.","invalid_uri":"must be a valid URI.","relative_uri":"must be an absolute URI.","secured_uri":"must be an HTTPS/SSL URI."},"scopes":{"not_match_configured":"doesn't match configured on the server."}}},"project":{"attributes":{"name":{"taken":"This project name has to be unique inside a team (this includes the archive)."}}},"view_state":{"attributes":{"viewable_id":{"not_unique":"State already exists for this user and parent object"}}}}}},"activities":{"index":{"activities_counter_label":" activities","activity_counter_label":" activity","collapse_all":"Collapse all","expand_all":"Expand all","global_activities_title":"Global activities","more_activities":"Show more activities","no_activities":"No activities!","no_activities_message":"No activities could be displayed. Update filters or start using SciNote to generate your first activities.","no_activities_task_message":"No activities could be displayed.","today":"Today"},"modal":{"modal_title":"Activities"},"protocols":{"my_to_team_message":"My protocols to Team protocols","team_to_my_message":"Team protocols to My protocols"},"result_type":{"asset":"file","table":"table","text":"text"},"wupi_file_editing":{"finished":"editing finished","started":"editing started"}},"api":{"core":{"errors":{"create_permission":{"detail":"You don't have permission to create %{model}","title":"Permission denied"},"general":{"detail":"Something went wrong, please contact resource owner","title":"Error"},"id_mismatch":{"detail":"Object ID mismatch in URL and request body","title":"Object ID mismatch"},"inventory_column_type":{"detail":"Update of data_type attribute is not allowed"},"manage_permission":{"detail":"You don't have permission to manage %{model}","title":"Permission denied"},"parameter":{"title":"Missing parameter"},"read_permission":{"detail":"You don't have permission to access %{model}","title":"Permission denied"},"record_not_found":{"detail":"%{model} record with id %{id} not found in the specified scope","title":"Not found"},"result_missing_tinymce":{"detail":"Text contains reference to nonexisting TinyMCE image"},"result_wrong_tinymce":{"detail":"Image reference not found in the text"},"type":{"detail":"Wrong object type within parameters","title":"Wrong type"},"validation":{"title":"Validation error"}},"expired_token":"Token is expired","invalid_token":"Token is invalid","missing_token":"Core: No token in the header","no_azure_user_mapping":"Azure AD: User mapping not found","no_iss":"Core: Missing ISS in the token","no_user_mapping":"Default: User mapping not found","status_ok":"Ok","wrong_iss":"Default: Wrong ISS in the token"}},"assets":{"create_wopi_file":{"button_text":"New Office file","create_document_button":"Create Document","errors":{"forbidden":"You do not have permission to add files.","not_found":"Element not found."},"modal_title":"Create new Microsoft Office Online document","ms_excel":"Excel\u003cbr/\u003eOnline","ms_powerpoint":"PowerPoint\u003cbr/\u003eOnline","ms_word":"Word\u003cbr/\u003eOnline","text_field_label":"Document name \u0026 type","text_field_placeholder":"New Document"},"drag_n_drop":{"browse_label":"Select to Upload...","drop_label":"Drop to add to Step","file_label":"File","label_html":"Drag \u0026amp; drop here. Copy \u0026amp Paste images."},"from_clipboard":{"add_image":"Add","file_name":"File name","file_name_placeholder":"Image","image_preview":"Image preview","modal_title":"Add image from clipboard"},"head_title":{"edit":"SciNote | %{file_name} | Edit","view":"SciNote | %{file_name} | View"},"wopi_supported_presentation_formats_title":"Only .pptx, ppsx, .odp file formats are supported for editing in Powerpoint Online.","wopi_supported_table_formats_title":"Only .xlsx, .xlsm, .xlsb, .ods file formats are supported for editing in Excel Online.","wopi_supported_text_formats_title":"Only .docx, .docm, .odt file formats are supported for editing in Word Online."},"atwho":{"no_results":"No results found","res":{"archived":"(archived)","deleted":"(deleted)","removed":"(removed)"},"users":{"confirm_1":"enter/tab","confirm_2":"to confirm","dismiss_1":"esc","dismiss_2":"to dismiss","navigate_1":"up/down","navigate_2":"to navigate","popover_html":"\u003cspan class='silver'\u003eTeam:\u003c/span\u003e\u0026nbsp;%{team} \u003cbr\u003e \u003cspan class='silver'\u003eRole:\u003c/span\u003e\u0026nbsp;%{role} \u003cbr\u003e \u003cspan class='silver'\u003eJoined:\u003c/span\u003e\u0026nbsp;%{time}","title":"People"}},"body":{"notice":"You need to enable JavaScript to run this app."},"by":"by","client_api":{"generic_error_message":"Something went wrong! Please try again later.","invalid_arguments":"Invalid arguments","invite_users":{"permission_error":"You don't have permission to invite additional users to this team. Contact its administrator/s."},"permission_error":"You don't have permission for this action.","teams":{"create_permission_error":"You don't have permission to create team.","update_permission_error":"You don't have permission to edit this team."},"user":{"current_password_invalid":"incorrect password","password_confirmation_not_match":"doesn't match"},"user_teams":{"leave_flash":"Successfuly left team %{team}.","leave_team_error":"An error occured.","permission_error":"You don't have permission to manage users."}},"comments":{"delete_confirm":"Are you sure you wish to delete this comment?","delete_error":"Error occured while deleting comment.","options_dropdown":{"delete":"Delete","edit":"Edit","header":"Comment options"}},"custom_fields":{"create":{"success_flash":"Successfully added column \u003cstrong\u003e%{custom_field}\u003c/strong\u003e to team \u003cstrong\u003e%{team}\u003c/strong\u003e."},"new":{"create":"Add new column","title_html":"Add new column to team \u003cstrong\u003e%{team}\u003c/strong\u003e"}},"date":{"abbr_day_names":["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],"abbr_month_names":[null,"Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],"day_names":["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],"formats":{"default":"%Y-%m-%d","long":"%B %d, %Y","short":"%b %d"},"month_names":[null,"January","February","March","April","May","June","July","August","September","October","November","December"],"order":["year","month","day"]},"datetime":{"distance_in_words":{"about_x_hours":{"one":"about 1 hour","other":"about %{count} hours"},"about_x_months":{"one":"about 1 month","other":"about %{count} months"},"about_x_years":{"one":"about 1 year","other":"about %{count} years"},"almost_x_years":{"one":"almost 1 year","other":"almost %{count} years"},"half_a_minute":"half a minute","less_than_x_minutes":{"one":"less than a minute","other":"less than %{count} minutes"},"less_than_x_seconds":{"one":"less than 1 second","other":"less than %{count} seconds"},"over_x_years":{"one":"over 1 year","other":"over %{count} years"},"x_days":{"one":"1 day","other":"%{count} days"},"x_minutes":{"one":"1 minute","other":"%{count} minutes"},"x_months":{"one":"1 month","other":"%{count} months"},"x_seconds":{"one":"1 second","other":"%{count} seconds"}},"prompts":{"day":"Day","hour":"Hour","minute":"Minute","month":"Month","second":"Seconds","year":"Year"}},"devise":{"confirmations":{"confirmed":"Your email address has been successfully confirmed.","new":{"head_title":"Resend confirmation instructions","submit":"Resend confirmation instructions","title":"Resend confirmation instructions"},"send_instructions":"You will receive an email with instructions for how to confirm your email address in a few minutes.","send_paranoid_instructions":"If your email address exists in our database, you will receive an email with instructions for how to confirm your email address in a few minutes."},"failure":{"already_authenticated":"","inactive":"Your account is not activated yet.","invalid":"Invalid %{authentication_keys} or password.","invited":"You have a pending invitation, accept it to finish creating your account.","last_attempt":"You have one more attempt before your account is locked.","locked":"Your account is locked.","not_found_in_database":"Invalid %{authentication_keys} or password.","timeout":"Your session expired. Please log in again to continue.","unauthenticated":"You need to log in or sign up before continuing.","unconfirmed":"You have to confirm your email address before continuing."},"invitations":{"edit":{"header":"Set your full name and password","submit_button":"Set my password"},"invitation_removed":"Your invitation was removed.","invitation_token_invalid":"The invitation token provided is not valid!","new":{"header":"Send invitation","submit_button":"Send an invitation"},"no_invitations_remaining":"No invitations remaining","send_instructions":"An invitation email has been sent to %{email}.","updated":"Your password was set successfully. You are now signed in.","updated_not_active":"Your password was set successfully."},"linkedin":{"complete_sign_up":"You have to complete the sign up process","email_already_taken":"SciNote account with email %{email} alreday exists","failed_to_save":"Failed to create new user","provider_name":"LinkedIn"},"links":{"forgot":"Forgot your password?","login":"Log in","login_with_provider":"Log in with SciNote account","not_receive_confirmation":"Didn't receive confirmation instructions?","not_receive_unlock":"Didn't receive unlock instructions?","sign_in_provider":"Sign in with %{provider}","signup":"Sign up"},"mailer":{"confirmation_instructions":{"subject":"Confirmation instructions"},"email_changed":{"subject":"Email Changed"},"invitation_instructions":{"accept":"Accept invitation","accept_until":"This invitation will be due in %{due_date}.","hello":"Hello %{email}","ignore":"If you don't want to accept the invitation, please ignore this email.\u003cbr /\u003eYour account won't be created until you access the link above and set your password.","someone_invited_you":"Someone has invited you to %{url}, you can accept it through the link below.","subject":"Invitation instructions"},"password_change":{"subject":"Password Changed"},"reset_password_instructions":{"subject":"Reset password instructions"},"unlock_instructions":{"subject":"Unlock instructions"}},"omniauth_callbacks":{"failure":"Could not authenticate you from %{kind} because \"%{reason}\".","success":"Successfully authenticated from %{kind} account."},"passwords":{"edit":{"head_title":"Change password","password":"New password","password_confirm":"Confirm new password","password_length":"(%{min_length} characters minimum)","submit":"Change my password","title":"Change your password"},"new":{"head_title":"Forgot password","submit":"Send me reset password instructions","title":"Forgot your password?"},"no_token":"You can't access this page without coming from a password reset email. If you do come from a password reset email, please make sure you used the full URL provided.","send_instructions":"You will receive an email with instructions on how to reset your password in a few minutes.","send_paranoid_instructions":"If your email address exists in our database, you will receive a password recovery link at your email address in a few minutes.","updated":"Your password has been changed successfully. You are now logged in.","updated_not_active":"Your password has been changed successfully."},"registrations":{"destroyed":"Bye! Your account has been successfully cancelled. We hope to see you again soon.","password_changed":"Password successfully updated.","signed_up":"Welcome! You have signed up successfully.","signed_up_but_inactive":"You have signed up successfully. However, we could not sign you in because your account is not yet activated.","signed_up_but_locked":"You have signed up successfully. However, we could not sign you in because your account is locked.","signed_up_but_unconfirmed":"A message with a confirmation link has been sent to your email address. Please follow the link to activate your account.","update_needs_confirmation":"You updated your account successfully, but we need to verify your new email address. Please check your email and follow the confirm link to confirm your new email address.","updated":"Your account has been updated successfully."},"sessions":{"already_signed_out":"Logged out successfully.","auth_token_create":{"wrong_credentials":"Failed to automatically sign in (wrong credentials)."},"create":{"team_name":"%{user}'s projects"},"new":{"email_placeholder":"username@email.com","head_title":"Log in","password_placeholder":"pass****","submit":"Log in","title":"Log in"},"signed_in":"Logged in successfully.","signed_out":"Logged out successfully."},"unlocks":{"new":{"head_title":"Resend unlock instructions","submit":"Resend unlock instructions","title":"Resend unlock instructions"},"send_instructions":"You will receive an email with instructions for how to unlock your account in a few minutes.","send_paranoid_instructions":"If your account exists, you will receive an email with instructions for how to unlock it in a few minutes.","unlocked":"Your account has been unlocked successfully. Please log in to continue."}},"doorkeeper":{"applications":{"buttons":{"authorize":"Authorize","cancel":"Cancel","destroy":"Destroy","edit":"Edit","submit":"Submit"},"confirmations":{"destroy":"Are you sure?"},"edit":{"title":"Edit application"},"form":{"error":"Whoops! Check your form for possible errors"},"help":{"confidential":"Application will be used where the client secret can be kept confidential. Native mobile apps and Single Page Apps are considered non-confidential.","native_redirect_uri":"Use %{native_redirect_uri} if you want to add localhost URIs for development purposes","redirect_uri":"Use one line per URI","scopes":"Separate scopes with spaces. Leave blank to use the default scopes."},"index":{"actions":"Actions","callback_url":"Callback URL","confidential":"Confidential?","confidentiality":{"no":"No","yes":"Yes"},"name":"Name","new":"New Application","title":"Your applications"},"new":{"title":"New Application"},"show":{"actions":"Actions","application_id":"Application Id","callback_urls":"Callback urls","confidential":"Confidential","scopes":"Scopes","secret":"Secret","title":"Application: %{name}"}},"authorizations":{"buttons":{"authorize":"Authorize","deny":"Deny"},"error":{"title":"An error has occurred"},"new":{"able_to":"This application will be able to","head_title":"OAuth authorization","prompt":"Authorize %{client_name} to use your account?","scope_1":"Use basic profile information associated with your SciNote account","scope_2":"Create, read, update, and delete data within SciNote on behalf of your user account using SciNote API.","scopes_title":" would like to:","terms":"%{client_name} terms may apply.","title":"Authorize %{client_name} to connect to your SciNote account"},"show":{"title":"Authorization code"}},"authorized_applications":{"buttons":{"revoke":"Revoke"},"confirmations":{"revoke":"Are you sure?"},"index":{"application":"Application","created_at":"Created At","date_format":"%Y-%m-%d %H:%M:%S","title":"Your authorized applications"}},"errors":{"messages":{"access_denied":"The resource owner or authorization server denied the request.","admin_authenticator_not_configured":"Access to admin panel is forbidden due to Doorkeeper.configure.admin_authenticator being unconfigured.","credential_flow_not_configured":"Resource Owner Password Credentials flow failed due to Doorkeeper.configure.resource_owner_from_credentials being unconfigured.","invalid_client":"Client authentication failed due to unknown client, no client authentication included, or unsupported authentication method.","invalid_code_challenge_method":"The code challenge method must be plain or S256.","invalid_grant":"The provided authorization grant is invalid, expired, revoked, does not match the redirection URI used in the authorization request, or was issued to another client.","invalid_redirect_uri":"The requested redirect uri is malformed or doesn't match client redirect URI.","invalid_request":"The request is missing a required parameter, includes an unsupported parameter value, or is otherwise malformed.","invalid_scope":"The requested scope is invalid, unknown, or malformed.","invalid_token":{"expired":"The access token expired","revoked":"The access token was revoked","unknown":"The access token is invalid"},"resource_owner_authenticator_not_configured":"Resource Owner find failed due to Doorkeeper.configure.resource_owner_authenticator being unconfigured.","server_error":"The authorization server encountered an unexpected condition which prevented it from fulfilling the request.","temporarily_unavailable":"The authorization server is currently unable to handle the request due to a temporary overloading or maintenance of the server.","unauthorized_client":"The client is not authorized to perform this request using this method.","unsupported_grant_type":"The authorization grant type is not supported by the authorization server.","unsupported_response_type":"The authorization server does not support this response type."}},"flash":{"applications":{"create":{"notice":"Application created."},"destroy":{"notice":"Application deleted."},"update":{"notice":"Application updated."}},"authorized_applications":{"destroy":{"notice":"Application revoked."}}},"layouts":{"admin":{"nav":{"applications":"Applications","home":"Home","oauth2_provider":"OAuth2 Provider"},"title":"Doorkeeper"},"application":{"title":"OAuth authorization required"}},"pre_authorization":{"status":"Pre-authorization"}},"errors":{"format":"%{attribute} %{message}","messages":{"accepted":"must be accepted","already_confirmed":"this email was already confirmed, please try logging in","blank":"can't be blank","confirmation":"doesn't match %{attribute}","confirmation_period_expired":"needs to be confirmed within %{period}, please request a new one","empty":"can't be empty","equal_to":"must be equal to %{count}","even":"must be even","exclusion":"is reserved","expired":"has expired, please request a new one","greater_than":"must be greater than %{count}","greater_than_or_equal_to":"must be greater than or equal to %{count}","in_between":"must be in between %{min} and %{max}","inclusion":"is not included in the list","invalid":"is invalid","less_than":"must be less than %{count}","less_than_or_equal_to":"must be less than or equal to %{count}","model_invalid":"Validation failed: %{errors}","not_a_number":"is not a number","not_an_integer":"must be an integer","not_found":"not found","not_locked":"was not locked","not_saved":{"one":"1 error prohibited this %{resource} from being saved:","other":"%{count} errors prohibited this %{resource} from being saved:"},"odd":"must be odd","other_than":"must be other than %{count}","present":"must be blank","required":"must exist","spoofed_media_type":"has contents that are not what they are reported to be","taken":"has already been taken","too_long":{"one":"is too long (maximum is 1 character)","other":"is too long (maximum is %{count} characters)"},"too_short":{"one":"is too short (minimum is 1 character)","other":"is too short (minimum is %{count} characters)"},"wrong_length":{"one":"is the wrong length (should be 1 character)","other":"is the wrong length (should be %{count} characters)"}}},"experiments":{"archive":{"error_flash":"Could not archive the experiment.","label_title":"Archive","success_flash":"Successfully archived experiment %{experiment}"},"canvas":{"actions":"Actions","archive_confirm":"Are you sure to archive this experiment?","canvas_edit":"Edit Experiment","edit":{"cancel":"Cancel","clone_module":"Copy task as template (only Protocols steps copied)","clone_module_group":"Copy workflow as template (only Protocols steps copied)","delete_module":"Archive task","delete_module_group":"Archive workflow","drag_connections":"Drag connection/s from here","edit_module":"Rename task","modal_delete_module":{"confirm":"Archive","message":"Are you sure you wish to archive task %{module}? Task's samples and position will be removed.","title":"Archive task"},"modal_delete_module_group":{"confirm":"Archive","message":"Are you sure you wish to archive the workflow task %{module} belongs to? All workflow tasks' samples and positions will be removed.","title":"Archive workflow"},"modal_edit_module":{"confirm":"Rename","name":"Task name","title":"Rename task"},"modal_move_module":{"confirm":"Move","no_experiments":"No experiments to move this task to.","title":"Move task to experiment"},"modal_move_module_group":{"confirm":"Move","no_experiments":"No experiments to move this workflow to.","title":"Move workflow to experiment"},"modal_new_module":{"confirm":"Add","name":"Task name","name_placeholder":"My task","title":"Add new task"},"move_module":"Move task to another experiment","move_module_group":"Move workflow to another experiment","new_module":"New task","new_module_hover":"Drag me onto canvas","options_header":"Options","save":"Save workflow","save_short":"Save","unsaved_work":"Are you sure you want to leave this page? All unsaved data will be lost."},"full_zoom":{"due_date":"Due date","modal_manage_users":{"contact_admins":"To invite additional users to team %{team}, contact its administrator/s.","create":"Add","invite_users_details":"to team %{team}.","invite_users_link":"Invite users","modal_title":"Manage users for","no_users":"No users","user_join":"Joined on %{date}.","user_join_full":"%{user} joined on %{date} at %{time}."},"no_due_date":"not set"},"head_title":"%{project} | Overview","modal_manage_tags":{"cancel_tag":"Cancel changes to the tag.","create":"Add","create_new":"New","delete_tag":"Permanently delete tag from all tasks.","edit_tag":"Edit tag.","head_title":"Manage tags for","no_tags":"No tags!","remove_tag":"Remove tag from task %{module}.","save_tag":"Save tag.","subtitle":"Showing tags of task %{module}"},"popups":{"activities_tab":"Activity","comment_placeholder":"Your Message","comments_tab":"Comments","full_info":"Edit description","info_tab":"Task info","manage_samples":"Manage samples","manage_users":"Manage users","module_user_join":"Joined on %{date}.","module_user_join_full":"%{user} joined on %{date} at %{time}.","more_activities":"All activities","more_comments":"More Comments","new_comment":"New comment","no_activities":"No activities!","no_comments":"No comments!","no_description":"This task has no description.","no_samples":"No samples!","no_users":"This task has no assigned users.","samples_tab":"Samples","users_tab":"Assigned users"},"reload_on_submit":"Save action is running. Reloading this page may cause unexpected behavior.","update":{"success_flash":"Project successfully updated."},"zoom":"Zoom: "},"clone":{"current_project":"(current project)","error_flash":"Could not copy the experiment as template.","label_title":"Copy as template","modal_submit":"Copy","modal_title":"Copy experiment %{experiment} as template","success_flash":"Successfully copied experiment %{experiment} as template."},"create":{"error_flash":"Could not create a new experiment.","success_flash":"Successfully created experiment %{experiment}"},"edit":{"add-description":"Add description...","add_task":"Add a task to experiment...","label_title":"Edit details","modal_create":"Save","modal_title":"Edit experiment details","no-description":"No description","no_workflowimg":"No workflow","panel_label":"Change details"},"module_archive":{"archived_on":"Archived on","archived_on_title":"Task archived on %{date} at %{time}.","head_title":"%{experiment} | Archived tasks","no_archived_modules":"No archived tasks!","restore_option":"Restore"},"move":{"error_flash":" Could not move the experiment. Experiment name is already in use. ","label_title":"Move","modal_submit":"Move","modal_title":"Move experiment %{experiment}","no_projects":"No projects to move this experiment to.","notice":"Moving is possible only to projects that contain same (or additional) users.","success_flash":"Successfully moved experiment %{experiment}"},"new":{"create":"New Experiment","description":"Description","modal_create":"Create","modal_title":"Create new experiment","name":"Experiment name","name_placeholder":"My experiment"},"update":{"error_flash":"Could not update the experiment.","success_flash":"Successfully updated experiment %{experiment}"}},"faker":{"address":{"building_number":["#####","####","###"],"city":["#{city_prefix} #{Name.first_name}#{city_suffix}","#{city_prefix} #{Name.first_name}","#{Name.first_name}#{city_suffix}","#{Name.last_name}#{city_suffix}"],"city_prefix":["North","East","West","South","New","Lake","Port"],"city_suffix":["town","ton","land","ville","berg","burgh","borough","bury","view","port","mouth","stad","furt","chester","mouth","fort","haven","side","shire"],"community":["#{community_prefix} #{community_suffix}"],"community_prefix":["Park","Summer","Autumn","Paradise","Eagle","Pine","Royal","University","Willow"],"community_suffix":["Village","Creek","Place","Pointe","Square","Oaks","Gardens","Crossing","Court","Acres","Estates","Heights"],"country":["Afghanistan","Albania","Algeria","American Samoa","Andorra","Angola","Anguilla","Antarctica (the territory South of 60 deg S)","Antigua and Barbuda","Argentina","Armenia","Aruba","Australia","Austria","Azerbaijan","Bahamas","Bahrain","Bangladesh","Barbados","Belarus","Belgium","Belize","Benin","Bermuda","Bhutan","Bolivia","Bosnia and Herzegovina","Botswana","Bouvet Island (Bouvetoya)","Brazil","British Indian Ocean Territory (Chagos Archipelago)","Brunei Darussalam","Bulgaria","Burkina Faso","Burundi","Cambodia","Cameroon","Canada","Cape Verde","Cayman Islands","Central African Republic","Chad","Chile","China","Christmas Island","Cocos (Keeling) Islands","Colombia","Comoros","Congo","Congo","Cook Islands","Costa Rica","Cote d'Ivoire","Croatia","Cuba","Cyprus","Czech Republic","Denmark","Djibouti","Dominica","Dominican Republic","Ecuador","Egypt","El Salvador","Equatorial Guinea","Eritrea","Estonia","Ethiopia","Faroe Islands","Falkland Islands (Malvinas)","Fiji","Finland","France","French Guiana","French Polynesia","French Southern Territories","Gabon","Gambia","Georgia","Germany","Ghana","Gibraltar","Greece","Greenland","Grenada","Guadeloupe","Guam","Guatemala","Guernsey","Guinea","Guinea-Bissau","Guyana","Haiti","Heard Island and McDonald Islands","Holy See (Vatican City State)","Honduras","Hong Kong","Hungary","Iceland","India","Indonesia","Iran","Iraq","Ireland","Isle of Man","Israel","Italy","Jamaica","Japan","Jersey","Jordan","Kazakhstan","Kenya","Kiribati","Democratic People's Republic of Korea","Republic of Korea","Kuwait","Kyrgyz Republic","Lao People's Democratic Republic","Latvia","Lebanon","Lesotho","Liberia","Libyan Arab Jamahiriya","Liechtenstein","Lithuania","Luxembourg","Macao","Macedonia","Madagascar","Malawi","Malaysia","Maldives","Mali","Malta","Marshall Islands","Martinique","Mauritania","Mauritius","Mayotte","Mexico","Micronesia","Moldova","Monaco","Mongolia","Montenegro","Montserrat","Morocco","Mozambique","Myanmar","Namibia","Nauru","Nepal","Netherlands Antilles","Netherlands","New Caledonia","New Zealand","Nicaragua","Niger","Nigeria","Niue","Norfolk Island","Northern Mariana Islands","Norway","Oman","Pakistan","Palau","Palestinian Territory","Panama","Papua New Guinea","Paraguay","Peru","Philippines","Pitcairn Islands","Poland","Portugal","Puerto Rico","Qatar","Reunion","Romania","Russian Federation","Rwanda","Saint Barthelemy","Saint Helena","Saint Kitts and Nevis","Saint Lucia","Saint Martin","Saint Pierre and Miquelon","Saint Vincent and the Grenadines","Samoa","San Marino","Sao Tome and Principe","Saudi Arabia","Senegal","Serbia","Seychelles","Sierra Leone","Singapore","Slovakia (Slovak Republic)","Slovenia","Solomon Islands","Somalia","South Africa","South Georgia and the South Sandwich Islands","Spain","Sri Lanka","Sudan","Suriname","Svalbard \u0026 Jan Mayen Islands","Swaziland","Sweden","Switzerland","Syrian Arab Republic","Taiwan","Tajikistan","Tanzania","Thailand","Timor-Leste","Togo","Tokelau","Tonga","Trinidad and Tobago","Tunisia","Turkey","Turkmenistan","Turks and Caicos Islands","Tuvalu","Uganda","Ukraine","United Arab Emirates","United Kingdom","United States of America","United States Minor Outlying Islands","Uruguay","Uzbekistan","Vanuatu","Venezuela","Vietnam","Virgin Islands, British","Virgin Islands, U.S.","Wallis and Futuna","Western Sahara","Yemen","Zambia","Zimbabwe"],"country_code":["AD","AE","AF","AG","AI","AL","AM","AO","AQ","AR","AS","AT","AU","AW","AX","AZ","BA","BB","BD","BE","BF","BG","BH","BI","BJ","BL","BM","BN","BO","BQ","BQ","BR","BS","BT","BV","BW","BY","BZ","CA","CC","CD","CF","CG","CH","CI","CK","CL","CM","CN","CO","CR","CU","CV","CW","CX","CY","CZ","DE","DJ","DK","DM","DO","DZ","EC","EE","EG","EH","ER","ES","ET","FI","FJ","FK","FM","FO","FR","GA","GB","GD","GE","GF","GG","GH","GI","GL","GM","GN","GP","GQ","GR","GS","GT","GU","GW","GY","HK","HM","HN","HR","HT","HU","ID","IE","IL","IM","IN","IO","IQ","IR","IS","IT","JE","JM","JO","JP","KE","KG","KH","KI","KM","KN","KP","KR","KW","KY","KZ","LA","LB","LC","LI","LK","LR","LS","LT","LU","LV","LY","MA","MC","MD","ME","MF","MG","MH","MK","ML","MM","MN","MO","MP","MQ","MR","MS","MT","MU","MV","MW","MX","MY","MZ","NA","NC","NE","NF","NG","NI","NL","NO","NP","NR","NU","NZ","OM","PA","PE","PF","PG","PH","PK","PL","PM","PN","PR","PS","PT","PW","PY","QA","RE","RO","RS","RU","RW","SA","SB","SC","SD","SE","SG","SH","SI","SJ","SK","SL","SM","SN","SO","SR","SS","ST","SV","SX","SY","SZ","TC","TD","TF","TG","TH","TJ","TK","TL","TM","TN","TO","TR","TT","TV","TW","TZ","UA","UG","UM","US","UY","UZ","VA","VC","VE","VG","VI","VN","VU","WF","WS","YE","YT","ZA","ZM","ZW"],"country_code_long":["ABW","AFG","AGO","AIA","ALA","ALB","AND","ARE","ARG","ARM","ASM","ATA","ATF","ATG","AUS","AUT","AZE","BDI","BEL","BEN","BES","BFA","BGD","BGR","BHR","BHS","BIH","BLM","BLR","BLZ","BMU","BOL","BRA","BRB","BRN","BTN","BVT","BWA","CAF","CAN","CCK","CHE","CHL","CHN","CIV","CMR","COD","COG","COK","COL","COM","CPV","CRI","CUB","CUW","CXR","CYM","CYP","CZE","DEU","DJI","DMA","DNK","DOM","DZA","ECU","EGY","ERI","ESH","ESP","EST","ETH","FIN","FJI","FLK","FRA","FRO","FSM","GAB","GBR","GEO","GGY","GHA","GIB","GIN","GLP","GMB","GNB","GNQ","GRC","GRD","GRL","GTM","GUF","GUM","GUY","HKG","HMD","HND","HRV","HTI","HUN","IDN","IMN","IND","IOT","IRL","IRN","IRQ","ISL","ISR","ITA","JAM","JEY","JOR","JPN","KAZ","KEN","KGZ","KHM","KIR","KNA","KOR","KWT","LAO","LBN","LBR","LBY","LCA","LIE","LKA","LSO","LTU","LUX","LVA","MAC","MAF","MAR","MCO","MDA","MDG","MDV","MEX","MHL","MKD","MLI","MLT","MMR","MNE","MNG","MNP","MOZ","MRT","MSR","MTQ","MUS","MWI","MYS","MYT","NAM","NCL","NER","NFK","NGA","NIC","NIU","NLD","NOR","NPL","NRU","NZL","OMN","PAK","PAN","PCN","PER","PHL","PLW","PNG","POL","PRI","PRK","PRT","PRY","PSE","PYF","QAT","REU","ROU","RUS","RWA","SAU","SDN","SEN","SGP","SGS","SHN","SJM","SLB","SLE","SLV","SMR","SOM","SPM","SRB","SSD","STP","SUR","SVK","SVN","SWE","SWZ","SXM","SYC","SYR","TCA","TCD","TGO","THA","TJK","TKL","TKM","TLS","TON","TTO","TUN","TUR","TUV","TWN","TZA","UGA","UKR","UMI","URY","USA","UZB","VAT","VCT","VEN","VGB","VIR","VNM","VUT","WLF","WSM","YEM","ZAF","ZMB","ZWE"],"default_country":["United States of America"],"full_address":["#{street_address}, #{city}, #{state_abbr} #{zip_code}","#{secondary_address} #{street_address}, #{city}, #{state_abbr} #{zip_code}"],"postcode":["#####","#####-####"],"postcode_by_state":{"AK":"995##","AL":"350##","AR":"717##","AS":"967##","AZ":"850##","CA":"900##","CO":"800##","CT":"061##","DC":"204##","DE":"198##","FL":"322##","GA":"301##","HI":"967##","IA":"510##","ID":"832##","IL":"600##","IN":"463##","KS":"666##","KY":"404##","LA":"701##","MA":"026##","MD":"210##","ME":"042##","MI":"480##","MN":"555##","MO":"650##","MS":"387##","MT":"590##","NC":"288##","ND":"586##","NE":"688##","NH":"036##","NJ":"076##","NM":"880##","NV":"898##","NY":"122##","OH":"444##","OK":"730##","OR":"979##","PA":"186##","RI":"029##","SC":"299##","SD":"577##","TN":"383##","TX":"798##","UT":"847##","VA":"222##","VT":"050##","WA":"990##","WI":"549##","WV":"247##","WY":"831##"},"secondary_address":["Apt. ###","Suite ###"],"state":["Alabama","Alaska","Arizona","Arkansas","California","Colorado","Connecticut","Delaware","Florida","Georgia","Hawaii","Idaho","Illinois","Indiana","Iowa","Kansas","Kentucky","Louisiana","Maine","Maryland","Massachusetts","Michigan","Minnesota","Mississippi","Missouri","Montana","Nebraska","Nevada","New Hampshire","New Jersey","New Mexico","New York","North Carolina","North Dakota","Ohio","Oklahoma","Oregon","Pennsylvania","Rhode Island","South Carolina","South Dakota","Tennessee","Texas","Utah","Vermont","Virginia","Washington","West Virginia","Wisconsin","Wyoming"],"state_abbr":["AL","AK","AZ","AR","CA","CO","CT","DE","FL","GA","HI","ID","IL","IN","IA","KS","KY","LA","ME","MD","MA","MI","MN","MS","MO","MT","NE","NV","NH","NJ","NM","NY","NC","ND","OH","OK","OR","PA","RI","SC","SD","TN","TX","UT","VT","VA","WA","WV","WI","WY"],"street_address":["#{building_number} #{street_name}"],"street_name":["#{Name.first_name} #{street_suffix}","#{Name.last_name} #{street_suffix}"],"street_suffix":["Alley","Avenue","Branch","Bridge","Brook","Brooks","Burg","Burgs","Bypass","Camp","Canyon","Cape","Causeway","Center","Centers","Circle","Circles","Cliff","Cliffs","Club","Common","Corner","Corners","Course","Court","Courts","Cove","Coves","Creek","Crescent","Crest","Crossing","Crossroad","Curve","Dale","Dam","Divide","Drive","Drive","Drives","Estate","Estates","Expressway","Extension","Extensions","Fall","Falls","Ferry","Field","Fields","Flat","Flats","Ford","Fords","Forest","Forge","Forges","Fork","Forks","Fort","Freeway","Garden","Gardens","Gateway","Glen","Glens","Green","Greens","Grove","Groves","Harbor","Harbors","Haven","Heights","Highway","Hill","Hills","Hollow","Inlet","Inlet","Island","Island","Islands","Islands","Isle","Isle","Junction","Junctions","Key","Keys","Knoll","Knolls","Lake","Lakes","Land","Landing","Lane","Light","Lights","Loaf","Lock","Locks","Locks","Lodge","Lodge","Loop","Mall","Manor","Manors","Meadow","Meadows","Mews","Mill","Mills","Mission","Mission","Motorway","Mount","Mountain","Mountain","Mountains","Mountains","Neck","Orchard","Oval","Overpass","Park","Parks","Parkway","Parkways","Pass","Passage","Path","Pike","Pine","Pines","Place","Plain","Plains","Plains","Plaza","Plaza","Point","Points","Port","Port","Ports","Ports","Prairie","Prairie","Radial","Ramp","Ranch","Rapid","Rapids","Rest","Ridge","Ridges","River","Road","Road","Roads","Roads","Route","Row","Rue","Run","Shoal","Shoals","Shore","Shores","Skyway","Spring","Springs","Springs","Spur","Spurs","Square","Square","Squares","Squares","Station","Station","Stravenue","Stravenue","Stream","Stream","Street","Street","Streets","Summit","Summit","Terrace","Throughway","Trace","Track","Trafficway","Trail","Trail","Tunnel","Tunnel","Turnpike","Turnpike","Underpass","Union","Unions","Valley","Valleys","Via","Viaduct","View","Views","Village","Village","Villages","Ville","Vista","Vista","Walk","Walks","Wall","Way","Ways","Well","Wells"],"time_zone":["Pacific/Midway","Pacific/Pago_Pago","Pacific/Honolulu","America/Juneau","America/Los_Angeles","America/Tijuana","America/Denver","America/Phoenix","America/Chihuahua","America/Mazatlan","America/Chicago","America/Regina","America/Mexico_City","America/Mexico_City","America/Monterrey","America/Guatemala","America/New_York","America/Indiana/Indianapolis","America/Bogota","America/Lima","America/Lima","America/Halifax","America/Caracas","America/La_Paz","America/Santiago","America/St_Johns","America/Sao_Paulo","America/Argentina/Buenos_Aires","America/Guyana","America/Godthab","Atlantic/South_Georgia","Atlantic/Azores","Atlantic/Cape_Verde","Europe/Dublin","Europe/London","Europe/Lisbon","Europe/London","Africa/Casablanca","Africa/Monrovia","Etc/UTC","Europe/Belgrade","Europe/Bratislava","Europe/Budapest","Europe/Ljubljana","Europe/Prague","Europe/Sarajevo","Europe/Skopje","Europe/Warsaw","Europe/Zagreb","Europe/Brussels","Europe/Copenhagen","Europe/Madrid","Europe/Paris","Europe/Amsterdam","Europe/Berlin","Europe/Berlin","Europe/Rome","Europe/Stockholm","Europe/Vienna","Africa/Algiers","Europe/Bucharest","Africa/Cairo","Europe/Helsinki","Europe/Kiev","Europe/Riga","Europe/Sofia","Europe/Tallinn","Europe/Vilnius","Europe/Athens","Europe/Istanbul","Europe/Minsk","Asia/Jerusalem","Africa/Harare","Africa/Johannesburg","Europe/Moscow","Europe/Moscow","Europe/Moscow","Asia/Kuwait","Asia/Riyadh","Africa/Nairobi","Asia/Baghdad","Asia/Tehran","Asia/Muscat","Asia/Muscat","Asia/Baku","Asia/Tbilisi","Asia/Yerevan","Asia/Kabul","Asia/Yekaterinburg","Asia/Karachi","Asia/Karachi","Asia/Tashkent","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kathmandu","Asia/Dhaka","Asia/Dhaka","Asia/Colombo","Asia/Almaty","Asia/Novosibirsk","Asia/Rangoon","Asia/Bangkok","Asia/Bangkok","Asia/Jakarta","Asia/Krasnoyarsk","Asia/Shanghai","Asia/Chongqing","Asia/Hong_Kong","Asia/Urumqi","Asia/Kuala_Lumpur","Asia/Singapore","Asia/Taipei","Australia/Perth","Asia/Irkutsk","Asia/Ulaanbaatar","Asia/Seoul","Asia/Tokyo","Asia/Tokyo","Asia/Tokyo","Asia/Yakutsk","Australia/Darwin","Australia/Adelaide","Australia/Melbourne","Australia/Melbourne","Australia/Sydney","Australia/Brisbane","Australia/Hobart","Asia/Vladivostok","Pacific/Guam","Pacific/Port_Moresby","Asia/Magadan","Asia/Magadan","Pacific/Noumea","Pacific/Fiji","Asia/Kamchatka","Pacific/Majuro","Pacific/Auckland","Pacific/Auckland","Pacific/Tongatapu","Pacific/Fakaofo","Pacific/Apia"]},"ancient":{"god":["Aphrodite","Apollo","Ares","Artemis","Athena","Demeter","Dionysus","Hades","Hephaestus","Hera","Hermes","Hestia","Poseidon","Zeus"],"hero":["Abderus","Achilles","Aeneas","Ajax","Amphitryon","Antilochus","Bellerophon","Castor","Chrysippus","Daedalus","Diomedes","Eleusis","Eunostus","Ganymede","Hector","Hercules","Icarus","Iolaus","Jason","Meleager","Odysseus","Orpheus","Pandion","Perseus","Theseus","Alcestis","Amymone","Andromache","Andromeda","Antigone","Arachne","Ariadne","Atalanta","Briseis","Caeneus","Cassandra","Cassiopeia","Clytemnestra","Danaë","Deianeira","Electra","Europa","Hecuba","Helen","Hermione","Iphigenia","Ismene","Jocasta","Medea","Medusa","Niobe","Pandora","Penelope","Phaedra","Polyxena","Semele","Thrace"],"primordial":["Aion","Aether","Ananke","Chaos","Chronos","Erebus","Eros","Hypnos","Nesoi","Uranus","Gaia","Ourea","Phanes","Pontus","Tartarus","Thalassa","Thanatos","Hemera","Nyx","Nemesis"],"titan":["Coeus","Crius","Cronus","Hyperion","Iapetus","Mnemosyne","Oceanus","Phoebe","Rhea","Tethys","Theia","Themis","Asteria","Astraeus","Atlas","Aura","Clymene","Dione","Helios","Selene","Eos","Epimetheus","Eurybia","Eurynome","Lelantos","Leto","Menoetius","Metis","Ophion","Pallas","Perses","Prometheus","Styx"]},"app":{"author":["#{Name.name}","#{Company.name}"],"name":["Redhold","Treeflex","Trippledex","Kanlam","Bigtax","Daltfresh","Toughjoyfax","Mat Lam Tam","Otcom","Tres-Zap","Y-Solowarm","Tresom","Voltsillam","Biodex","Greenlam","Viva","Matsoft","Temp","Zoolab","Subin","Rank","Job","Stringtough","Tin","It","Home Ing","Zamit","Sonsing","Konklab","Alpha","Latlux","Voyatouch","Alphazap","Holdlamis","Zaam-Dox","Sub-Ex","Quo Lux","Bamity","Ventosanzap","Lotstring","Hatity","Tempsoft","Overhold","Fixflex","Konklux","Zontrax","Tampflex","Span","Namfix","Transcof","Stim","Fix San","Sonair","Stronghold","Fintone","Y-find","Opela","Lotlux","Ronstring","Zathin","Duobam","Keylex","Andalax","Solarbreeze","Cookley","Vagram","Aerified","Pannier","Asoka","Regrant","Wrapsafe","Prodder","Bytecard","Bitchip","Veribet","Gembucket","Cardguard","Bitwolf","Cardify","Domainer","Flowdesk","Flexidy"],"version":["0.#.#","0.##","#.##","#.#","#.#.#"]},"aqua_teen_hunger_force":{"character":["Carl Brutananadilewski","Cybernetic Ghost of Christmas Past from the Future","D.P","Dr. Weird","Dr. Wongburger","Emory","Err","Frylock","George Lowe","Ignignokt","Master Shake","MC Pee Pants","Meatwad","Oglethorpe","Skeeter","Steve","Turkatron"]},"artist":{"names":["Donatello","Botticelli","Michelangelo","Raphael","Titian","Durer","Caravaggio","Rubens","Bernini","Rembrandt","Pissarro","Manet","Degas","Cezanne","Monet","Renoir","Cassatt","Gauguin","Munch","Klimt","Matisse","Picasso","Kandinsky","Chagall","Seurat","Magritte","Escher","Rothko","Dali","Kahlo","Pollock","Warhol","Vettriano","Da Vinci","El Greco","Winslow Homer","Paul Klee","Edward Hopper","Diego Rivera","Vincent","Joan Miro","Ansel Adams"]},"back_to_the_future":{"characters":["Marty McFly","Dr. Emmett Brown","Lorraine Baines","George McFly","Biff Tannen","Jennifer Parker","Dave McFly","Linda McFly","Sam Baines","Stella Baines","Milton Baines","Sally Baines","Joey Baines","Mr. Strickland","Skinhead","3-D","Match","Marvin Berry","Goldie Wilson","Mr. Peabody","Mark Dixon","Lou","Red The Bum","Einstein"],"dates":["November 5, 1955","November 12, 1955","October 25, 1985","October 26, 1985","October 21, 2015"],"quotes":["Ah, Jesus Christ! Jesus Christ, Doc, you disintegrated Einstein!","All right. This is an oldie, but, uh... well, it's an oldie where I come from.","Am I to understand you're still hanging around with Dr. Emmett Brown, McFly?","And one for you, McFly; I believe that makes four in a row. Now let me give you a nickel's worth of free advice, young man. This so-called Dr. Brown is dangerous. He's a real nutcase. You hang around with him, you're gonna end up in big trouble.","Anyway, your Grandpa hit him with the car and brought him into the house. He seemed so helpless, like a little lost puppy, and my heart just went out to him.","Are you telling me that this sucker is nuclear?","Biff. What a character. Always trying to get away with something. I've had to stay on top of Biff ever since high school. Although, if it wasn't for him...","Calm down, Marty. I didn't disintegrate anything. The molecular structure of both Einstein and the car are completely intact.","Calvin? Wh... Why do you keep calling me Calvin?","Course! From a group of Lybian Nationalists They wanted me to build them a bomb, so I took their plutonium and in turn I gave them a shiny bomb caseing full of used pinball machine parts!","Crazy drunk driver.","Damn! I'm late for school!","Dear Dr. Brown. On the night that I go back in time, you will be shot by terrorists. Please take whatever precautions are necessary to prevent this terrible disaster. Your friend, Marty.","Don't be so gullible, McFly. Got the place fixed up nice, though, McFly.","Don't worry. As long as you hit that wire with the connecting hook at precisely 88 miles per hour, the instant the lightning strikes the tower... everything will be fine.","Give me a Pepsi Free.","Great Scott!","He laid out Biff in one punch. I didn't know he had it in him. He's never stood up to Biff in his life!","He's a Peeping Tom!","He's an absolute dream!","He's an idiot. Comes from upbringing. His parents are probably idiots, too. Lorraine, you ever have a kid who acts that way, I'll disown you.","Hello? Hello? Anybody home? Huh? Think, McFly. Think! I gotta have time to get them retyped. Do you realize what would happen if I hand in my reports in your handwriting? I'll get fired. You wouldn't want that to happen, would ya? Would ya?","Hey, Biff, get a load of this guy's life preserver. Dork thinks he's gonna drown.","Hey, come on. I had to change. Do you think I'm going back in that-that zoot suit? The old man really came through. It worked!","Hey, Dad! George! Hey, you on the bike!","Hey, hey, listen, guys... Look, I don't wanna mess with no reefer addicts, okay?","Hey, McFly! I thought I told you never to come in here.","Hey, you! Get your damn hands off her!","I can't believe you'd loan me your car without telling me it had a blind spot. I could've been killed!","I finally invent something that works!","I g-guess you guys aren't ready for that yet. But your kids are gonna love it.","I had a horrible nightmare. I dreamed that I went... back in time. It was terrible.","I have your car towed all the way to your house and all you got for me is lite beer?","I noticed your band is on the roster for the dance auditions after school today. Why even bother, McFly? You don't have a chance. You're too much like your old man. No McFly ever amounted to anything in the history of Hill Valley!","I'm from the future. I came here in a Time Machine that you invented. Now I need your help to get back to the year 1985.","I'm gonna get that son of a bitch.","I'm sure that in 1985, plutonium is available in every corner drugstore, but in 1955, it's a little hard to come by.","I've had enough practical jokes for one evening. Good night, future boy!","I've never seen purple underwear before!","If my calculations are correct, when this baby hits 88 miles per hour... you're gonna see some serious shit.","If you put your mind to it, you can accomplish anything.","It's already mutated into human form! Shoot it!","It's gonna be really hard waiting 30 years before I can talk to you about everything that's happened in the past few days. I'm really gonna miss you, Marty.","Jesus, George, it was a wonder I was even born.","Last night, Darth Vader came down from Planet Vulcan and told me that if I didn't take Lorraine out, that he'd melt my brain.","Let me show you my plan for sending you home. Please excuse the crudity of this model. I didn't have time to build it to scale or paint it.","Let's see if you bastards can do 90.","Look! There's a rhythmic ceremonial ritual coming up.","Look, I'm just not ready to ask Lorraine out to the dance, and not you, or anybody else on this planet is gonna make me change my mind.","Look, Marvin, you gotta play. See, that's where they kiss for the first time on the dance floor. And if there's no music, they can't dance. If they can't dance, they can't kiss. If they can't kiss they can't fall in love, and I'm history.","Look, you're not gonna be picking a fight, Dad... Dad-Dad-Daddy-O.","Lorraine. My density has brought me to you.","Marty, don't be such a square. Everybody who's anybody drinks.","Marty, I'm sorry, but the only power source capable of generating 1.21 gigawatts of electricity is a bolt of lightning.","Marty, will we ever see you again?","Maybe you were adopted.","My equipment. That reminds me, Marty. You better not hook up to the amplifier. There's a slight possibility of overload.","Next saturday night we're sending you back to the future!","No wonder your president has to be an actor. He's gotta look good on television.","No! It requires something with a little more kick...plutonium!","No! Marty! We've already agreed that having information about the future can be extremely dangerous. Even if your intentions are good, it can backfire drastically!","No, get out of town. My mom thinks I'm going camping with the guys. Look, Jennifer, my mother would freak out if she knew I was going out with you, and I'd get the standard lecture about how she never did that kind of stuff when she was a kid. I mean, look, I think the woman was born a nun.","No, no, no, no, no, this sucker's electrical, but I need a nuclear reaction to generate the 1.21 gigawatts of electricity I need.","Now, Biff, I want to make sure that we get two coats of wax this time, not just one.","Now, remember. According to my theory, you interfered with your parents' first meeting. If they don't meet, they won't fall in love, they won't get married and they won't have kids. That's why your older brother's disappearing from that photograph. Your sister will follow, and unless you repair the damage, you'll be next.","Oh, honey, he's teasing you. Nobody has two television sets.","Oh, my God. They found me. I don't know how, but they found me. Run for it, Marty!","Oh, that's Joey. He cries when we take him out so we just leave him in there.","Oh. One other thing. If you guys ever have kids, and one of them, when he's eight years old, accidentally sets fire to the living room rug... go easy on him.","Okay, thank you. That's enough. Hold it now. Hold it. Hold it, fellas. I'm afraid you're just too darn loud. Next, please. Bring in the next group, please.","Okay. Time circuit's on. Flux capacitor, fluxing. Engine running. All right.","Perfect! My experiment worked! They're all exactly 25 minutes slow!","Radiation suit? Of course. 'Cause of all the fallout from the atomic wars.","Roads? Where we're going, we don't need roads.","Save the clock tower!","Scram, McFly. I'm cuttin' in.","See you in about 30 years.","See you later, Pop. Whoo! Time to change that oil.","Silence, Earthling. My name is Darth Vader. I am an extraterrestrial from the planet Vulcan!","Since when can weathermen predict the weather, let alone the future?","Since you're new here, I-I'm gonna cut you a break, today. So, why don't you make like a tree and get outta here?","So you're my Uncle Joey. Better get used to these bars, kid.","Stand tall, boy. Have some respect for yourself. Don't you know, if you let people walk over you now, they'll be walking over you for the rest of your life. Look at me. You think I'm gonna spend the rest of my life in this slop house?","Stella! Another one of these damn kids jumped in front of my car! Come on out here! Help me take him in the house!","Take that, you mutated son of a bitch!","That's Strickland. Jesus, didn't that guy ever have hair?","The appropriate question is, 'when the hell are they?' You see, Einstein has just become the world's first time traveler! I sent him into the future. One minute into the future to be exact. And at precisely 1:21 a.m. and zero seconds, we shall catch up with him and the time machine.","The way I see it, if you're gonna build a time machine into a car, why not do it with some style?","There's that word again. 'Heavy.' Why are things so heavy in the future? Is there a problem with the Earth's gravitational pull?","Things have certainly changed around here. I remember when this was all farmland as far the eye could see. Old man Peabody owned all of this. He had this crazy idea about breeding pine trees.","This is all wrong. I don't know what it is. But when I kiss you, it's like I'm kissing... my brother. I guess that doesn't make any sense, does it?","Wait a minute. Wait a minute, Doc. Ah... Are you telling me that you built a time machine... out of a DeLorean?","We're the, uh... We're the Pinheads.","Weight has nothing to do with it.","Well, I figured, what the hell?","Well, you're safe and sound now, back in good old 1955.","What about all that talk about screwing up future events? The space-time continuum?","What are you looking at, butthead?","What happens to us in the future? Do we become assholes or something?","What if I send in the tape and they don't like it? I mean, what if they say I'm no good? What if they say 'Get outta here, kid. You got no future'? I mean, I just don't think I can take that kind of rejection. Jesus, I'm starting to sound like my old man!","What-what the hell is a gigawatt?","Who the hell is John F. Kennedy?","Who's President of the United States in 1985? Ronald Reagan? The actor? Ha! Then whose vice president? Jerry Lewis?","Whoa. This is heavy.","Whoa. Wait a minute, Doc. Are you trying to tell me that my mother has got the hots for me?","Yeah, well, history is gonna change.","Yes. Yes. I'm George. George McFly. I'm your density. I mean, your destiny.","You caused 300 bucks damage to my car, you son of a bitch. And I'm gonna take it out of your ass.","You got a real attitude problem, McFly; you're a slacker. You remind me of your father when he went here; he was a slacker, too.","You know, Marty, you look so familiar to me. Do I know your mother?","You really think I ought to swear?","You want a Pepsi, pal, you're gonna pay for it.","You're late! Do you have no concept of time?"]},"bank":{"iban_details":{"at":{"digits":"18","letter_code":"0"},"be":{"digits":"14","letter_code":"0"},"bg":{"digits":"14","letter_code":"4"},"cy":{"digits":"26","letter_code":"0"},"cz":{"digits":"22","letter_code":"0"},"de":{"digits":"20","letter_code":"0"},"dk":{"digits":"16","letter_code":"0"},"ee":{"digits":"18","letter_code":"0"},"es":{"digits":"22","letter_code":"0"},"fi":{"digits":"16","letter_code":"0"},"fr":{"digits":"25","letter_code":"0"},"gb":{"digits":"14","letter_code":"4"},"gr":{"digits":"25","letter_code":"0"},"hr":{"digits":"19","letter_code":"0"},"hu":{"digits":"28","letter_code":"0"},"ie":{"digits":"16","letter_code":"4"},"it":{"digits":"25","letter_code":"0"},"lt":{"digits":"14","letter_code":"0"},"lu":{"digits":"16","letter_code":"0"},"lv":{"digits":"15","letter_code":"4"},"mt":{"digits":"26","letter_code":"4"},"nl":{"digits":"10","letter_code":"4"},"pl":{"digits":"24","letter_code":"0"},"pt":{"digits":"18","letter_code":"0"},"ro":{"digits":"18","letter_code":"4"},"se":{"digits":"22","letter_code":"0"},"sk":{"digits":"22","letter_code":"0"}},"name":["UBS CLEARING AND EXECUTION SERVICES LIMITED","ABN AMRO CORPORATE FINANCE LIMITED","ABN AMRO FUND MANAGERS LIMITED","ABN AMRO HOARE GOVETT SECURITIES","ABN AMRO HOARE GOVETT CORPORATE FINANCE LTD.","ALKEN ASSET MANAGEMENT","ALKEN ASSET MANAGEMENT","ABN AMRO HOARE GOVETT LIMITED","AAC CAPITAL PARTNERS LIMITED","ABBOTSTONE AGRICULTURAL PROPERTY UNIT TRUST","ABN AMRO QUOTED INVESTMENTS (UK) LIMITED","ABN AMRO MEZZANINE (UK) LIMITED","ABBEY LIFE","SANTANDER UK PLC","OTKRITIE SECURITIES LIMITED","ABC INTERNATIONAL BANK PLC","ALLIED BANK PHILIPPINES (UK) PLC","ABU DHABI ISLAMIC BANK","ABG SUNDAL COLLIER LIMITED","PGMS (GLASGOW) LIMITED","ABINGWORTH MANAGEMENT LIMITED","THE ROYAL BANK OF SCOTLAND PLC (FORMER RBS NV)"],"swift_bic":["AACCGB21","AACNGB21","AAFMGB21","AAHOGB21","AAHVGB21","AANLGB21","AANLGB2L","AAOGGB21","AAPEGB21","AAPUGB21","AAQIGB21","ABAZGB21","ABBEGB21","ABBYGB2L","ABCCGB22","ABCEGB2L","ABCMGB21","ABDIGB21","ABECGB21","ABFIGB21","ABMNGB21","ABNAGB21VOC"]},"beer":{"hop":["Ahtanum","Amarillo","Bitter Gold","Bravo","Brewer’s Gold","Bullion","Cascade","Cashmere","Centennial","Chelan","Chinook","Citra","Cluster","Columbia","Columbus","Comet","Crystal","Equinox","Eroica","Fuggle","Galena","Glacier","Golding","Hallertau","Horizon","Liberty","Magnum","Millennium","Mosaic","Mt. Hood","Mt. Rainier","Newport","Northern Brewer","Nugget","Olympic","Palisade","Perle","Saaz","Santiam","Simcoe","Sorachi Ace","Sterling","Summit","Tahoma","Tettnang","TriplePearl","Ultra","Vanguard","Warrior","Willamette","Yakima Gol"],"malt":["Black malt","Caramel","Carapils","Chocolate","Munich","Caramel","Carapils","Chocolate malt","Munich","Pale","Roasted barley","Rye malt","Special roast","Victory","Vienna","Wheat mal"],"name":["Pliny The Elder","Founders Kentucky Breakfast","Trappistes Rochefort 10","HopSlam Ale","Stone Imperial Russian Stout","St. Bernardus Abt 12","Founders Breakfast Stout","Weihenstephaner Hefeweissbier","Péché Mortel","Celebrator Doppelbock","Duvel","Dreadnaught IPA","Nugget Nectar","La Fin Du Monde","Bourbon County Stout","Old Rasputin Russian Imperial Stout","Two Hearted Ale","Ruination IPA","Schneider Aventinus","Double Bastard Ale","90 Minute IPA","Hop Rod Rye","Trappistes Rochefort 8","Chimay Grande Réserve","Stone IPA","Arrogant Bastard Ale","Edmund Fitzgerald Porter","Chocolate St","Oak Aged Yeti Imperial Stout","Ten FIDY","Storm King Stout","Shakespeare Oatmeal","Alpha King Pale Ale","Westmalle Trappist Tripel","Samuel Smith’s Imperial IPA","Yeti Imperial Stout","Hennepin","Samuel Smith’s Oatmeal Stout","Brooklyn Black","Oaked Arrogant Bastard Ale","Sublimely Self-Righteous Ale","Trois Pistoles","Bell’s Expedition","Sierra Nevada Celebration Ale","Sierra Nevada Bigfoot Barleywine Style Ale","Racer 5 India Pale Ale, Bear Republic Bre","Orval Trappist Ale","Hercules Double IPA","Maharaj","Maudite"],"style":["Light Lager","Pilsner","European Amber Lager","Dark Lager","Bock","Light Hybrid Beer","Amber Hybrid Beer","English Pale Ale","Scottish And Irish Ale","Merican Ale","English Brown Ale","Porter","Stout","India Pale Ale","German Wheat And Rye Beer","Belgian And French Ale","Sour Ale","Belgian Strong Ale","Strong Ale","Fruit Beer","Vegetable Beer","Smoke-flavored","Wood-aged Beer"],"yeast":["1007 - German Ale","1010 - American Wheat","1028 - London Ale","1056 - American Ale","1084 - Irish Ale","1098 - British Ale","1099 - Whitbread Ale","1187 - Ringwood Ale","1272 - American Ale II","1275 - Thames Valley Ale","1318 - London Ale III","1332 - Northwest Ale","1335 - British Ale II","1450 - Dennys Favorite 50","1469 - West Yorkshire Ale","1728 - Scottish Ale","1968 - London ESB Ale","2565 - Kölsch","1214 - Belgian Abbey","1388 - Belgian Strong Ale","1762 - Belgian Abbey II","3056 - Bavarian Wheat Blend","3068 - Weihenstephan Weizen","3278 - Belgian Lambic Blend","3333 - German Wheat","3463 - Forbidden Fruit","3522 - Belgian Ardennes","3638 - Bavarian Wheat","3711 - French Saison","3724 - Belgian Saison","3763 - Roeselare Ale Blend","3787 - Trappist High Gravity","3942 - Belgian Wheat","3944 - Belgian Witbier","2000 - Budvar Lager","2001 - Urquell Lager","2007 - Pilsen Lager","2035 - American Lager","2042 - Danish Lager","2112 - California Lager","2124 - Bohemian Lager","2206 - Bavarian Lager","2278 - Czech Pils","2308 - Munich Lager","2633 - Octoberfest Lager Blend","5112 - Brettanomyces bruxellensis","5335 - Lactobacillus","5526 - Brettanomyces lambicus","5733 - Pediococcus"]},"book":{"author":"#{Name.name}","genre":["Classic","Comic/Graphic Novel","Crime/Detective","Fable","Fairy tale","Fanfiction","Fantasy","Fiction narrative","Fiction in verse","Folklore","Historical fiction","Horror","Humor","Legend","Metafiction","Mystery","Mythology","Mythopoeia","Realistic fiction","Science fiction","Short story","Suspense/Thriller","Tall tale","Western","Biography/Autobiography","Essay","Narrative nonfiction","Speech","Textbook","Reference book"],"publisher":["Academic Press","Ace Books","Addison-Wesley","Adis International","Airiti Press","André Deutsch","Andrews McMeel Publishing","Anova Books","Anvil Press Poetry","Applewood Books","Apress","Athabasca University Press","Atheneum Books","Atheneum Publishers","Atlantic Books","Atlas Press","Ballantine Books","Banner of Truth Trust","Bantam Books","Bantam Spectra","Barrie \u0026 Jenkins","Basic Books","BBC Books","Harvard University Press","Belknap Press","Bella Books","Bellevue Literary Press","Berg Publishers","Berkley Books","Bison Books","Black Dog Publishing","Black Library","Black Sparrow Books","Blackie and Son Limited","Blackstaff Press","Blackwell Publishing","John Blake Publishing","Bloodaxe Books","Bloomsbury Publishing Plc","Blue Ribbon Books","Book League of America","Book Works","Booktrope","Borgo Press","Bowes \u0026 Bowes","Boydell \u0026 Brewer","Breslov Research Institute","Brill Publishers","Brimstone Press","Broadview Press","Burns \u0026 Oates","Butterworth-Heinemann","Caister Academic Press","Cambridge University Press","Candlewick Press","Canongate Books","Carcanet Press","Carlton Books","Carlton Publishing Group","Carnegie Mellon University Press","Casemate Publishers","Cengage Learning","Central European University Press","Chambers Harrap","Charles Scribner's Sons","Chatto and Windus","Chick Publications","Chronicle Books","Churchill Livingstone","Cisco Press","City Lights Publishers","Cloverdale Corporation","D. Appleton \u0026 Company","D. Reidel","Da Capo Press","Daedalus Publishing","Dalkey Archive Press","Darakwon Press","David \u0026 Charles","DAW Books","Dedalus Books","Del Rey Books","E. P. Dutton","Earthscan","ECW Press","Eel Pie Publishing","Eerdmans Publishing","Edupedia Publications","Ellora's Cave","Elsevier","Emerald Group Publishing","Etruscan Press","Faber and Faber","FabJob","Fairview Press","Farrar, Straus \u0026 Giroux","Fearless Books","Felony \u0026 Mayhem Press","Firebrand Books","Flame Tree Publishing","Focal Press","G. P. Putnam's Sons","G-Unit Books","Gaspereau Press","Gay Men's Press","Gefen Publishing House","George H. Doran Company","George Newnes","George Routledge \u0026 Sons","Godwit Press","Golden Cockerel Press","Hachette Book Group USA","Hackett Publishing Company","Hamish Hamilton","Happy House","Harcourt Assessment","Harcourt Trade Publishers","Harlequin Enterprises Ltd","Harper \u0026 Brothers","Harper \u0026 Row","HarperCollins","HarperPrism","HarperTrophy","Harry N. Abrams, Inc.","Harvard University Press","Harvest House","Harvill Press at Random House","Hawthorne Books","Hay House","Haynes Manuals","Heyday Books","HMSO","Hodder \u0026 Stoughton","Hodder Headline","Hogarth Press","Holland Park Press","Holt McDougal","Horizon Scientific Press","Ian Allan Publishing","Ignatius Press","Imperial War Museum","Indiana University Press","J. M. Dent","Jaico Publishing House","Jarrolds Publishing","Karadi Tales","Kensington Books","Kessinger Publishing","Kodansha","Kogan Page","Koren Publishers Jerusalem","Ladybird Books","Leaf Books","Leafwood Publishers","Left Book Club","Legend Books","Lethe Press","Libertas Academica","Liberty Fund","Library of America","Lion Hudson","Macmillan Publishers","Mainstream Publishing","Manchester University Press","Mandrake of Oxford","Mandrake Press","Manning Publications","Manor House Publishing","Mapin Publishing","Marion Boyars Publishers","Mark Batty Publisher","Marshall Cavendish","Marshall Pickering","Martinus Nijhoff Publishers","Mascot Books","Matthias Media","McClelland and Stewart","McFarland \u0026 Company","McGraw-Hill Education","McGraw Hill Financial","Medknow Publications","Naiad Press","Nauka","NavPress","New Directions Publishing","New English Library","New Holland Publishers","New Village Press","Newnes","No Starch Press","Nonesuch Press","Oberon Books","Open Court Publishing Company","Open University Press","Orchard Books","O'Reilly Media","Orion Books","Packt Publishing","Palgrave Macmillan","Pan Books","Pantheon Books at Random House","Papadakis Publisher","Parachute Publishing","Parragon","Pathfinder Press","Paulist Press","Pavilion Books","Peace Hill Press","Pecan Grove Press","Pen and Sword Books","Penguin Books","Random House","Reed Elsevier","Reed Publishing","SAGE Publications","St. Martin's Press","Salt Publishing","Sams Publishing","Schocken Books","Scholastic Press","Charles Scribner's Sons","Seagull Books","Secker \u0026 Warburg","Shambhala Publications","Shire Books","Shoemaker \u0026 Hoard Publishers","Shuter \u0026 Shooter Publishers","Sidgwick \u0026 Jackson","Signet Books","Simon \u0026 Schuster","T \u0026 T Clark","Tachyon Publications","Tammi","Target Books","Tarpaulin Sky Press","Tartarus Press","Tate Publishing \u0026 Enterprises","Taunton Press","Taylor \u0026 Francis","Ten Speed Press","UCL Press","Unfinished Monument Press","United States Government Publishing Office","University of Akron Press","University of Alaska Press","University of California Press","University of Chicago Press","University of Michigan Press","University of Minnesota Press","University of Nebraska Press","Velazquez Press","Verso Books","Victor Gollancz Ltd","Viking Press","Vintage Books","Vintage Books at Random House","Virago Press","Virgin Publishing","Voyager Books","Brill","Allen Ltd","Zed Books","Ziff Davis Media","Zondervan"],"title":["Absalom, Absalom!","After Many a Summer Dies the Swan","Ah, Wilderness!","All Passion Spent","All the King's Men","Alone on a Wide, Wide Sea","An Acceptable Time","Antic Hay","An Evil Cradling","Arms and the Man","As I Lay Dying","A Time to Kill","Behold the Man","Beneath the Bleeding","Beyond the Mexique Bay","Blithe Spirit","Blood's a Rover","Blue Remembered Earth","Rosemary Sutcliff","Françoise Sagan","Brandy of the Damned","Bury My Heart at Wounded Knee","Butter In a Lordly Dish","By Grand Central Station I Sat Down and Wept","Cabbages and Kings","Carrion Comfort","A Catskill Eagle","Clouds of Witness","A Confederacy of Dunces","Consider Phlebas","Consider the Lilies","Cover Her Face","The Cricket on the Hearth","The Curious Incident of the Dog in the Night-Time","The Daffodil Sky","Dance Dance Dance","A Darkling Plain","Death Be Not Proud","The Doors of Perception","Down to a Sunless Sea","Dulce et Decorum Est","Dying of the Light","East of Eden","Ego Dominus Tuus","Endless Night","Everything is Illuminated","Eyeless in Gaza","Fair Stood the Wind for France","Fame Is the Spur","Edna O'Brien","The Far-Distant Oxus","A Farewell to Arms","Far From the Madding Crowd","Fear and Trembling","For a Breath I Tarry","For Whom the Bell Tolls","Frequent Hearses","From Here to Eternity","A Glass of Blessings","The Glory and the Dream","The Golden Apples of the Sun","The Golden Bowl","Gone with the Wind","The Grapes of Wrath","Great Work of Time","The Green Bay Tree","A Handful of Dust","Have His Carcase","The Heart Is a Lonely Hunter","The Heart Is Deceitful Above All Things","His Dark Materials","The House of Mirth","Sleep the Brave","I Know Why the Caged Bird Sings","I Sing the Body Electric","I Will Fear No Evil","If I Forget Thee Jerusalem","If Not Now, When?","Infinite Jest","In a Dry Season","In a Glass Darkly","In Death Ground","In Dubious Battle","An Instant In The Wind","It's a Battlefield","Jacob Have I Loved","O Jerusalem!","Jesting Pilate","The Last Enemy","The Last Temptation","The Lathe of Heaven","Let Us Now Praise Famous Men","Lilies of the Field","This Lime Tree Bower","The Line of Beauty","The Little Foxes","Little Hands Clapping","Look Homeward, Angel","Look to Windward","The Man Within","Many Waters","A Many-Splendoured Thing","The Mermaids Singing","The Millstone","The Mirror Crack'd from Side to Side","Moab Is My Washpot","The Monkey's Raincoat","A Monstrous Regiment of Women","The Moon by Night","Mother Night","The Moving Finger","The Moving Toyshop","Mr Standfast","Nectar in a Sieve","The Needle's Eye","Nine Coaches Waiting","No Country for Old Men","No Highway","Noli Me Tangere","No Longer at Ease","Now Sleeps the Crimson Petal","Number the Stars","Of Human Bondage","Of Mice and Men","Oh! To be in England","The Other Side of Silence","The Painted Veil","Pale Kings and Princes","The Parliament of Man","Paths of Glory","A Passage to India","O Pioneers!","Postern of Fate","Precious Bane","The Proper Study","Quo Vadis","Recalled to Life","Recalled to Life","Ring of Bright Water","The Road Less Traveled","A Scanner Darkly","Shall not Perish","The Skull Beneath the Skin","The Soldier's Art","Some Buried Caesar","Specimen Days","The Stars' Tennis Balls","Stranger in a Strange Land","Such, Such Were the Joys","A Summer Bird-Cage","The Sun Also Rises","Surprised by Joy","A Swiftly Tilting Planet","Taming a Sea Horse","Tender Is the Night","Terrible Swift Sword","That Good Night","That Hideous Strength","Things Fall Apart","This Side of Paradise","Those Barren Leaves, Thrones, Dominations","Tiger! Tiger!","A Time of Gifts","Time of our Darkness","Time To Murder And Create","Tirra Lirra by the River","To a God Unknown","To Sail Beyond the Sunset","To Say Nothing of the Dog","To Your Scattered Bodies Go","The Torment of Others","Unweaving the Rainbow","Vanity Fair","Vile Bodies","The Violent Bear It Away","Waiting for the Barbarians","The Waste Land","The Way of All Flesh","The Way Through the Woods","The Wealth of Nations","What's Become of Waring","When the Green Woods Laugh","Where Angels Fear to Tread","The Widening Gyre","Wildfire at Midnight","The Wind's Twelve Quarters","The Wings of the Dove","The Wives of Bath","The World, the Flesh and the Devil","The Yellow Meads of Asphodel"]},"bossa_nova":{"artists":["Alaide Costa","Antonio Carlos Jobim","Astrud Gilberto","Baden Powell","Bebel Gilberto","Billy Blanco","Bola Sete","Caetano Veloso","Carlos Lyra","Chico Buarque","Chico Moraes","Danilo Caymmi","Dori Caymmi","Dorival Caymmi","Edu Lobo","Elis Regina","Elizeth Cardoso","Elza Soares","Gal Costa","Geraldo Vandre","Gilberto Gil","Johnny Alf","Jorge Ben Jor","Joyce Moreno","Joao Donato","Joao Gilberto","Joao Gilberto","Laurindo de Almeida","Leny Andrade","Lisa Ono","Lucio Alves","Luiz Bonfa","Luiz Eca","Marcos Valle","Maria Bethania","Minas","Nara Leao","Nelson Motta","Novos Baianos","Os Cariocas","Oscar Castro Neves","Roberto Menescal","Ronaldo Boscoli","Sergio Mendes","Stan Getz","Toquinho","Vinicius de Moraes","Wanda Sa","Wilson Simonal","Zimbo Trio"],"songs":["A Banda","Acabou Chorare","Alo, alo Marciano","Aquarela","Aquarela Do Brasil","Batucada Surgiu","Bossa Jazz","Canto de Ossanha","Catavento","Chega de Saudade","Chora Tua Tristeza","Chuva de Prata","Chao de Giz","Clube do Samba","Coisa Mais Linda","Corcovado","Calice","Desafinado","Dindi","Diz Que Fui Por Ai","Drao","Ela E Carioca","Entardecendo","Eu Bebo Sim","Eu Nao Existo Sem Voce","Eu Preciso Dizer Que Te Amo","Eu Sei Que Vou Te Amar","Eu Sei Que Vou Te Amar","Garota de Ipanema","Ginza Samba","Influencia Do Jazz","Insensatez","Ladainha","Luiza","Malandro","Manha De Carnaval","Mas Que Nada","Moonlight in Rio","O Barquinho","O Bebado e A Equilibrista","O Leaozinho","O Que E Que A Bahiana Tem","Para Viver Um Grande Amor","Piston de Gafieira","Pra Nao Dizer Que Nao Falei Das Flores","Samba De Uma Nota So","Samba Esquema Novo","Samba da Bencao","Samba da Bencao","Samba de Orly","Samba em Prelúdio","Sabado em Copacabana","Tarde Em Itapoa","Valsa de Uma Cidade","Voce E Linda","Zum-Zum","Agua de beber","Aguas de Marco"]},"breaking_bad":{"character":["Walter White","Hank Schrader","Skyler White","Jesse Pinkman","Gustavo Fring","Mike Ehrmantraut","Jimmy McGill","Hector 'Tio' Salamanca","Lydia Rodarte-Quayle","Jane Margolis","Tuco Salamanca","The Cousins","Ted Beneke","Gale Boetticher","Walter White Jr.","Todd Alquist","Brock Cantillo","Andrea Cantillo","Jack Welker","Krazy-8","'Don' Eladio Vuente","Marie Schrader","Gretchen Schwartz","Huell Babineaux","Tortuga","Victor","Juan Bolsa","Tomás Cantillo","Holly White","Steven Gomez","Emilio Koyama","Drew Sharp","Declan","Carmen Molina","Brandon 'Badger' Mayhew","Christian 'Combo' Ortega","Rival Dealers","Ed","Ken","Kenny","Group Leader","George Merkert","Adam Pinkman","Mrs Pinkman","No-Doze","Gonzo"],"episode":["Pilot","Cat's in the Bag...","...And the Bag's in the River","Cancer Man","Gray Matter","Crazy Handful of Nothin","A No-Rough-Stuff-Type Deal","Seven Thirty-Seven","Grilled","Bit by a Dead Bee","Down","Breakage","Peekaboo","Negro y Azul","Better Call Saul","4 Days Out","Over","Mandala","Phoenix","ABQ","No Más","Caballo Sin Nombre","I.F.T.","Green Light","Más","Sunset","One Minute","I See You","Kafkaesque","Fly","Abiquiu","Half Measures","Full Measure","Box Cutter","Thirty-Eight Snub","Open House","Bullet Points","Shotgun","Cornered","Problem Dog","Hermanos","Bug","Salud","Crawl Space","End Times","Face Off","Live Free or Die","Madrigal","Hazard Pay","Fifty-One","Dead Freight","Buyout","Say My Name","Gliding Over All","Blood Money","Buried","Confessions","Rabid Dog","To'hajiilee","Ozymandias","Granite State","Felina"]},"business":{"credit_card_numbers":["1234-2121-1221-1211","1212-1221-1121-1234","1211-1221-1234-2201","1228-1221-1221-1431"],"credit_card_types":["visa","mastercard","american_express","discover","diners_club","jcb","switch","solo","dankort","maestro","forbrugsforeningen","laser"]},"cat":{"breed":["Abyssinian","Aegean","American Bobtail","American Curl","American Shorthair","American Wirehair","Arabian Mau","Asian","Asian Semi-longhair","Australian Mist","Balinese","Bambino","Bengal","Birman","Bombay","Brazilian Shorthair","British Longhair","British Semipi-longhair","British Shorthair","Burmese","Burmilla","California Spangled","Chantilly-Tiffany","Chartreux","Chausie","Cheetoh","Colorpoint Shorthair","Cornish Rex","Cymric, or Manx Longhair","Cyprus","Devon Rex","Donskoy, or Don Sphynx","Dragon Li","Dwarf cat, or Dwelf","Egyptian Mau","European Shorthair","Exotic Shorthair","Foldex Cat","German Rex","Havana Brown","Highlander","Himalayan, or Colorpoint Persian","Japanese Bobtail","Javanese","Khao Manee","Korat","Korean Bobtail","Korn Ja","Kurilian Bobtail","Kurilian Bobtail, or Kuril Islands Bobtail","LaPerm","Lykoi","Maine Coon","Manx","Mekong Bobtail","Minskin","Munchkin","Napoleon","Nebelung","Norwegian Forest Cat","Ocicat","Ojos Azules","Oregon Rex","Oriental Bicolor","Oriental Longhair","Oriental Shorthair","PerFold Cat (Experimental Breed - WCF)","Persian (Modern Persian Cat)","Persian (Traditional Persian Cat)","Peterbald","Pixie-bob","Raas","Ragamuffin","Ragdoll","Russian Blue","Russian White, Black and Tabby","Sam Sawet","Savannah","Scottish Fold","Selkirk Rex","Serengeti","Serrade petit","Siamese","Siberian","Singapura","Snowshoe","Sokoke","Somali","Sphynx","Suphalak","Thai","Tonkinese","Toyger","Turkish Angora","Turkish Van","Ukrainian Levkoy"],"name":["Alfie","Angel","Bella","Charlie","Chloe","Coco","Daisy","Felix","Jasper","Lily","Lucky","Lucy","Max","Millie","Milo","Missy","Misty","Molly","Oliver","Oscar","Poppy","Sam","Shadow","Simba","Smokey","Smudge","Sooty","Tiger"],"registry":["American Cat Fanciers Association","Associazione Nazionale Felina Italiana","Canadian Cat Association","Cat Aficionado Association","Cat Fanciers' Association","Emirates Feline Federation","Fédération Internationale Féline","Felis Britannica","Governing Council of the Cat","Fancy Southern Africa Cat Council","The International Cat Association"]},"cell_phone":{"formats":["###-###-####","(###) ###-####","1-###-###-####","###.###.####"]},"chuck_norris":{"fact":["All arrays Chuck Norris declares are of infinite size, because Chuck Norris knows no bounds.","Chuck Norris doesn't have disk latency because the hard drive knows to hurry the hell up.","All browsers support the hex definitions #chuck and #norris for the colors black and blue.","Chuck Norris can't test for equality because he has no equal.","Chuck Norris doesn't need garbage collection because he doesn't call .Dispose(), he calls .DropKick().","Chuck Norris's first program was kill -9.","Chuck Norris burst the dot com bubble.","Chuck Norris writes code that optimizes itself.","Chuck Norris can write infinite recursion functions... and have them return.","Chuck Norris can solve the Towers of Hanoi in one move.","The only pattern Chuck Norris knows is God Object.","Chuck Norris finished World of Warcraft.","Project managers never ask Chuck Norris for estimations... ever.","Chuck Norris doesn't use web standards as the web will conform to him.","\"It works on my machine\" always holds true for Chuck Norris.","Whiteboards are white because Chuck Norris scared them that way.","Chuck Norris's beard can type 140 wpm.","Chuck Norris can unit test an entire application with a single assert.","Chuck Norris doesn't bug hunt, as that signifies a probability of failure. He goes bug killing.","Chuck Norris's keyboard doesn't have a Ctrl key because nothing controls Chuck Norris.","Chuck Norris doesn't need a debugger, he just stares down the bug until the code confesses.","Chuck Norris can access private methods.","Chuck Norris can instantiate an abstract class.","Chuck Norris doesn't need to know about class factory pattern. He can instantiate interfaces.","The class object inherits from Chuck Norris.","For Chuck Norris, NP-Hard = O(1).","Chuck Norris knows the last digit of PI.","Chuck Norris can divide by zero.","Chuck Norris doesn't get compiler errors, the language changes itself to accommodate Chuck Norris.","The programs that Chuck Norris writes don't have version numbers because he only writes them once. If a user reports a bug or has a feature request they don't live to see the sun set.","Chuck Norris doesn't believe in floating point numbers because they can't be typed on his binary keyboard.","Chuck Norris solved the Travelling Salesman problem in O(1) time.","Chuck Norris never gets a syntax error. Instead, the language gets a DoesNotConformToChuck error.","No statement can catch the ChuckNorrisException.","Chuck Norris doesn't program with a keyboard. He stares the computer down until it does what he wants.","Chuck Norris doesn't pair program.","Chuck Norris can write multi-threaded applications with a single thread.","There is no Esc key on Chuck Norris' keyboard, because no one escapes Chuck Norris.","Chuck Norris doesn't delete files, he blows them away.","Chuck Norris can binary search unsorted data.","Chuck Norris breaks RSA 128-bit encrypted codes in milliseconds.","Chuck Norris went out of an infinite loop.","Chuck Norris can read all encrypted data, because nothing can hide from Chuck Norris.","Chuck Norris hosting is 101% uptime guaranteed.","When a bug sees Chuck Norris, it flees screaming in terror, and then immediately self-destructs to avoid being roundhouse-kicked.","Chuck Norris rewrote the Google search engine from scratch.","Chuck Norris doesn't need the cloud to scale his applications, he uses his laptop.","Chuck Norris can access the DB from the UI.","Chuck Norris' protocol design method has no status, requests or responses, only commands.","Chuck Norris' programs occupy 150% of CPU, even when they are not executing.","Chuck Norris can spawn threads that complete before they are started.","Chuck Norris programs do not accept input.","Chuck Norris doesn't need an OS.","Chuck Norris can compile syntax errors.","Chuck Norris compresses his files by doing a flying round house kick to the hard drive.","Chuck Norris doesn't use a computer because a computer does everything slower than Chuck Norris.","You don't disable the Chuck Norris plug-in, it disables you.","Chuck Norris doesn't need a java compiler, he goes straight to .war","Chuck Norris can use GOTO as much as he wants to. Telling him otherwise is considered harmful.","There is nothing regular about Chuck Norris' expressions.","Quantum cryptography does not work on Chuck Norris. When something is being observed by Chuck it stays in the same state until he's finished.","There is no need to try catching Chuck Norris' exceptions for recovery; every single throw he does is fatal.","Chuck Norris' beard is immutable.","Chuck Norris' preferred IDE is hexedit.","Chuck Norris is immutable. If something's going to change, it's going to have to be the rest of the universe.","Chuck Norris' addition operator doesn't commute; it teleports to where he needs it to be.","Anonymous methods and anonymous types are really all called Chuck Norris. They just don't like to boast.","Chuck Norris doesn't have performance bottlenecks. He just makes the universe wait its turn.","Chuck Norris does not use exceptions when programming. He has not been able to identify any of his code that is not exceptional.","When Chuck Norris' code fails to compile the compiler apologises.","Chuck Norris does not use revision control software. None of his code has ever needed revision.","Chuck Norris can recite π. Backwards.","When Chuck Norris points to null, null quakes in fear.","Chuck Norris has root access to your system.","When Chuck Norris gives a method an argument, the method loses.","Chuck Norris' keyboard doesn't have a F1 key, the computer asks him for help.","When Chuck Norris presses Ctrl+Alt+Delete, worldwide computer restart is initiated."]},"code":{"asin":["B000BJ20TO","B000BJ0Z50","B000BUYO60","B000HGWGHW","B000II6WOW","B000AMNV8G","B000HDT0BU","B000HGNY7I","B000I6VQX6","B0002I6HKW","B00067POW6","B0000VFDCY","B0000W4I2O","B00026IESC","B000GWIHF2","B000H3HHOM","B00066OELO","B0009QHJSG","B000NQLULE","B000P42ICO","B000P5XI6S","B000Q75VCO","B000A409WK","B000ILNR10","B000JMIRRC","B000JTDF6I","B000NQLUNC","B000PIIXBA","B000Q75VCO","B000NKTC92","B000Q6Y34W","B000E5GB3Q","B0001DJWXW","B000GFCRDC","B000IBFL2S","B000FTQ5A0","B000JZZHEU","B000Q313FC","B000OVNFDE","B000FTBJGA","B00019774C","B0002IQM66","B000FTBJGA","B000FTBJFG","B00019774M","B0002IQM52","B0000V3W9U","B000CSAK3M","B000CFIMWQ","B0001H5RIC","B00005R12M","B000GIWNCE","B000000Z1F","B0006YBTS2","B000AF8T1C","B000FQ9CTY","B00012FB6K","B0001H5NK4","B000G1CIH6","B000CPJHQG","B000GPHRW8","B000P4178K","B000MZW1GE","B000NMKCKI","B000KBAL6W","B000KJW2JS","B000LCZCRS","B000QA7ZFC","B000J0NOTK","B000BMHOVU","B000FFAGDG","B0002GL2BS","B0002GM6DQ","B000KAAIA2","B0009QMECC","B000ML8E7I","B000NKOHPG","B000PGCLWY","B000PIM89S","B0001DJXAY","B000MLA1UQ","B000NKSTVO","B000PIGTK2","B000Q76WYK","B000NG1GKO","B000ITBS40","B000JTR9CE","B000KP4VP0","B00025C3HG","B000BPNBCI","B000BPZFNQ","B000BQ6ML4","B000BPIBPK","B000BPX542","B000BQ2HR2","B000BTBGDK","B000N5FYNK","B000N5HN3Y","B000N5FYO4","B000N5HN3Y","B000N5FYOE","B000N5HN3Y","B00079UXEC","B0007Z6B42","B0007Z6BBA","B000CDC7O2","B000KU5ELA","B000COF89C","B000FOOQK6","B00012D9TQ","B000P5YK8S","B000NKSOOQ","B000Q72CSA","B000K0WZ2G","B000J3401I","B0006OGUPY","B000JS9C70","B000JS9C7K","B000JSBHCS","B000IBJ3OA","B000JFLI7U","B000Q7F1OW","B0000008XW","B0007WHCXO","B0007WHCXE","B0007WHCXY","B000CR7COI","B000CR7CP2","B000B5MVJM","B000CR7COS","B000H4CQYM","B000NI7RW8","B000HF37YE","B000PWBC6Y","B000O332KS","B000MW7MJ8","B000IXHC2S","B000PAOCOU","B000GLXHGC","B0009R9L7W","B00066USKU","B00069TDVW","B000GFCVA6","B000AQNDBM","B000IT4T9Q","B000IT4T96","B000IT4T9Q","B000IT4T96","B000IT4T9Q","B0000DJH5H","B0000DKWE1","B0000DYZL0","B000F8FY6M","B000F8MENI","B0001FEWCG","B0001FGAO4","B000BJ20J4","B000BJ8NJU","B000BPGAOE","B0000DGFW7","B0000DGXE8","B0000DHWAB","B0000DIIQA","B000A6QSTG","B000A70EOU","B000AXVWA4","B000BJ20OE","B000BJ4UQ0","B000BPHSLS","B0002X4OIY","B0002XCH2E","B000BY634C","B000BYDF4I","B000A6LSXW","B000A70EAO","B000AXVVY6","B000F5631A","B00004YKMI","B000FNP6CY","B000BIWQNA","B000BJ20Y4","B000BJ4VFA","B000BSH87O","B000BJ0LSQ","B000BJ5JHE","B000BJ6VNA","B000BSH8AQ","B000PLUEEQ","B00000AQ4N","B000IT9ZLI","B000NKUUKW","B000Q71WNG","B000ILRO82","B00000AYGE","B00095NYV8","B00097DN12","B000A3PVZ6","B000BKCYUS","B0009XDRTE","B0009XOXXS","B000ABFA7W","B000ALH1DI","B000AM3FKK","B000AM6Z7K","B000AM78JO","B0000B0JG4","B0000DE593","B0000DFLFJ","B0000AAGDL","B0000AAGJF","B0000B0IVU","B0000DDZ3N","B0000DFDWF","B000A3JNTG","B000B7CDX4","B000A2TMH0","B000A3PYLW","B000A3T33M","B000ALJYO2","B000HB0138","B000HB2O2O","B0002RTXMM","B000GPWOLW","B000GQ2P7O","B000GT8JQC","B000HKQS6I","B000HQGKRO","B000I6TI2C","B000A4RJ8C","B000A4YC14","B000A6LPM6","B000A70B7K","B000AR99QO","B000I6QKZU","B00067668W","B00067FMXM","B00067OVMK","B0009ICOZ2","B0009IOFWC","B0009IT5P4","B0009PC1XA","B000A15Y0K","B000A1AUBI","B000A3K36I","B000BHLISA","B000BHP2LO","B000BPC71E","B0000VDPWE","B0000VG5MG","B0000VQ4YA","B0000W47PC","B0000DGGHM","B0000DHBRP","B0000DHUGW","B000A143NO","B000A1AVNK","B000A3M9CY","B000AOVECO","B0000DGTOF","B0000DHCHM","B0000DGH5J","B0000DGTWR","B0000DHCZT","B0000DHVM5","B000A0A56Y","B000A0AQPO","B000A1D15U","B000AOMOVE","B0000DDEMJ","B0000DEC3S","B0000DFUHY","B0000YKHC2","B000J1E1RS","B000J2II3K","B000J2NMGS","B000JR91YA","B0009QW44A","B0009RSVD2","B0000DKWG0","B0000DYX4V","B0000DYZRA","B0000TFLNM","B00066USX2","B000675MDW","B00067EOF4","B0000AHC6J","B0000AJDKF","B0000D1DW1","B0000DEVGP","B0000DFOKF","B000A1FW8E","B000AOMPAY","B0002XUV3G","B0002STO02","B0000AATPM","B0000AB07P","B0000AFKVG","B0000DECN1","B0000DFPMN","B0000W2LW8","B0000W2MNQ","B0000W463K","B0000W46R6","B00029JHS0","B0002RFYGQ","B000654P8C","B00065E4WY","B00065F3KG","B0006DRM02","B000GWGMP4","B000GWH2DU","B000GWKIMC","B000HU7P92","B000GWGJK2","B000GWGQ5K","B000HU5ZIA","B0000DGI28","B0000DGUFP","B0000DHW2M","B000HB4DU0","B000HBXMHK","B000HCTRK0","B000I4ZLIE","B000I6QR9O","B000KFZ32A","B000HB4E90","B000HC0P2E","B000HW5FFG","B000I6QSBG","B000IAPR0U","B000IAPYWQ","B000A2LNPO","B000A2SVXQ","B000A3PGTC","B000J42NY8","B000JKMDTW","B000BNLKWS","B000BOIITU","B000BHP4DA","B000BJ8TZI","B000CEPH52","B000HW06LY","B000I00RTG","B000I6ONRM","B000IATJ5Y","B0007657T6","B0007658JK","B0002SUQUY","B0002SVARW","B0002SZELK","B0006628FS","B000662QI2","B000662ADI","B000662SOY","B000664J5A","B000K99WQE","B0000VAA8G","B000A2MI80","B000A3J9AE","B0000DGV0O","B0000DHWDX","B000A2NCLW","B000A2SXYS","B000A3LC6I","B000AR9G7G","B000A2MIJY","B000A2ROWK","B000A2SP0K","B000A2T37E","B000A3LC18","B000B7722Q","B000BFMIY0","B0000DHDOF","B0000VAE3M","B0002BWS1G","B0002BXBEY","B0002C489K","B0002TJ4JM","B0000DDQNC","B0000DE0T8","B0000DFH0E","B0000DGITY","B000A2LQ2O","B000A2O26G","B000A3PI3G","B000AR9FZE","B000A2O3U6","B000A2RR04","B000ABNX30","B000A2MF7E","B000A3PWXC","B000A3WUAK","B000A2NZFK","B000A3LPTC","B000A3TB9I","B000ARBM9G","B0002EZWRK","B0002F4AB8","B0002W2RBG","B000A6LR6K","B000A6Y9HY","B000AADDGS","B000B7CC94","B00024VYL8","B00025BKCK","B00025DRIA","B000A2MHMW","B000A2RL4Q","B000A3K6TM","B00067PA2U","B00067PKPM","B00067Q8TY","B0006PJMEE","B000HVZOOO","B000I6S5NU","B000IATH6K","B000A6WENA","B000A6LQZ2","B000A6ULLW","B000J1FZV4","B000J2NHC2","B0000VDUVA","B0000VF9C8","B0000W4DP6","B000BHP43U","B000BIWPKO","B000BUWUX4","B000JKKCMW","B000JLDYM6","B000JQ0JNS","B00067PATS","B00067PLD8","B00067Q9HK","B000KEYQLA","B000KGCZ8O","B000KMRYNO","B000HW20EA","B000I6TCGO","B000IATJEU","B000I4W7S6","B000I6RUQ8","B000IAO9A4","B0002F03NW","B0002F40AY","B0002XTOHK","B000A3JQ0M","B000A3T3LY","B000HW1EGK","B000I6VAU0","B000IAS0JU","B000A6NVNM","B000A6PMBG","B000B7CBWM","B0002GLP6K","B0002GMWEO","B000A70B9I","B000BHE134","B0000DKWL7","B0000DYXE0","B0000DYZW5","B000GT9P4C","B000GTFRX0","B000GTYMOK","B000A6LPTO","B000A6Y8AW","B000AA5SMU","B000I6RITM","B000I6VJ7O","B000IXR5RK","B000I6MK7W","B000I6XDVE","B000IAQ8YO","B000A0GB7Q","B000A1AQWQ","B000AR8ERO","B000BJ8LGU","B000BX5BBY","B0000DGO2Z","B0000DHF4M","B0000DIEOI","B000A2LSJ0","B000A2MJY8","B000AR9H5C","B0000DGQ5D","B000A2LWKU","B000A2NVLS","B000AR85S2","B000BHP3T0","B000BJ0KBO","B000BJ8TIA","B000CENBP0","B00025AGUM","B0000AAFWT","B0000AAMF4","B0000ACB9R","B0000DGJD1","B0000DGWB4","B0000DHDW3","B0000DHY2O","B000A2NIK2"]},"coffee":{"blend_name":"#{name_1} #{name_2}","body":["watery","tea-like","silky","slick","juicy","smooth","syrupy","round","creamy","full","velvety","big","chewy","coating"],"country":["Brazil","Colombia","Sumatra","Ethiopia","Honduras","Kenya","Uganda","Mexico","Guatemala","Nicaragua","Costa Rica","Tanzania","El Salvador","Rwanda","Burundi","Panama","Yemen","India"],"descriptor":["bergamot","hops","black-tea","green-tea","mint","sage","dill","grassy","snow pea","sweet pea","mushroom","squash","green pepper","olive","leafy greens","hay","tobacco","cedar","fresh wood","soil","tomato","sundried tomato","soy sauce","leathery","clove","liquorice","curry","nutmeg","ginger","corriander","cinnamon","white pepper","black pepper","carbon","smokey","burnt sugar","toast","fresh bread","barley","wheat","rye","graham cracker","granola","almond","hazelnut","pecan","cashew","peanut","walnut","cola","molasses","maple syrup","carmel","brown sugar","sugar cane","marshmallow","cream","butter","honey","nougat","vanilla","milk chocolate","cocoa powder","bittersweet chocolate","bakers chocolate","cacao nibs","prune","dates","figs","raisin","golden raisin","black currant","red currant","blueberry","strawberry","raspberry","cranberry","black cherry","cherry","plum","apricot","nectarine","peach","coconut","banana","kiwi","mango","papaya","pineapple","passion fruit","tamarind","star fruit","lychee","concord grape","red grape","green grape","white grape","cantaloupe","honeydew","watermelon","red apple","green apple","orange","mandarin","tangerine","clementine","grapefruit","lime","meyer lemon","lemonade","lemon","orange creamsicle","marzipan","nutella","lemongrass","orange blossom","jasmine","honeysuckle","magnolia","lavender","rose hips","hibiscus","lemon verbena","medicinal","quakery","baggy","potato defect!","musty","rubber"],"intensifier":["muted","dull","mild","structured","balanced","rounded","soft","faint","delicate","dry","astringent","quick","clean","crisp","bright","vibrant","tart","wild","unbalanced","sharp","pointed","dense","deep","complex","juicy","lingering","dirty"],"name_1":["Summer","Holiday","Jacked","Joe","Express","Reg's","Split","Spilt","Chocolate","Dark","Veranda","Major","Bluebery","American","Huggy","Wake-up","Morning","Evening","Winter","Captain's","Thanksgiving","Seattle","Brooklyn","Café","Blacktop","Pumpkin-spice","Good-morning","Postmodern","The Captain's","The","Cascara","Melty","Heart","Goodbye","Hello","Street","Red","Blue","Green","Strong","KrebStar","Kreb-Full-o"],"name_2":["Solstice","Blend","Level","Enlightenment","Cowboy","","Choice","Select","Equinox","Star","Forrester","Java","Symphony","Utopia","Cup","Mug","Been","Bean","Cake","Extract","Delight","Pie","America","Treat","Volcano","Breaker","Town","Light","Look","Coffee","Nuts"],"notes":"#{intensifier}, #{body}, #{descriptor}, #{descriptor}, #{descriptor}","regions":{"brazil":["Sul Minas","Mogiana","Cerrado"],"burundi":["Kayanza"],"colombia":["Nariño","Huila","Tolima","Cauca","Casanare","Santander","Antioquia","Cundinamarca","Boyacá"],"costa_rica":["Tarrazu","Central Valley","West Valley","Guanacaste","Tres Rios","Turrialba","Orosi","Brunca"],"el_salvador":["Alotepec-Metapán","Apaneca-Ilamatepec","El Balsamo-Quetzaltepec","Cacahuatique","Chichontepec","Tecapa-Chinameca"],"ethiopia":["Sidama","Harrar","Limu","Ojimmah","Lekempti","Wellega","Gimbi"],"guatemala":["Acatenango","Antigua","Atitlan","Fraijanes","Huehuetenango","Nuevo Oriente","Coban","San Marcos"],"honduras":["Agalta","Comayagua","Copan","Montecillos","Opalca","El Paraiso"],"india":["Chikmagalur","Coorg","Biligiris","Bababudangiris","Manjarabad","Nilgiris","Travancore","Manjarabad","Brahmaputra","Pulneys","Sheveroys"],"kenya":["Bungoma","Embu","Kiamba","Kirinyaga","Mt. Kenya","Kisii","Meru","Murang'a","Machakos","Thika","Nyeri","Nakuru","Nyanza","Kericho"],"mexico":["Chiapas","Oaxaca","Veracruz","Colima","San Luis Potosi","Nayarit","Hidalgo","Puebla","Jalisco"],"nicaragua":["Matagalpa","Jinotega","Boaco","Madriz","Nueva Segovia","Estelí","Dipilto","Jalapa","Carazo","Granada","Masaya","Managua","Rivas"],"panama":["Boquete","Chiriqui","Volcan"],"rwanda":["Rulindo","Gishamwana Coffee Island","Lake Kivu Region","Kigeyo Washing Station","Kabirizi"],"sumatra":["Tapanuli","Lintong","Aceh","Lake Tawar","Lintong","Gayo"],"tanzania":["Western Region, Bukova","Western Region, Kigoma","Mbeya Region","Southern Region, Mbinga","Western Region, Tarime","Northern Region, Oldeani","Northern Region, Arusha","Northern Region, Kilimanjaro","Southern Region, Morogoro"],"uganda":["Bugisu","Mount Elgon","Kibale"],"yemen":["Mattari","San'ani","Hirazi","Raimi"]},"variety":["Liberica","S288","S795","Kent","Java","Dilla","Sumatara","Catuai","Pacamara","Mundo Novo","Red Bourbon","Bourbon","Yellow Bourbon","Pacas","Caturra","Pink Bourbon","Colombia","Obata","Catimors","Sarchimor","Mokka","Kaffa","Gimma","Tafari-Kela","S.4","Agaro","Dega","Barbuk Sudan","Ennarea","Geisha","Gesha","Blue Mountain","Kona","San Ramon","SL28","SL34","Villa Sarchi","Villalobos","Typica","Ethiopian Heirloom"]},"color":{"name":["red","green","blue","yellow","purple","mint green","teal","white","black","orange","pink","grey","maroon","violet","turquoise","tan","sky blue","salmon","plum","orchid","olive","magenta","lime","ivory","indigo","gold","fuchsia","cyan","azure","lavender","silver"]},"commerce":{"department":["Books","Movies","Music","Games","Electronics","Computers","Home","Garden","Tools","Grocery","Health","Beauty","Toys","Kids","Baby","Clothing","Shoes","Jewelry","Sports","Outdoors","Automotive","Industrial"],"product_name":{"adjective":["Small","Ergonomic","Rustic","Intelligent","Gorgeous","Incredible","Fantastic","Practical","Sleek","Awesome","Enormous","Mediocre","Synergistic","Heavy Duty","Lightweight","Aerodynamic","Durable"],"material":["Steel","Wooden","Concrete","Plastic","Cotton","Granite","Rubber","Leather","Silk","Wool","Linen","Marble","Iron","Bronze","Copper","Aluminum","Paper"],"product":["Chair","Car","Computer","Gloves","Pants","Shirt","Table","Shoes","Hat","Plate","Knife","Bottle","Coat","Lamp","Keyboard","Bag","Bench","Clock","Watch","Wallet"]},"promotion_code":{"adjective":["Amazing","Awesome","Cool","Good","Great","Incredible","Killer","Premium","Special","Stellar","Sweet"],"noun":["Code","Deal","Discount","Price","Promo","Promotion","Sale","Savings"]}},"company":{"bs":[["implement","utilize","integrate","streamline","optimize","evolve","transform","embrace","enable","orchestrate","leverage","reinvent","aggregate","architect","enhance","incentivize","morph","empower","envisioneer","monetize","harness","facilitate","seize","disintermediate","synergize","strategize","deploy","brand","grow","target","syndicate","synthesize","deliver","mesh","incubate","engage","maximize","benchmark","expedite","reintermediate","whiteboard","visualize","repurpose","innovate","scale","unleash","drive","extend","engineer","revolutionize","generate","exploit","transition","e-enable","iterate","cultivate","matrix","productize","redefine","recontextualize"],["clicks-and-mortar","value-added","vertical","proactive","robust","revolutionary","scalable","leading-edge","innovative","intuitive","strategic","e-business","mission-critical","sticky","one-to-one","24/7","end-to-end","global","B2B","B2C","granular","frictionless","virtual","viral","dynamic","24/365","best-of-breed","killer","magnetic","bleeding-edge","web-enabled","interactive","dot-com","sexy","back-end","real-time","efficient","front-end","distributed","seamless","extensible","turn-key","world-class","open-source","cross-platform","cross-media","synergistic","bricks-and-clicks","out-of-the-box","enterprise","integrated","impactful","wireless","transparent","next-generation","cutting-edge","user-centric","visionary","customized","ubiquitous","plug-and-play","collaborative","compelling","holistic","rich"],["synergies","web-readiness","paradigms","markets","partnerships","infrastructures","platforms","initiatives","channels","eyeballs","communities","ROI","solutions","e-tailers","e-services","action-items","portals","niches","technologies","content","vortals","supply-chains","convergence","relationships","architectures","interfaces","e-markets","e-commerce","systems","bandwidth","infomediaries","models","mindshare","deliverables","users","schemas","networks","applications","metrics","e-business","functionalities","experiences","web services","methodologies"]],"buzzwords":[["Adaptive","Advanced","Ameliorated","Assimilated","Automated","Balanced","Business-focused","Centralized","Cloned","Compatible","Configurable","Cross-group","Cross-platform","Customer-focused","Customizable","Decentralized","De-engineered","Devolved","Digitized","Distributed","Diverse","Down-sized","Enhanced","Enterprise-wide","Ergonomic","Exclusive","Expanded","Extended","Face to face","Focused","Front-line","Fully-configurable","Function-based","Fundamental","Future-proofed","Grass-roots","Horizontal","Implemented","Innovative","Integrated","Intuitive","Inverse","Managed","Mandatory","Monitored","Multi-channelled","Multi-lateral","Multi-layered","Multi-tiered","Networked","Object-based","Open-architected","Open-source","Operative","Optimized","Optional","Organic","Organized","Persevering","Persistent","Phased","Polarised","Pre-emptive","Proactive","Profit-focused","Profound","Programmable","Progressive","Public-key","Quality-focused","Reactive","Realigned","Re-contextualized","Re-engineered","Reduced","Reverse-engineered","Right-sized","Robust","Seamless","Secured","Self-enabling","Sharable","Stand-alone","Streamlined","Switchable","Synchronised","Synergistic","Synergized","Team-oriented","Total","Triple-buffered","Universal","Up-sized","Upgradable","User-centric","User-friendly","Versatile","Virtual","Visionary","Vision-oriented"],["24 hour","24/7","3rd generation","4th generation","5th generation","6th generation","actuating","analyzing","asymmetric","asynchronous","attitude-oriented","background","bandwidth-monitored","bi-directional","bifurcated","bottom-line","clear-thinking","client-driven","client-server","coherent","cohesive","composite","context-sensitive","contextually-based","content-based","dedicated","demand-driven","didactic","directional","discrete","disintermediate","dynamic","eco-centric","empowering","encompassing","even-keeled","executive","explicit","exuding","fault-tolerant","foreground","fresh-thinking","full-range","global","grid-enabled","heuristic","high-level","holistic","homogeneous","human-resource","hybrid","impactful","incremental","intangible","interactive","intermediate","leading edge","local","logistical","maximized","methodical","mission-critical","mobile","modular","motivating","multimedia","multi-state","multi-tasking","national","needs-based","neutral","next generation","non-volatile","object-oriented","optimal","optimizing","radical","real-time","reciprocal","regional","responsive","scalable","secondary","solution-oriented","stable","static","systematic","systemic","system-worthy","tangible","tertiary","transitional","uniform","upward-trending","user-facing","value-added","web-enabled","well-modulated","zero administration","zero defect","zero tolerance"],["ability","access","adapter","algorithm","alliance","analyzer","application","approach","architecture","archive","artificial intelligence","array","attitude","benchmark","budgetary management","capability","capacity","challenge","circuit","collaboration","complexity","concept","conglomeration","contingency","core","customer loyalty","database","data-warehouse","definition","emulation","encoding","encryption","extranet","firmware","flexibility","focus group","forecast","frame","framework","function","functionalities","Graphic Interface","groupware","Graphical User Interface","hardware","help-desk","hierarchy","hub","implementation","info-mediaries","infrastructure","initiative","installation","instruction set","interface","internet solution","intranet","knowledge user","knowledge base","local area network","leverage","matrices","matrix","methodology","middleware","migration","model","moderator","monitoring","moratorium","neural-net","open architecture","open system","orchestration","paradigm","parallelism","policy","portal","pricing structure","process improvement","product","productivity","project","projection","protocol","secured line","service-desk","software","solution","standardization","strategy","structure","success","superstructure","support","synergy","system engine","task-force","throughput","time-frame","toolset","utilisation","website","workforce"]],"industry":["Defense \u0026 Space","Computer Hardware","Computer Software","Computer Networking","Internet","Semiconductors","Telecommunications","Law Practice","Legal Services","Management Consulting","Biotechnology","Medical Practice","Hospital \u0026 Health Care","Pharmaceuticals","Veterinary","Medical Devices","Cosmetics","Apparel \u0026 Fashion","Sporting Goods","Tobacco","Supermarkets","Food Production","Consumer Electronics","Consumer Goods","Furniture","Retail","Entertainment","Gambling \u0026 Casinos","Leisure, Travel \u0026 Tourism","Hospitality","Restaurants","Sports","Food \u0026 Beverages","Motion Pictures and Film","Broadcast Media","Museums and Institutions","Fine Art","Performing Arts","Recreational Facilities and Services","Banking","Insurance","Financial Services","Real Estate","Investment Banking","Investment Management","Accounting","Construction","Building Materials","Architecture \u0026 Planning","Civil Engineering","Aviation \u0026 Aerospace","Automotive","Chemicals","Machinery","Mining \u0026 Metals","Oil \u0026 Energy","Shipbuilding","Utilities","Textiles","Paper \u0026 Forest Products","Railroad Manufacture","Farming","Ranching","Dairy","Fishery","Primary / Secondary Education","Higher Education","Education Management","Research","Military","Legislative Office","Judiciary","International Affairs","Government Administration","Executive Office","Law Enforcement","Public Safety","Public Policy","Marketing and Advertising","Newspapers","Publishing","Printing","Information Services","Libraries","Environmental Services","Package / Freight Delivery","Individual \u0026 Family Services","Religious Institutions","Civic \u0026 Social Organization","Consumer Services","Transportationg / Trucking / Railroad","Warehousing","Airlines / Aviation","Maritime","Information Technology and Services","Market Research","Public Relations and Communications","Design","Nonprofit Organization Management","Fund-Raising","Program Development","Writing and Editing","Staffing and Recruiting","Professional Training \u0026 Coaching","Venture Capital \u0026 Private Equity","Political Organization","Translation and Localization","Computer Games","Events Services","Arts and Crafts","Electrical / Electronic Manufacturing","Online Media","Nanotechnology","Music","Logistics and Supply Chain","Plastics","Computer \u0026 Network Security","Wireless","Alternative Dispute Resolution","Security and Investigations","Facilities Services","Outsourcing / Offshoring","Health, Wellness and Fitness","Alternative Medicine","Media Production","Animation","Commercial Real Estate","Capital Markets","Think Tanks","Philanthropy","E-Learning","Wholesale","Import and Export","Mechanical or Industrial Engineering","Photography","Human Resources","Business Supplies and Equipment","Mental Health Care","Graphic Design","International Trade and Development","Wine and Spirits","Luxury Goods \u0026 Jewelry","Renewables \u0026 Environment","Glass, Ceramics \u0026 Concrete","Packaging and Containers","Industrial Automation","Government Relations"],"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} and #{Name.last_name}"],"profession":["teacher","actor","musician","philosopher","writer","doctor","accountant","agriculturist","architect","economist","engineer","interpreter","attorney at law","advocate","librarian","statistician","human resources","firefighter","judge","police officer","astronomer","biologist","chemist","physicist","programmer","web developer","designer"],"suffix":["Inc","and Sons","LLC","Group"],"type":["Public Company","Educational Institution","Self-Employed","Government Agency","Nonprofit","Sole Proprietorship","Privately Held","Partnership"]},"compass":{"abbreviation":["#{cardinal_abbreviation}","#{ordinal_abbreviation}","#{half_wind_abbreviation}","#{quarter_wind_abbreviation}"],"azimuth":["#{cardinal_azimuth}","#{ordinal_azimuth}","#{half_wind_azimuth}","#{quarter_wind_azimuth}"],"cardinal":{"abbreviation":["N","E","S","W"],"azimuth":["0","90","180","270"],"word":["north","east","south","west"]},"direction":["#{cardinal}","#{ordinal}","#{half_wind}","#{quarter_wind}"],"half-wind":{"abbreviation":["NNE","ENE","ESE","SSE","SSW","WSW","WNW","NNW"],"azimuth":["22.5","67.5","112.5","157.5","202.5","247.5","292.5","337.5"],"word":["north-northeast","east-northeast","east-southeast","south-southeast","south-southwest","west-southwest","west-northwest","north-northwest"]},"ordinal":{"abbreviation":["NE","SE","SW","NW"],"azimuth":["45","135","225","315"],"word":["northeast","southeast","southwest","northwest"]},"quarter-wind":{"abbreviation":["NbE","NEbN","NEbE","EbN","EbS","SEbE","SEbS","SbE","SbW","SWbS","SWbW","WbS","WbN","NWbW","NWbN","NbW"],"azimuth":["11.25","33.75","56.25","78.75","101.25","123.75","146.25","168.75","191.25","213.75","236.25","258.75","281.25","303.75","326.25","348.75"],"word":["north by east","northeast by north","northeast by east","east by north","east by south","southeast by east","southeast by south","south by east","south by west","southwest by south","southwest by west","west by south","west by north","northwest by west","northwest by north","north by west"]}},"demographic":{"demonym":["Afghan","Albanian","Algerian","American","Andorran","Angolan","Argentine","Armenian","Aromanian","Aruban","Australian","Austrian","Azerbaijani","Bahamian","Bahraini","Bangladeshi","Barbadian","Basotho","Basque","Belarusian","Belgian","Belizean","Bermudian","Bissau-Guinean","Boer","Bosniak","Brazilian","Breton","Briton","British Virgin Islander","Bruneian","Bulgarian","Burkinabè","Burundian","Cambodian","Cameroonian","Canadian","Catalan","Cape Verdean","Chadian","Chilean","Chinese","Colombian","Comorian","Congolese","Croatian","Cuban","Cypriot","Czech","Dane","Dominican","Dutch","East Timorese","Ecuadorian","Egyptian","Emirati","English","Eritrean","Estonian","Ethiopian","Falkland Islander","Faroese","Finn","Fijian","Filipino","French","Georgian","German","Ghanaian","Gibraltar","Greek","Grenadian","Guatemalan","French Guianan","Guinean","Guyanese","Haitian","Honduran","Hong Konger","Hungarian","Icelander","I-Kiribati","Indian","Indonesian","Iranian","Iraqi","Irish","Israeli","Italian","Ivoirian","Jamaican","Japanese","Jordanian","Kazakh","Kenyan","Korean","Kosovar","Kurd","Kuwaiti","Kyrgyz","Lao","Latvian","Lebanese","Liberian","Libyan","Liechtensteiner","Lithuanian","Luxembourger","Macanese","Macedonian","Malagasy","Malaysian","Malawian","Maldivian","Malian","Maltese","Manx","Mauritian","Mexican","Moldovan","Moroccan","Mongolian","Montenegrin","Namibian","Nepalese","New Zealander","Nicaraguan","Nigerien","Nigerian","Norwegian","Pakistani","Palauan","Palestinian","Panamanian","Papua New Guinean","Paraguayan","Peruvian","Pole","Portuguese","Puerto Rican","Quebecer","Romanian","Russian","Rwandan","Salvadoran","São Toméan","Saudi","Scottish","Senegalese","Serb","Sierra Leonean","Singaporean","Sindhian","Slovak","Slovene","Somali","Somalilander","South African","Spaniard","Sri Lankan","St Lucian","Sudanese","Surinamese","Swede","Swiss","Syriac","Syrian","Tajik","Taiwanese","Tanzanian","Thai","Tibetan","Tobagonian","Trinidadian","Tunisian","Turk","Tuvaluan","Ugandan","Ukrainian","Uruguayan","Uzbek","Vanuatuan","Venezuelan","Vietnamese","Welsh","Yemeni","Zambian","Zimbabwean"],"educational_attainment":["No schooling completed","Nursery school","Kindergarten","Grade 1 though 11","12th grade - No Diploma","Regular high school diploma","GED or alternative credential","Some college","Associate's degree","Bachelor's degree","Master's degree","Professional degree","Doctorate degree"],"marital_status":["Married","Widowed","Divorced","Separated","Never married"],"race":["American Indian or Alaska Native","Asian","Black or African American","Native Hawaiian or Other Pacific Islander","White"],"sex":["Male","Female"]},"dessert":{"flavor":["Vanilla","Chocolate","Strawberries","Birthday Cake","Salted Caramel","Banana","Butter Pecan"],"topping":["Rainbow Sprinkles","Chocolate Chips","Whipped Cream","Frosting","Peanut Butter","Gummy Bears","Mocha Drizzle","Caramel","Bacon"],"variety":["Cake","Cookie","Pie","Ice Cream","Pudding","Sweet Bread"]},"dog":{"age":["puppy","young","adult","senior"],"breed":["Affenpinscher","African","Airedale","Akita","Appenzeller","Basenji","Beagle","Bluetick","Borzoi","Bouvier","Boxer","Brabancon","Briard","Boston Bulldog","French Bulldog","Staffordshire Bullterrier","Cairn","Chihuahua","Chow","Clumber","Border Collie","Coonhound","Cardigan Corgi","Dachshund","Great Dane","Scottish Deerhound","Dhole","Dingo","Doberman","Norwegian Elkhound","Entlebucher","Eskimo","Germanshepherd","Italian Greyhound","Groenendael","Ibizan Hound","Afghan Hound","Basset Hound","Blood Hound","English Hound","Walker Hound","Husky","Keeshond","Kelpie","Komondor","Kuvasz","Labrador","Leonberg","Lhasa","Malamute","Malinois","Maltese","Bull Mastiff","Tibetan Mastiff","Mexicanhairless","Bernese Mountain","Swiss Mountain","Newfoundland","Otterhound","Papillon","Pekinese","Pembroke","Miniature Pinscher","German Pointer","Pomeranian","Miniature Poodle","Standard Poodle","Toy Poodle","Pug","Pyrenees","Redbone","Chesapeake Retriever","Curly Retriever","Flatcoated Retriever","Golden Retriever","Rhodesian Ridgeback","Rottweiler","Saluki","Samoyed","Schipperke","Giant Schnauzer","Miniature Schnauzer","English Setter","Gordon Setter","Irish Setter","English Sheepdog","Shetland Sheepdog","Shiba","Shihtzu","Blenheim Spaniel","Brittany Spaniel","Cocker Spaniel","Irish Spaniel","Japanese Spaniel","Sussex Spaniel","Welsh Spaniel","English Springer","Stbernard","American Terrier","Australian Terrier","Bedlington Terrier","Border Terrier","Dandie Terrier","Fox Terrier","Irish Terrier","Kerryblue Terrier","Lakeland Terrier","Norfolk Terrier","Norwich Terrier","Patterdale Terrier","Rat Terrier","Scottish Terrier","Sealyham Terrier","Silky Terrier","Tibetan Terrier","Toy Terrier","Westhighland Terrier","Wheaten Terrier","Yorkshire Terrier","Vizsla","Weimaraner","Whippet","Irish Wolfhound"],"coat_length":["hairless","short","medium","long","wire","curly"],"gender":["female","male"],"meme_phrase":["heck no pal","11/10","boop the snoot","mlem","blep","long boi","thicc doggo","big ol' pupper","smol pupperino","zoom","they're good dogs Brent"],"name":["Buddy","Max","Bella","Daisy","Molly","Rocky","Lucy","Bear","Bailey","Lucky","Harley","Maggie","Princess","Angel","Charlie","Sadie","Jack","Shadow","Jake","Coco","Gizmo","Chloe","Sophie","Toby","Roxy","Buster","Ginger","Lady","Duke","Baby","Peanut","Bandit","Abby","Sasha","Lola","Zoey","Pepper","Sam","Gracie","Sammy","Precious","Missy","Riley","Spike","Lily","Sassy","Cooper","Rusty","Dakota","Dixie","Cody","Lilly","Zoe","Cookie","Chico","Zeus","Tucker","Oreo","Teddy","Marley","Oscar","Honey","Rex","Tank","Sugar","Sandy","Penny","Tyson","Chance","Mia","Diamond","Bubba","Blue","Belle","Shelby","Rosie","Casey","Ruby","Snoopy","Cocoa","Jasmine","Diesel","Patches","Annie","Sparky","Taz","Bruno","Roxie","Lexi","Scooter","Jasper","Brutus","Baxter","Luna","Snickers","Misty","Rascal","Milo","Murphy","Bo","Harvey"],"size":["small","medium","large","extra large"],"sound":["woof","woof woof","bow wow","ruff","owooooo","grrrrrr"]},"dr_who":{"catch_phrases":["Fantastic!","I’m sorry. I’m so sorry.","Bow ties are cool.","Mmm I wonder ... Aha!","Brave heart, Tegan.","Would you care for a jelly baby?","Reverse the polarity of the neutron flow.","Somewhere there’s danger, somewhere there’s injustice, somewhere else, the tea’s getting cold.","When I say run, run. (pause) RUN!","Mm? What’s that, my boy?","Allons-y!"],"character":["Dr. Who","The Doctor","Tardis","Rose Tyler","Adam Mitchell","Mickey Smith","Donna Noble","Martha Jones","Captain Jack Harkness","Astrid Peth","Sarah Jane Smith","Jackson Lake","Lady Christina de Souza","Adelaide Brooke","Wilfred Mott","Amy Pond"],"quotes":["Lots of planets have a north!","This is my timey-wimey detector. It goes 'ding' when there's stuff.","Bananas are good.","I wear a fez now. Fezzes are cool.","Can you hold? I have to eat a biscuit.","If we're gonna die, let's die looking like a Peruvian folk band.","You want weapons? We're in a library! Books! The best weapons in the world!","Come on, Rory! It isn't rocket science, it's just quantum physics!","We're all stories in the end. Just make it a good one, eh?","Big flashy things have my name written all over them. Well... not yet, give me time and a crayon.","You don't want to take over the universe. You wouldn't know what to do with it beyond shout at it.","A straight line may be the shortest distance between two points, but it is by no means the most interesting.","See the bowtie? I wear it and I don't care. That's why it's cool.","I saw the Fall of Troy! World War Five! I was pushing boxes at the Boston Tea Party! Now I'm gonna die in a dungeon... in Cardiff!","Bunk beds are cool, a bed with a ladder, you can't beat that!","The universe is big. It’s vast and complicated and ridiculous. And sometimes, very rarely, impossible things just happen and we call them miracles.","Do what I do. Hold tight and pretend it’s a plan!","900 years of time and space, and I’ve never been slapped by someone’s mother.","Never ignore coincidence. Unless, of course, you’re busy. In which case, always ignore coincidence.","The assembled hordes of Genghis Khan couldn't get through that door, and, believe me, they've tried.","Your wish is my command. But be careful what you wish for.","Aw, I wanted to be ginger! I've never been ginger!","Crossing into established events is strictly forbidden. Except for cheap tricks."],"species":["Time Lord","Dalek","Thal","Dal","Voord","Sensorite","Slyther","Didonian","Sand Beast","Animus","Zarbi","Larvae Gun","Menoptra","Morok","Xeron","Aridian","Mire Beast","Gubbage Cone","Rill","Great Old One","Drahvin","Varga Plant","Representatives of the 7 Galaxies","Visian","Screamer","Monoid","Refusian","Celestial Toymaker","Elder","Cybermen (Mondas)","Fish People","Macra","Chameleon","Cybermat","The Moon","Great Intelligence","Ice Warrior","Seaweed Creature","Dominator","Dulcian","Master Brain","Land of Fiction beings","Kroton","Gond","Seed Pod","Auton","Nestene Consciousness","Silurian","Ambassadors","Primord","Keller Machine","Axos/Axon/Axonite","Uxariean","Dæmon","Ogron","Arcturan","Alpha Centauran","Aggedor","Peladonian","Sea Devil","Solonian","Chronovore","Minotaur","Anti-matter organism","Lurman","Drashig","Inter Minorian","Wallarian","Draconian","Spiridon","Giant Maggots","Sontaran","Dinosaur","Exxilon","Eight Legs","Wirrn","Kaled","Vogan","Zygon","Skarasen","Morestran","Sutekh","Osiran","Kraal","Sisterhood of Karn","Hoothi","Krynoid","Mandragora Helix","Kastrian","Giant Rat","Rutan","Swarm (Virus)","Fendahl","Usurian","Minyan","Vardan","Guardian","Ribosian","Levithian","Shrivenzale","Zanak Humanoid","Diplosian","Ogri","Megara","Taran","Taran Beast","Swampie","Kroll","The Shadow","Mute","Sirian","Jagaroth","Chloris Humanoid","Tythonian","Wolfweed","Mandrel","Skonnan","Nimon","Anethan","Crinothian","Drornidian","Krarg","Argolin","Foamasi","Tigellan","Zolfa-Thuran","Gaztak","Bell Plant","Alzarian","Marshman","Marshspider","Great Vampire","Tharil","Trakenite","Logopolitan","Castrovalvan","Urbankan","Mara","Kinda","Terileptil","Plasmaton","Xeraphin","The Ergon","Manussan","Trion","Garm","Eternal","Myrka","Malus","Tractator","Magma Beast","Queen Bat","Gastropod","Jadondan","Cryon","Mentor","Gee-Jee fly","Androgum","Karfelon","Morlox","Bandril","Andromedan","Thoros Alphan","Krontep","Posicarian","Raak","Vervoid","Mogarian","Lakertyan","Tetrap","Time Brain","Chimeron","Navarino","Bannermen","Proamonian","Dragon","Stigorax","Pipe Person","Validium","Gods of Ragnorak","Werewolf","The Destroyer","Light","Fenric","Haemovore","Cheetah People","Kitling","Deathworm Morphant","Lady Cassandra O'Brien.∆17","Boekind","Crespallion","Trees of Cheem","Pakoo","Balhoonian","New Human","Protohuman","Digihuman","Gelth","Raxacoricofallapatorian","Space Pig","Jagrafess","Reaper","Empty Child","Nanogene","Chula","Barcelonian Dogs","Sycorax","Graske","Catkind","New Human","Krillitane","Cyberman (Pete's World)","The Wire","The Beast","Ood","Pallushi","Hoix","Abzorbaloff","Isolus","Flying Stingray","Weevil","Sex Gas","Fairy","Arcateenian","Racnoss","Dogon","Abaddon","Bane","Xylok","Judoon","Plasmavore","Carrionite","Pig Slave","Dalek/Human Hybrid","Richard Lazarus","Torajii Sun","Family of Blood","Scarecrow","Weeping Angel","Futurekind","Malmooth","Toclafane","Gorgon","Uvodni","The Trickster","Verron","Sto Humanoid","Zocci","Blowfish","Cell 114","Cash Cow","Mayfly","Duroc","Nostrovite","Night Travellers","Tumor Alien","Cowled Ghost","Adipose","Pyrovile","Ood Brain","Hath","Vespiform","Vashta Nerada","Time Beetle","Shadow Proclamation Humanoids","Bees (Melissa Majoria)","Pied Piper","Ancient Lights","Berserker","Travist Polong","Cybershade","The Swarm","Tritovore","Hitchhiker","The 4-5-6","Veil","Eve","Jixen","Erasmus Darkening","International Gallery Paintings","The Flood","Vinvocci","Dauntless Prison Inmates","Korven","Fear Entity","Gryffen Family Ghosts","Bodach","Anubian","Oroborus","Mede","Multi-form","Atraxi","Aeolian","Star Whale","Winder","Centuripede","The Hunger","Aplan","Ukkan","Saturnyn","Psychic Pollen","Eknodine","Etydion","Krafayis","Vishklar","Shansheeth","Groske","Qetesh","Dark Hoarde","Chelonian","Haemogoth","Sky Fish","The Silence","Siren","Patchwork Person","Ganger","Headless Monk","Brain Parasite","Tenza","Peg Doll","The Blessing Messenger","Apalapucian","The Blessing","Tivolian","Minotaur","Metalkind","Fleshkind","Hetocumtek","Skullion","Androzani Tree","Dalek Puppet","Kahler","Orderly","Shakri","Memory Worm","Snowmen","Akhaten Humanoid","Pan-Babylonian","Lugal-Irra-Kush","Lucanian","Hooloovoo","Terraberserker","Ultramancer","Vigil","Crooked Person","Time Zombie","Mr. Sweet","Cybermite","Whisper Men","The Teller","Skovox Blitzer","Spider Germ","The Foretold","Boneless","Kantrofarri","The Fisher King","The Mire","Leonian","The Sandmen","Janus","Quantum Shade","The Veil","Hydroflax","Shoal of the Winter Harmony","Rhodian","Quill","Shadow Kin","Arn","Lothan","Leaf Dragon","Lankin","Killer petals","Lorr","Sentient oil","Vardy","Sea Creature","Lure Fish","Dryad","The Monks"],"the_doctors":["First Doctor","Second Doctor","Third Doctor","Fourth Doctor","Fifth Doctor","Sixth Doctor","Seventh Doctor","Eighth Doctor","Ninth Doctor","Tenth Doctor","Eleventh Doctor","Twelfth Doctor"],"villians":["Helen A","Abzorbaloff","Animus","The Master","Davros","Dalek Emperor"]},"dragon_ball":{"characters":["Goku","Bulma","Kami","Yamcha","Krillin","Tien","Piccolo","Gohan","Vegeta","Kid Trunks","Goten","Future Trunks","Pan","Android 18","Android 16","Android 17","Android 19","Android 20","Beerus","Chaozu","Chi-Chi","Launch","Mr. Satan","Oolong","Puar","Videl","Whis","Yajirobe","Demon King Piccolo","Freeza","Cell","Majin Buu","Goku Black","Zamasu","Baba","Bra","Bardock","Champa","Dende","Dr. Gero","Captain Ginyu","Grandpa Gohan","Jaco","King Kai","Supreme Kai","Elder Kai","Mr. Popo","Nappa","Uub","Pilaf","Raditz","Shenron","Vados","Zarbon","Broly","Cooler","King Cold","Garlic Jr","King Vegeta","Nail","Guru","Hit","Super Saiyan Goku","Super Saiyan 2 Goku","Super Saiyan 3 Goku","Super Saiyan Vegeta","Super Saiyan 2 Vegeta","Majin Vegeta","Super Saiyan Gohan","Super Saiyan 2 Gohan","Super Saiyan Goten","Super Saiyan Trunks","Vegito","Gogeta","Super Saiyan Blue Goku","Super Saiyan Blue Vegeta","Mystic Gohan"]},"dumb_and_dumber":{"actors":["Jim Carrey","Jeff Daniels","Lauren Holly","Mike Starr","Karen Duffy","Charles Rocket","Victoria Rowell","Cam Neely","Rob Moran","Harland Williams"],"characters":["Lloyd Christmas","Harry Dunne","Mary Swanson","Joe Mentalino","J.P. Shay","Nicholas Andre","Sea Bass"],"quotes":["Just when I thought you couldn't possibly be any dumber, you go and do something like this... and totally redeem yourself!","Oh, yeah! It's right here. Samsonite! I was way off! I knew it started with an S, though.","You're it. You're it. You're it, quitsies! Anti-quitsies, you're it, quitsies, no anti-quitsies, no startsies! You can't do that! Can too! Cannot, stamp it! Can too, double stamp it, no erasies! Cannot, triple stamp, no erasies, Touch blue make it true. No, you can't do that... you can't triple stamp a double stamp, you can't triple stamp a double stamp! Lloyd! LA LA LA LA LA LA! LLOYD! LLOYD! LLOYD!","We got no food, we got no jobs... our PETS' HEADS ARE FALLING OFF!","Lloyd, I can't feel my fingers, they're numb! Oh well here, take this extra pair of gloves, my hands are starting to get a little sweaty. Extra gloves? You've had extra gloves this whole time? Uh yea, we are in the Rockies. Jeez!","Harry: You sold my dead bird to a blind kid? Lloyd! Petey didn't even have a head! Harry, I took care of it...","I got robbed by a sweet old lady on a motorized cart. I didn't even see it coming.","WE LANDED ON THE MOON!","I can't stop going once I've started, it stings!","That's as good as money, sir. Those are I.O.U.'s. Go ahead and add it up, every cents accounted for. Look, see this? That's a car. 275 thou. Might wanna hang onto that one.","Oh yeah. Tractor beam. Sucked me right in.","G'day mate! Let's put another shrimp on the barbie!","How was your day? Not bad. Fell off the jet way again.","Nice set of hooters you got there! I beg your pardon? The owls! They're beautiful!"," I expected the Rocky Mountains to be a little rockier than this. I was thinking the same thing. That John Denver's full of shit, man.","I'm going to hang by the bar... Put out the vibe.","So you're telling me there's a chance... YEAH!","One time, we successfully mated a bulldog with a Shih-Tzu. Really? That's weird. Yeah, we called it a bullshit.","What if he shot me in the face?","Kick his ass, Sea Bass!","Harry, you're alive... and you're a horrible shot!","Life is a fragile thing, Har. One minute you're chewin' on a burger, the next minute you're dead meat.","So you got fired again eh? Oh yeah. They always freak out when you leave the scene of an accident.","Man, you are one pathetic loser. No offense.","There you go... There you go... There you go...","Why would she have you meet her in a bar at ten in the morning? I just figured she was a raging alcoholic.","I can't believe we drove around all day, and there's not a single job in this town. There is nothing, nada, zip! Yeah! Unless you wanna work forty hours a week.","Yeah I called her up. She gave me a bunch of crap about me not listening to her, or something. I don't know, I wasn't really paying attention.","I'll tell you where. Someplace warm. A place where the beer flows like wine. Where beautiful women instinctively flock like salmon of Capistrano. I'm talking about a little place called Aspen. Oh, I don't know, Lloyd. The French are assholes.","Suck me sideways!","Now we don't have enough money to get to Aspen, we don't have enough money to get home, we don't have enough money to eat, we don't have enough money to sleep!","I'll bet you twenty bucks I can get you gambling before the end of the day!","Hey guys. Woah, Big Gulps, huh? All right! Well, see ya later.","You spilled the salt, that's what's the matter! Spilling the salt is very bad luck! We're driving across the country, the last thing we need is bad luck. Quick, toss some salt over your right shoulder.","Look at the butt on that... Yeah, he must work out.","Why you going to the airport? Flying somewhere?","Hey look there's some people who want a ride too. Pick'em up!","Pullover! No, it's a cardigan but thanks for noticing. Yeah, killer boots man!","Skis, huh? That's right! Great! They yours? Uh-huh. Both of 'em? Yes. Cool!","Yesterday was one of the greatest days of my life. Mary and I went skiing, we made a snowman, she touched my leg!","Pills are goooood. Pills are goooood!","Man, I would have to be a real lowlife to go rooting around in someone else's private property. Is it locked? Yeah. Really well.","Hey, I guess they're right. Senior citizens, although slow and dangerous behind the wheel, can still serve a purpose. I'll be right back. Don't you go dying on me!","The first time I set eyes on Mary Swanson, I just got that old fashioned romantic feeling where I'd do anything to bone her. That's a special feeling, Lloyd.","Foot long! Who's got the foot long?","Husband? Wait a minute... what was all that ‘one in a million' talk?","How's your burger?","Wanna hear the most annoying sound in the world?","We don't usually pick up hitchhikers... but I'm-a gonna go with my instincts on this one. Saddle up partner!","So I told myself. Beth you just got to run girl and oh you know what that clutz did next? No and I DON'T CARE! BarTENDER...","You are in luck! There's a town about three miles that way. I'm sure you'll find a couple guys there. Okay, thanks. Do you realize what you've done?","What is the Soup Du Jour? It's the Soup of the Day. Mmmm. That sounds good. I'll have that."]},"dune":{"characters":["Paul \"Muad'Dib\" \"Usul\" Atreides","Jessica Atreides","Alia Atreides","Leto Atreides","Leto II Atreides","Duncan Idaho","Shaddam Corrino IV","Liet-Kynes","Vladimir Harkonnen","Irulan","Feyd-Rautha Rabban","Gaius Helen Mohiam","Thufir Hawat","Chani","Shadout Mapes","Ramallo","Otheym","Jamis","Harrah","Gurney Halleck","Glossu \"Beast\" Rabban","Piter De Vries","Miles Teg","Hasimir Fenring","Margot Fenring","Murbella","Siona Atreides","Scytale","Stilgar","Wellington Yueh","Edric","Ilban Richese","Dominic Vernius","Cammar Pilru","Hwi Noree","Nayla"],"planets":["Arrakis","Caladan","Dune","Geidi Prime","Ix","Selusa Secundus","Kaitain","Richesse","Ecaz"],"quotes":{"alia":["The Guild... they're fighting me in the mental vaults. They're behind everything. They fear the one who will come, who will know more, who will see more. The Guild is behind everything. It's not finished yet. I'm not formed."],"baron_harkonnen":["He who controls the spice, controls the universe!","I must have him dead and his line ended.","I made my peace gesture. The forms of kanly have been obeyed!","I won't tell you who the traitor is, or when we'll attack. However, the Duke will die before these eyes and he'll know, he'll know, that it is I, Baron Vladimir Harkonnen, who encompasses his doom!","Listen carefully, Feyd. Observe the plans within plans within plans.","The absence of a thing, this can be as deadly as the presence. The absence of air, eh? The absence of water? The absence of anything else we're addicted to.","The day hums sweetly when you have enough bees working for you.","My dear Piter, your pleasures are what tie you to me. How could I object to that?","I never could bring myself to trust a traitor. Not even a traitor I created.","One must always keep the tools of statecraft sharp and ready. Power and fear - sharp and ready.","I will have Arrakis back for myself! He who controls the Spice controls the universe and what Piter did not tell you is we have control of someone who is very close, very close, to Duke Leto! This person, this traitor, will be worth more to us than ten legions of Sardaukar!"],"duncan":["My lord, I suspect an incredible secret has been kept on this planet: that the Fremen exist in vast numbers - vast. And it is they who control Arrakis.","Use the first moments in study. You may miss an opportunity for quick victory this way, but the moments of study are insurance of success. Take your time and be sure.","When your opponent fears you, then's the moment when you give the fear its own rein, give it the time to work on him. Let it become terror. The terrified man fights himself. Eventually, he attacks in desperation. That is the most dangerous moment, but the terrified man can be trusted usually to make a fatal mistake."],"emperor":["Bring in that floating fat man, the Baron!"],"guild_navigator":["The spice must flow","The Bene Gesserit Witch must leave.","Remedy this situation, restore spice production, or you will live out your life in a pain amplifier!","I mean Paul Atreides. We want him killed. I did not say this. I am not here.","Many machines on Ix. New machines, better than those on Richesse."],"gurney":["In shield fighting, one moves fast on defense, slow on attack. Attack has the sole purpose of tricking the opponent into a misstep, setting him up for the attack sinister. The shield turns the fast blow, admits the slow kindjal!","Mood? What has mood to do with it? You fight when the necessity arises — no matter the mood! Mood's a thing for cattle or making love or playing the baliset. It's not for fighting.","If wishes were fishes, we'd all cast nets.","Behold as a wild ass in the desert go I forth to my work","One enemy at a time."],"irulan":["A beginning is the time for taking the most delicate care that the balances are correct.","To attempt an understanding of Muad'Dib without understanding his mortal enemies, the Harkonnens, is to attempt seeing Truth without knowing Falsehood. It is the attempt to see the Light without knowing Darkness. It cannot be."],"jessica":["And you, my son, are you one who gives or one who takes?","A million deaths were not enough for Yueh!","Motivating people, forcing them to your will, gives you a cynical attitude towards humanity. It degrades everything it touches.","What delicious abandon in the sleep of the child. Where do we lose it?","The young reed dies so easily. Beginnings are times of such peril.","Anything outside yourself, this you can see and apply your logic to it. But it’s a human trait that when we encounter personal problems, these things most deeply personal are the most difficult to bring out for our logic to scan. We tend to flounder around, blaming everything but the actual, deep-seated thing that’s really chewing on us.","Is it defeatist or treacherous for a doctor to diagnose a disease correctly? My only intention is to cure the disease.","Think on it, Chani; the princess will have the name, yet she'll live as less than a concubine - never to know a moment of tenderness from the man to whom she's bound. While we, Chani, we who carry the name of concubine - history will call us wives."],"leto":["Let us not rail about justice as long as we have arms and the freedom to use them.","Command must always look confident. All that faith riding on your shoulders while you sit in the critical seat and never show it.","I must rule with eye and claw — as the hawk among lesser birds.","Most of the Houses have grown fat by taking few risks. One cannot truly blame them for this; one can only despise them.","A day comes when the potential Mentat must learn what's being done. It may no longer be done to him. The Mentat has to share in the choice of whether to continue or abandon the training.","On Caladan, we ruled with sea and air power. Here, we must scrabble for desert power. This is your inheritance, Paul.","A person needs new experiences. They jar something deep inside, allowing him to grow. Without change, something sleeps inside us, and seldom awakens. The sleeper must awaken."],"liet_kynes":["Growth is limited by that necessity which is present in the least amount. And, naturally, the least favorable condition controls the growth rate.","A dead man, surely, no longer requires that water.","He cares more about his men than the Spice. I have to admit, against my better judgement, I like this Duke.","He shall know your ways as if born to them."],"mapes":["Before I do your bidding, manling, I must cleanse the way between us. You've put a water burden on me that I'm not sure I care to support. But we Fremen pay our debts"],"mohiam":["You've heard of animals chewing off a leg to escape a trap? There's an animal kind of trick. A human would remain in the trap, endure the pain, feigning death that he might kill the trapper and remove a threat to his kind.","Hope clouds observation.","A human can control his instincts. Your instinct will be to draw your hand out of the box. You do, you die.","Kul Wahad! No woman-child ever withstood that much!","Kill this child. She's an abomination. Kill her!","Get out of my mind!","But I can tell you, dear God, for the father, nothing.","Did you really think that you could bear the Kwisatz Haderach? The universe's super being? How dare you. My greatest student, and my greatest disappointment.","You, Paul Atreides, descendant of kings, son of a Duke, you must learn to rule. It's something none of your ancestors learned.","Once men turned their thinking over to machines in the hope that this would set them free. But that only permitted other men with machines to enslave them.","We look down so many avenues of the past... but only feminine avenues. Yet, there's a place where no Truthsayer can see. We are repelled by it, terrorized. It is said a man will come one day and find in the gift of the drug his inward eye. He will look where we cannot — into both feminine and masculine pasts.","They tried and died.","Shield your son too much, Jessica, and he'll not grow strong enough to fulfill any destiny.","That which submits rules. ... The willow submits to the wind and prospers until one day it is many willows — a wall against the wind. This is the willow's purpose.","The mystery of life isn't a problem to solve, but a reality to experience."],"pardot_kynes":["No more terrible disaster could befall your people than for them to fall into the hands of a Hero.","The highest function of ecology is understanding consequences.","Men and their works have been a disease on the surface of their planets before now. Nature tends to compensate for diseases, to remove or encapsulate them, to incorporate them into the system in her own way."],"paul":["They tried and failed, all of them?","There is no escape — we pay for the violence of our ancestors.","One of the most terrible moments in a boy's life ... is when he discovers his father and mother are human beings who share a love that he can never quite taste. It's a loss, an awakening to the fact that the world is there and here and we are in it alone. The moment carries its own truth; you can't evade it.","The eye that looks ahead to the safe course is closed forever.","The power to destroy a thing is the absolute control over it.","Try looking into that place where you dare not look! You'll find me there, staring out at you!","The sleeper has awakened!","My name is a killing word.","You dare suggest a Duke's son is an animal?","You have no need for your weapons with me, Gurney Halleck.","Carry this noble Atreides warrior away. Do him all honor.","Some thoughts have a certain sound, that being the equivalent to a form. Through sound and motion, you will be able to paralyze nerves, shatter bones, set fires, suffocate an enemy or burst his organs. We will kill until no Harkonnen breathes Arakeen air.","If I hear any more nonsense from either of you I'll give the order that'll destroy all spice production on Arrakis… forever.","Superstitions sometimes have strange roots and stranger branchings"],"piter":["I knew Yueh's wife. I was the one who broke his Imperial conditioning. I've thought of many pleasures with you. It is perhaps better that you die in the innards of a worm. Desire clouds my reason. That is not good. That is bad.","Vendetta, he says, using the ancient tongue. The art of kanly is still alive in the Universe. He does not wish to meet or speak with you."],"stilgar":["To save one from a mistake is a gift of paradise.","Usul has called a big one. Again, it is the legend."],"thufir":["A popular man arouses the jealousy of the powerful.","Parting with friends is a sadness. A place is only a place.","It's easier to be terrified by an enemy you admire.","“Knowing where the trap is—that's the first step in evading it.”","Repression makes a religion flourish."],"yueh":["But attack can take strange forms. And you will remember the tooth. The tooth. Duke Leto Atreides. You will remember the tooth.","Forgive me, my Lady! My thoughts were far away… I … did not mean to be familiar.","Those are date palms. One date palm requires forty liters of water a day. A man requires but eight liters. A palm, then, equals five men. There are twenty palms out there—one hundred men."]},"sayings":{"bene_gesserit":["I must not fear. Fear is the mind-killer. Fear is the little-death that brings total obliteration. I will face my fear. I will permit it to pass over me and through me. And when it has gone past I will turn the inner eye to see its path. Where the fear has gone there will be nothing. Only I will remain.","A world is supported by four things ... the learning of the wise, the justice of the great, the prayers of the righteous and the valor of the brave. But all of these are as nothing ... without a ruler who knows the art of ruling. Make that the science of your tradition!","The mind can go either direction under stress — toward positive or toward negative: on or off. Think of it as a spectrum whose extremes are unconsciousness at the negative end and hyperconsciousness at the positive end. The way the mind will lean under stress is strongly influenced by training.","Do not count a human dead until you’ve seen his body. And even then you can make a mistake.","Humans must never submit to animals.","To suspect your own mortality is to know the beginning of terror; to learn irrefutably that you are mortal is to know the end of terror.","Survival is the ability to swim in strange water.","Prophets have a way of dying by violence.","Humans live best when each has his place to stand, when each knows where he belongs in the scheme of things and what he may achieve. Destroy the place and you destroy the person."],"fremen":["He shall know your ways as if born to them.","May thy knife chip and shatter.","The wise animal blends into its surroundings.","Bless the Maker and all His Water. Bless the coming and going of Him, May His passing cleanse the world. May He keep the world for his people.","Be prepared to appreciate what you meet.","A stone is heavy and the sand is weighty; but a fools wrath is heavier than them both.","Truth suffers from too much analysis.","A man's flesh is his own; the water belongs to the tribe."],"mentat":["It is by will alone I set my mind in motion. It is by the juice of Sapho that thoughts acquire speed, the lips acquire stains. The stains become a warning.","A process cannot be understood by stopping it. Understanding must move with the flow of the process, must join it and flow with it.","Memory never recaptures reality. Memory reconstructs reality. Reconstructions change the original, becoming external frames of reference that inevitably fail."],"muaddib":["Arrakis teaches the attitude of the knife, chopping off what’s incomplete and saying, \"Now it’s complete because it’s ended here.\"","Greatness is a transitory experience. It is never persistent. It depends in part upon the myth-making imagination of humankind. The person who experiences greatness must have a feeling for the myth he is in. He must reflect what is projected upon him. And he must have a strong sense of the sardonic. This is what uncouples him from belief in his own pretensions. The sardonic is all that permits him to move within himself. Without this quality, even occasional greatness will destroy a man.","There is probably no more terrible instance of enlightenment than the one in which you discover your father is a man — with human flesh.","What do you despise? By this you are truly known.","God created Arrakis to train the faithful.","You do not beg the sun for mercy.","Fragmentation is the natural destiny of all power.","I am the Kwisatz Haderach. That is reason enough.","The eye that looks ahead to the safe course is closed forever.","Deep in the human unconscious is a pervasive need for a logical universe that makes sense. But the real universe is always one step beyond logic.","There exists no separation between gods and men: one blends softly casual into the other.","There should be a science of discontent. People need hard times and oppression to develop psychic muscles."],"orange_catholic_bible":["Think you of the fact that a deaf person cannot hear. Then, what deafness may we not all possess? What senses do we lack that we cannot see and cannot hear another world all around us?","When God hath ordained a creature to die in a particular place, He causeth that creature's wants to direct him to that place","Thou shalt not make a machine in the likeness of a man's mind","From water does all life begin."]},"titles":["Master of Assassins","Judge of the Change","Duke","Lady","Reverend Mother","Sayyadina","Padishah Emperor","Earl","Princess","Prince","Premier","Baron","Mentat","Count","Countess","Viscount","Master","Doctor","Imperial Planetologist","Elder","Face Dancer","Envoy","Guild Navigator","Ambassador","Fedaykin Commando","Naib","Fish Speaker","Grand Patriarch"]},"educator":{"name":["Marblewald","Mallowtown","Brookville","Flowerlake","Falconholt","Ostbarrow","Lakeacre","Clearcourt","Ironston","Mallowpond","Iceborough","Icelyn","Brighthurst","Bluemeadow","Vertapple","Ironbarrow"],"secondary":["High School","Secondary College","High"],"tertiary":{"course":{"subject":["Arts","Business","Education","Applied Science (Psychology)","Architectural Technology","Biological Science","Biomedical Science","Commerce","Communications","Creative Arts","Criminology","Design","Engineering","Forensic Science","Health Science","Information Systems","Computer Science","Law","Nursing","Medicine","Psychology","Teaching"],"type":["Associate Degree in","Bachelor of","Master of"]},"type":["College","University","Technical College","TAFE"]}},"elder_scrolls":{"creature":["Bear","Cave Bear","Chaurus","Death Hound","Snow Bear","Wolf","Ice Wolf","Pit Wolf","Sabre Cat","Skeever","Mudcrab","Horker","Ice Wraith","Werewolf","Troll","Frost Troll","Werebear","Blue Dartwing","Orange Dartwing","Torchbugs","Slaughterfish","Chaurus Hunter","Dremora Lord","Flame Atronach","Frost Atronach","Storm Atronach","Daedric Prince","Dremora","Lurker","Seeker","Draugr","Restless Draugr","Draugr Overlord","Draugr Wright","Draugr Deathlord","Draugr Scourge","Draugr Death Overlord","Draugr Thrall","Spider Worker","Spider Soldier","Spider Guardian","Dwarven Shpere","Dwarven Centurion","Falmer","Falmer Archer","Falmer Gloomlurker","Falmer Shaman","Falmer Spellsword","Falmer Shadowmaster","Falmer Nightprowler","Falmer Warmonger","Feral Falmer","Frostbite Spider","Giant","Frost Giant","Hagraven","Corrupted Shade","Skeleton","Spriggan","Spriggan Matron","Spriggan Earth Mother","Wisp","Shade","Wispmother"],"dragon":["Dragon","Blood Dragon","Frost Dragon","Elder Dragon","Ancient Dragon","Revered Dragon","Legendary Dragon","Serpentine Dragon"],"race":["Altmer","Argonian","Bosmer","Breton","Dunmer","Imperial","Kajiit","Nord","Orc","Redguard"],"region":["Black Marsh","Cyrodiil","Elsweyr","Hammerfell","High Rock","Morrowind","Skyrim","Summerset Isles","Valenwood"]},"esport":{"events":["ESL Cologne","MLG Meadowlands","GFinity London","Worlds","IEM Championship","League All Stars"],"games":["CS:GO","League of Legends","Overwatch","StarCraft II","Dota2","Super Smash Bros. Melee","Hearthstone"],"leagues":["ESL","IEM","MLG","GFinity"],"players":["Froggen","Dendi","Surefour","Seagull","xPeke","shroud","KennyS","pasha","RamboRay","Crimsix","ACE","Grubby","f0rest","cArn","Flash","Faker","Boxer"],"teams":["Dignitas","OpTic","FaZe","iBUYPOWER","Evil Genius","Ninjas in Pajamas","NaVi","SoloMid","Cloud9","fnatic","CLG","EnVyUs","Virtus Pro"]},"fallout":{"characters":["Ada","Angela Bishop","Boone","Cait","Christine Royce","Codsworth","Curie","Daecon","DiMA","Dogmeat","Elder Maxon","Harold","John Hancock","Joshua Graham","Legate Lanius","Leslie Ann Bishop","Liberty Prime","Lucas Simms","Madison Lee","Miria","Myron","Nick Valentine","Old Longfellow","Caesar","Paladin Danse","Piper Wright","Porter Gage","Preston Garvey","Robert Joseph Mac Cready","Rose of Sharon Cassidy","Strong","Sulik","The Master","Three Dog","X6-88","Yes Man"],"factions":["Boomers","Brotherhood of Steel","Caesar's Legion","Chinese remnants","Diamond City security","Enclave","Followers of the Apocalypse","Gunners","Kings","Master's Army","Mojave Express","New California Republic","Nuka World Triumvirate","Powder Gangers","Raiders","State of Utobitha","Talon Company","Triggermen","United States Armed Forces","Van Graffs"],"locations":["Anchorage","Big MT","Big town","Cambridge","Capital Wasteland","Concord","Diamond City","Dog City","Goodsprings","Hoover Dam","Lexington","Little Lamplight","Megaton","Nellis Air Force Base","New Reno","New Vegas","Nipton","Primm","Raven Rock","Red Rock Canyon","Sloan","The Commonwealth","The Institute","Vault 101","Vault 11","Vault 111","Vault 13","Vault 15","Vault 19","Vault 22","Vault 3","Vault 81","Vault City"],"quotes":["Ad Victoriam!","Calm is what you have to be when people look to you, and it's all you can be when things are out of your hands.","Democracy is non-negotiable","Hi, I'm Jean Baptiste. And you're about to stop being a pain in my ass.","I'm a synth. Synthetic man. All the parts, minus a few red blood cells.","I'm dying.... so that democracy... can live.","I'm gonna run some diagnostics while you're tinkering. Take your time.","I've seen soldiers come and go. Some were brave. Some were honest. Some were even heroic. But I've never called any of them a friend.","If you want to see the fate of democracies, just look out the window","Let's go, pal.","Liberty Prime is online. All systems nominal. Weapons hot. Mission: the destruction of any and all Chinese communists.","Ngh. Hi. I'm Mahsofabish ang I gob ko keep fiebs gaeg.","Nobody has a Dick that long, not eve Long-Dick Johnson, and he had a fuckin long dick, thus the name.","Nothing to impede progress. If you want to see the fate of democracies, look out the windows.","Patrolling the Mojave almost makes you wish for a nuclear winter.","Please step out of the fountain","Revised stratagem: Initiate photonic resonance overcharge.","Stimpaks are a marvelous invention, don't you think?","Strange rumors from across the river indicate that a secret underground robot army has been destroyed before anyone had a chance to use it.","Success depends on forethought, dispassionate calculation of probabilities, accounting for every stray variable.","Sure. Be glad to take...I mean hold some stuff for you.","That chip of yours, I wouldn't wager it on Blackjack...Unless the dealer has a five of six showing.","That means you're, erm... two centuries late for dinner! Perhaps I could whip you up a snack? You must be famished!","The past, the present, and the future walked into a bar. It was tense.","The women of New Vegas ask me a lot if there's a Mrs. New Vegas. Well, of course there is. You're her. And you're still as perfect as the day we met.","Though dangerous, combat is quite vigorous exercise.","Today's forecast calls for a 99%chance of clear skies being ruined by artillery fire.","Voice module online. Audio functionality test initialized. Designation: Liberty Prime. Mission: the liberation of Anchorage, Alaska.","We must find the men of science and institutes of learning, surely they are out there still.","We'd move faster if you'd keep your eyes on the road and off me arse.","Well, ain't we all, right? That was a long time ago. I don't pay it much mind anymore.","What did you... did you put a plug in his cocktube and make him explode?","Who do you think actually won the war? No one, I guess.","You stood up to Elder Maxson for me. I'll never forget that for as long as I live.","You think I inject myself with all that shite and drink myself drunk because I’m a tough Irish gal?","You'd be shocked how many people I've managed to convince I'm just a really sick ghoul."]},"family_guy":{"character":["Peter Griffin","Lois Griffin","Meg Griffin","Chris Griffin","Stewie Griffin","Brian Griffin","Francis Griffin","Mickey McFinnigan","Thelma Griffin","Karen Griffin","Carter Pewterschmidt","Barabara Pewterschmidt","Glenn Quagmire","Cleveland Brown","Joe Swanson","Bonnie Swanson","Mort Goldman","Tom Tucker","Joyce Kinney","Diane Simmons","Ollie Williams","Tricia Takanawa","Fouad","Principal Shephard","Mayor Adam West","Carl","Consuela","God","Horace","James Woods","Evil Monkey"],"location":["Cleveland's Deli","Drunken Clam","Goldman's Pharmacy","Happy-Go-Lucky Toy Factory","Jack's Joke Shop","James Woods High","Pawtucket Brewery","Quahog 5 News","Spooner Street"],"quote":["It’s Peanut Butter Jelly Time.","I’ve got an idea–an idea so smart that my head would explode if I even began to know what I’m talking about.","A degenerate, am I? Well, you are a festisio! See? I can make up words too, sister.","Now I may be an idiot, but there’s one thing I am not sir, and that sir, is an idiot.","Isn’t ‘bribe’ just another word for ‘love’?","I am so not competitive. In fact, I am the least non-competitive. So I win.","Hey, don't try to take this away from me. This is the only thing I've ever been good at. Well, this and timing my farts to a thunderstorm.","Joe, gag on my fat dauber.","People in love can overcome anything.","Amazing. One second of a stranger's voice on a phone, and you've got full Bollywood.","You know, this is great guys. Drinking and eating garbage. I'm glad we all took a mental health day."]},"file":{"extension":["flac","mp3","wav","bmp","gif","jpeg","jpg","png","tiff","css","csv","html","js","json","txt","mp4","avi","mov","webm","doc","docx","xls","xlsx","ppt","pptx","odt","ods","odp","pages","numbers","key","pdf"],"mime_type":["application/atom+xml","application/ecmascript","application/EDI-X12","application/EDIFACT","application/json","application/javascript","application/ogg","application/pdf","application/postscript","application/rdf+xml","application/rss+xml","application/soap+xml","application/font-woff","application/xhtml+xml","application/xml-dtd","application/xop+xml","application/zip","application/gzip","audio/basic","audio/L24","audio/mp4","audio/mpeg","audio/ogg","audio/vorbis","audio/vnd.rn-realaudio","audio/vnd.wave","audio/webm","image/gif","image/jpeg","image/pjpeg","image/png","image/svg+xml","image/tiff","image/vnd.microsoft.icon","message/http","message/imdn+xml","message/partial","message/rfc822","model/example","model/iges","model/mesh","model/vrml","model/x3d+binary","model/x3d+vrml","model/x3d+xml","multipart/mixed","multipart/alternative","multipart/related","multipart/form-data","multipart/signed","multipart/encrypted","text/cmd","text/css","text/csv","text/html","text/javascript","text/plain","text/vcard","text/xml","video/mpeg","video/mp4","video/ogg","video/quicktime","video/webm","video/x-matroska","video/x-ms-wmv","video/x-flv"]},"finance":{"credit_card":{"american_express":["/34##-######-####L/","/37##-######-####L/"],"dankort":"/5019-####-####-###L/","diners_club":["/30[0-5]#-######-###L/","/368#-######-###L/"],"discover":["/6011-####-####-###L/","/65##-####-####-###L/","/64[4-9]#-####-####-###L/","/6011-62##-####-####-###L/","/65##-62##-####-####-###L/","/64[4-9]#-62##-####-####-###L/"],"forbrugsforeningen":"/6007-22##-####-###L/","jcb":["/3528-####-####-###L/","/3529-####-####-###L/","/35[3-8]#-####-####-###L/"],"laser":["/6304###########L/","/6706###########L/","/6771###########L/","/6709###########L/","/6304#########{5,6}L/","/6706#########{5,6}L/","/6771#########{5,6}L/","/6709#########{5,6}L/"],"maestro":["/50#{9,16}L/","/5[6-8]#{9,16}L/","/56##{9,16}L/"],"mastercard":["/5[1-5]##-####-####-###L/","/6771-89##-####-###L/"],"solo":["/6767-####-####-###L/","/6767-####-####-####-#L/","/6767-####-####-####-##L/"],"switch":["/6759-####-####-###L/","/6759-####-####-####-#L/","/6759-####-####-####-##L/"],"visa":["/4###########L/","/4###-####-####-###L/"]}},"food":{"dish":["Barbecue Ribs","Bruschette with Tomato","Caesar Salad","Califlower penne","California maki","Caprese Salad","Cheeseburger","Chicken Fajitas","Chicken milanese","Chicken wings","Chilli con carne","Ebiten maki","Fettuccine Alfredo","Fish and chips","French fries with sausages","Katsu Curry","Lasagne","Linguine with clams","Meatballs with sauce","Mushroom Risotto","Pappardelle alla Bolognese","Pasta Carbonara","Pasta and Beans","Pasta with Tomato and Basil","Philadelphia maki","Pizza","Pork belly buns","Pork sausage roll","Ricotta stuffed Ravioli","Risotto with seafood","Salmon nigiri","Scotch eggs","Souvlaki","Teriyaki Chicken donburi","Tiramisù","Tuna sashimi","Vegetable Soup"],"ingredients":["Achacha","Adzuki Beans","Agar","Agave Syrup","Ajowan Seed","Albacore Tuna","Alfalfa","Allspice","Almond oil","Almonds","Amaranth","Amchur","Anchovies","Anchovies","Aniseed","Annatto seed","Apple Cider Vinegar","Apple juice","Apple Juice Concentrate","Apples","Bonza","Apples","Apricots","Arborio rice","Arrowroot","Artichoke","Arugula","Asafoetida","Asian Greens","Asian Noodles","Asparagus","Aubergine","Avocado","Avocado Oil","Avocado Spread","Bacon","Baking Powder","Baking Soda","Balsamic Vinegar","Bamboo Shoots","Banana","Barberry","Barley","Barramundi","Basil Basmati rice","Bay Leaves","Bean Shoots","Bean Sprouts","Beans","Green beans","Beef","Beetroot","Berries","Black Eyed Beans","Blackberries","Blood oranges","Blue Cheese","Blue Eye Trevalla","Blue Swimmer Crab","Blueberries","Bocconcini","Bok Choy","Bonito Flakes","Borlotti Beans","Brazil Nut","Bran","Bread","RyeBread","Sour Dough Bread","SpeltBread","WhiteBread","Wholegrain Bread","Wholemeal","Brie","Broccoli","Broccolini","Brown Rice","Brown rice vinegar","Brussels Sprouts","Buckwheat","Buckwheat Noodles","BulghurBurghul","Bush Tomato","Butter","Butter Beans","Buttermilk","Butternut lettuce","Butternut pumpkin","Cabbage","Cacao","Cake","Calamari","Camellia Tea Oil","Camembert","Camomile","Candle Nut","Cannellini Beans","Canola Oil","Cantaloupe","Capers","Capsicum","Starfruit","Caraway Seed","Cardamom","CarobCarrot","Carrot","Cashews","Cassia bark","Cauliflower","Cavalo","Cayenne","Celery","Celery Seed","Cheddar","Cherries","Cherries","Chestnut","Chestnut","Chia seeds","Chicken","Chickory","Chickpea","Chilli Pepper","FreshChillies","dried Chinese Broccoli","Chinese Cabbage","Chinese Five Spice","Chives","Dark Chocolate","MilkChocolate","Choy Sum","Cinnamon","Clams","Cloves","Cocoa powder","Coconut","Coconut Oil","Coconut water","Coffee","Corella Pear","Coriander Leaves","Coriander Seed","Corn Oil","Corn Syrup","Corn Tortilla","Cornichons","Cornmeal","Cos lettuce","Cottage Cheese","Cous Cous","Crabs","Cranberry","Cream","Cream Cheese","Cucumber","Cumin","Cumquat","Currants","Curry Leaves","Curry Powder","Custard Apples","Custard ApplesDaikon","Dandelion","Dashi","Dates","Dill","Dragonfruit","Dried Apricots","Duck","Edam","Edamame","Eggplant","Eggs","Elderberry","Endive","English Spinach","Extra Virgin Olive Oil","Farmed Prawns","Feijoa","Fennel","Fennel Seeds","Fenugreek","Feta","Figs","File Powder","Fingerlime","Fish Sauce","Flathead","Flaxseed","Flaxseed Oil","Flounder","Flour","Besan","Buckwheat Flour","FlourOat","FlourPotato","FlourRice","Brown Flour","WhiteFlour","SoyFlour","Tapioca Flour","UnbleachedFlour","Wholewheat flour","Freekeh","French eschallots","Fromage Blanc","Fruit","Galangal","Garam Masala","Garlic","Garlic","Chives","GemGinger","Goat Cheese","Goat Milk","Goji Berry","Grape Seed Oil","Grapefruit","Grapes","Green Chicken Curry","Green Pepper","Green Tea","Green Tea noodles","Greenwheat Freekeh","Gruyere","Guava","Gula MelakaHaloumiHam","Haricot Beans","Harissa","Hazelnut","Hijiki","Hiramasa Kingfish","Hokkien Noodles","Honey","Honeydew melon","Horseradish","Hot smoked salmon","Hummus","Iceberg lettuce","Incaberries","Jarrahdale pumpkin","Jasmine rice","Jelly","Jerusalem Artichoke","Jewfish","Jicama","Juniper Berries","Lime Leaves","Kale","Kangaroo","Kecap Manis","Kenchur","Kidney Beans","Kidneys","Kiwi Fruit","Kiwiberries","Kohlrabi","Kokam","Kombu","Koshihikari rice","Kudzu","Kumera","Lamb","Lavender Flowers","Leeks","Lemon","Lemongrass","Lentils","Lettuce","Licorice","Limes","Liver","Lobster","Longan","Loquats","Lotus Root","Lychees","Lychees","Macadamia Nut","Macadamia oil","Mace","Mackerel","Mackerel","Tinned","Mahi mahi","Mahlab","Malt vinegar","Mandarins","Mango","Mangosteens","Maple Syrup","Margarine","Marigold","Marjoram","Mastic","Melon","Milk","Mint","Miso","Molasses","Monkfish","Morwong","Mountain Bread","Mozzarella","Muesli","Mulberries","Mullet","Mung Beans","Flat Mushrooms","Brown Mushrooms","Common Cultivated Mushrooms","Enoki Mushrooms","Oyster Mushrooms","Shiitake Mushrooms","Mussels","Mustard","Mustard Seed","Nashi Pear","Nasturtium","Nectarines","Nori","Nutmeg","Nutritional Yeast","Nuts","Oatmeal","Oats","Octopus","Okra","Olive Oil","Olives","Omega Spread","Onion","Oranges","Oregano","Oyster Sauce","Oysters","Pear","Pandanus leaves","Papaw","Papaya","Paprik","Parmesan cheese","Parrotfish","Parsley","Parsnip","Passionfruit","Pasta","Peaches","Peanuts","Pear Juice","Pears","Peas","Pecan Nut","Pecorino","PepitasPepper","Szechuan Pepperberry","Peppercorns","Peppermint","Peppers","Persimmon","Pine Nut","Pineapple","Pinto Beans","Pistachio Nut","Plums","Polenta","Pomegranate","Poppy Seed","Porcini mushrooms","Pork","Potatoes","Provolone","Prunes","Pumpkin","Pumpkin Seed","Purple carrot","Purple RiceQuail","Quark Quinc","Quinoa","Radicchio","Radish","Raisin","Raspberry","Red cabbage","Red Lentils","Red Pepper","Red Wine Vinegar","Redfish","Rhubarb","Rice Noodles","Rice paper","Rice Syrup","Ricemilk","Ricotta","Rockmelon","Rose Water","Rosemary","Rye","Safflower Oil","Saffron","Sage","Sake","Salmon","Sardines","Sausages","Scallops","Sea Salt","Semolina","Sesame Oil","Sesame seed","Sesame Seeds","Shark","Silverbeet","Slivered Almonds","Smoked Trout","Snapper","Snowpea sprouts","Snowpeas","Soba","Soy Beans","Soy Milk","Soy Sauce","Soy","Sprouts","Soymilk","Spearmint","Spelt","Spinach","Spring Onions","Squash","Squid","Star Anise","Star Fruit","Stevia","Beef Stock","Chicken Stock","Fish Stock","Vegetable Stock","Strawberries","Sugar","Sultanas","Sun dried tomatoes","Sunflower Oil","Sunflower Seeds","SwedeSweet Chilli Sauce","Sweet Potato","Swiss Chard","SwordfishTabasco","Tahini","Taleggio cheese","Tamari","Tamarillo","Tangelo","Tapioca","Tarragon","Tea","Tea Oil","Tempeh","ThymeTofu","Tom Yum","Tomatoes","Trout","Tuna","Turkey","Turmeric","Turnips","Vanilla Beans","Vegetable Oil","Vegetable spaghetti","Vermicelli Noodles","Vinegar","Wakame","Walnut","Warehou","Wasabi","Water","Watercress","Watermelon","Wattleseed","Wheat","Wheatgrass juice","White rice","White wine vinegar","Whiting Wild Rice","William Pear","RedWine","White Wine","Yeast","Yellow Papaw","Yellowtail Kingfish","Yoghurt","Yogurt","Zucchini"],"measurement_sizes":["1/4","1/3","1/2","1","2","3"],"measurements":["teaspoon","tablespoon","cup","pint","quart","gallon"],"metric_measurements":["milliliter","deciliter","centiliter","liter"],"spices":["Achiote Seed","Ajwain Seed","Ajwan Seed","Allspice Ground","Allspice Whole","Amchoor","Anise","Anise Star","Aniseed Whole","Annatto Seed","Arrowroot","Asafoetida","Baharat","Balti Masala","Balti Stir Fry Mix","Basil","Bay Leaves","Bay Leaves Chopped","BBQ Seasoning","Biryani Spice Mix","Cajun Seasoning","Caraway Seed","Cardamom Ground","Cardamom Whole","Cassia","Cassia Bark","Cayenne Pepper","Celery Leaf","Celery Salt","Celery Seed","Chamomile","Chervil","Chicken Seasoning","Chilli Crushed","Chilli Ground","Chilli Pepper","Chillies Whole","China Star","Chinese 5 Spice","Chives","Cinnamon Bark","Cinnamon Ground","Cinnamon Powder","Cinnamon Sticks","Cloves Ground","Cloves Whole","Colombo Powder","Coriander Ground","Coriander Leaf","Coriander Seed","Creole Seasoning","Cumin Ground","Cumin Seed","Cumin Seed Black","Cumin Seed Royal","Curly Leaf Parsley","Curry Chinese","Curry Hot","Curry Leaves","Curry Madras Medium","Curry Mild","Curry Thai Green","Curry Thai Red","Dhansak Spice Mix","Dill Herb","Dill Leaf","Dill Seed","Fajita Seasoning","Fennel Seed","Fenugreek Ground","Fenugreek Leaf","Fenugreek Seed","Fines Herbes","Fish Seasoning","Five Spice Mix","French Lavender","Galangal Ground","Garam Masala","Garlic Chips","Garlic Granules","Garlic Powder","Garlic Salt","German Chamomile","Ginger Root","Ginger Ground","Green Cardamom","Herbes de Provence","Jalfrezi Curry Powder","Jalfrezi Mix","Jerk Seasoning","Juniper Berries","Kaffir Leaves","Korma Curry Powder","Korma Mix","Lamb Seasoning","Lavender","Lemon Grass","Lemon Grass Chopped","Lemon Pepper","Lime Leaves","Lime Leaves Ground","Liquorice Root","Mace Ground","Mace Whole","Mango Powder","Marjoram","Methi","Methi Leaves","Mexican Salsa Mix","Mint","Mixed Herbs","Mixed Spice","Mulled Cider Spices","Mulled Wine Spices","Mustard Powder","Mustard Seed Black","Mustard Seed Brown","Mustard Seed White","Mustard Seed Yellow","Nigella","Nutmeg Ground","Nutmeg Whole","Onion Seed","Orange Zest","Oregano","Paella Seasoning","Paprika","Paprika Hungarian","Paprika Smoked","Parsley","Parsley Flat Leaf","Pepper Black Coarse","Pepper Black Ground","Pepper White Ground","Peppercorns Black","Peppercorns Cracked Black","Peppercorns Green","Peppercorns Mixed","Peppercorns Pink","Peppercorns Szechwan","Peppercorns White","Pickling Spice","Pimento Berries","Pimento Ground","Piri Piri Seasoning","Pizza Topping Mix","Poppy Seed","Pot Marjoram","Poudre de Colombo","Ras-el-Hanout","Rice Paper","Rogan Josh Curry Powder","Rogan Josh Mix","Rose Baie","Rosemary","Saffron","Sage","Sea Salt Coarse","Seasoning Salt","Self Adhesive Spice Labels","Sesame Seed","Spearmint","Spice Charts","Steak Seasoning","Sumac Ground","Sweet Basil","Sweet Laurel","Tagine Seasoning","Tandoori Masala","Tandoori Mix","Tarragon","Thai Creen Curry Mix","Thai Red Curry Mix","Thai Stir Fry","Thyme","Tikka Masala","Tikka Masala Curry Powder","Turmeric","Turmeric Powder","Vanilla Bean","Vanilla Pods","Vegetable Seasoning","Zahtar Spice Mix"]},"friends":{"characters":["Rachel Green","Joey Tribbiani","Phoebe Buffay","Chandler Bing","Monica Geller","Ross Geller","Richard Burke","Janice Goralnik","Gunther","Emily Waltham","Carol Willick","Miss Chanandler Bong"],"locations":["Central Perk","Javu","945 Grove St Apt. 20","Ralph Lauren","New York Museum of Prehistoric History","Days of Our Lives","15 Yemen Road, Yemen"],"quotes":["We were on a break!","Forty-two to twenty-one! Like the turkey, Ross is done!","SEVEN! SEVEN! SEVEN!","I'm Monica. I’m disgusting. I stalk guys and keep their underpants.","Fine judge all you want but... married a lesbian, left a man at the altar, fell in love with a gay ice dancer, threw a girl’s wooden leg in the fire, LIVE IN A BOX.","Welcome to the real world. It sucks. You’re gonna love it!","Sure I peed on her. And if I had to, I’d pee on any one of you!","If the homo sapiens were, in fact, HOMO sapiens…is that why they’re extinct?","It’s a moo point. It’s like a cow’s opinion; it doesn’t matter. It’s moo.","You could not be any more wrong. You could try, but you would not be successful.","You’ve been BAMBOOZLED!","It was summer… and it was hot. Rachel was there… A lonely grey couch…”OH LOOK!” cried Ned, and then the kingdom was his forever. The End.","Je m’appelle Claude","I’m not so good with the advice. Can I interest you in a sarcastic comment?","Raspberries? Good. Ladyfingers? Good. Beef? GOOD!","Could I BE wearing any more clothes?","Oh no, two women love me. They're both gorgeous and sexy. My wallet's too small for my fifties AND MY DIAMOND SHOES ARE TOO TIGHT."]},"funny_name":{"name":["Aaron Thetires","Abbie Birthday","Abe Rudder","Abel N. Willan","Adam Baum","Adam Bomb","Adam Meway","Adam Sapple","Adam Zapel","Agatha L. Outtathere","Al B. Tross","Al B. Zienya","Al Dente","Al Fresco","Al Gore Rythim","Al K. Seltzer","Al Kaholic","Al Kaseltzer","Al Luminum","Al Nino","Al O'Moaney","Alec Tricity","Alex Blaine Layder","Alf A. Romeo","Alf Abet","Ali Gaither","Ali Gator","Ali Katt","Allen Rench","Amanda B. Reckonwith","Amanda Lynn","Andy Friese","Andy Gravity","Andy Structible","Anita Bath","Anita Bathe","Anita Job","Anita Knapp","Ann B. Dextrous","Ann Chovie","Ann Tartica","Anna Conda","Anna Graham","Anna Mull","Anna Prentice","Anna Sasin","Anna Septic","Anne T. Lope","Anne Teak","Anne Ville","Annette Curtain","Annie Buddyhome","Annie Howe","Annie Matter","Annie Moore","April Schauer","Arch N. Emmy","Aretha Holly","Ariel Hassle","Armand Hammer","Art Exhibit","Art Major","Art Painter","Art Sellers","Artie Choke","Ayma Moron","B. A. Ware","Barb Dwyer","Barb Dwyer","Barb E. Cue","Barb E. Dahl","Barry Cade","Barry D'Alive","Barry D. Hatchett","Barry Shmelly","Bart Ender","Bea Lowe","Bea Minor","Bea Sting","Beau Tye","Beau Vine","Ben Crobbery","Ben D. Fender","Ben Dover","Ben Down","Ben Lyon","Ben O'Drill","Ben Thair","Bertha D. Blues","Bess Eaton","Bess Twishes","Biff Wellington","Bill Board","Bill Ding","Bill Dollar","Bill Foldes","Bill Loney","Bill Lowney","Bill Ng","Bill Overdew","Billy Rubin","Bjorn Free","Bo D. Satva","Bo Nessround","Bob Frapples","Bob Inforapples","Bob Katz","Bob Ng","Bob Sledd","Bonnie Ann Clyde","Bowen Arrow","Brandon Cattell","Brandon Irons","Brandy Anne Koch","Brandy Bottle","Brandy D. Cantor","Braxton Hicks","Brice Tagg","Brighton Early","Brock Lee","Brook Lynn Bridge","Brooke Trout","Brooke Waters","Bruce Easley","Buck Ng","Bud Weiser","Buddy Booth","Buddy System","C. Worthy","Cal Culator","Cal Efornia","Cal Seeium","Cam Payne","Cammie Sole","Candace Spencer","Candice B. DePlace","Candice B. Fureal","Candy Barr","Candy Baskett","Candy Kane","Cara Van","Carl Arm","Carlotta Tendant","Carrie A. Tune","Carrie Dababi","Carrie Oakey","Carson O. Gin","Chad Terbocks","Chanda Lear","Charity Case","Cheri Pitts","Chi Spurger","Chip Munk","Chris Coe","Chris Cross","Chris Ko","Chris Mass","Chris P. Bacon","Chris P. Nugget","Chris P. Wheatzenraisins","Chrystal Glass","Chuck Roast","Claire Annette","Claire Annette Reed","Claire DeAir","Claire Voyance","Clara Nett","Clara Sabell","Cody Pendant","Cole Durkee","Cole Kutz","Colette A. Day","Colin Allcars","Colleen Cardd","Constance Noring","Corey Ander","Count Orff","Crystal Ball","Crystal Claire Waters","Crystal Glass","Curt N. Rodd","Curt Zee","Cy Burns","Cy Kosis","Daisy Chain","Daisy Picking","Dale E. Bread","Dan D. Lyon","Dan Deline","Dan Druff","Dan Geruss","Dan Saul Knight","Danielle Soloud","Darrell B. Moore","Darren Deeds","Darryl Likt","Dee Kay","Dee Liver","Dee Major","Dee Sember","Dee Zaster","Dennis Toffice","Denny Juan Heredatt","Des Buratto","Di O'Bolic","Diane Toluvia","Didi Reelydoit","Dinah Might","Dinah Soares","Doll R. Bill","Don Key","Don Thatt","Doris Open","Doris Schutt","Doug Graves","Doug Hole","Doug Love Fitzhugh","Doug Updegrave","Doug Witherspoon","Douglas Furr","Douglas S. Halfempty","Drew Blood","Duane DeVane","Duane Pipe","Dustin D. Furniture","Dusty Carr","Dusty Rhodes","Dusty Sandmann","Dusty Storm","Dwayne Pipe","E. Ville","Earl E. Byrd","Earl Lee Riser","Easton West","Eaton Wright","Ed Ible","Ed Jewcation","Ed Venture","Eddie Bull","Eileen Dover","Eli Ondefloor","Ella Vader","Elle O'Quent","Ellie Noise","Elmer Sklue","Emerald Stone","Emile Eaton","Emma Royds","Estelle Hertz","Ethel L. Cahall","Evan Keel","Evan Lee Arps","Evans Gayte","Eve Hill","Eve Ning","Eve O'Lution","Ewan Whatarmy","Father A. Long","Faye Kinnitt","Faye Slift","Faye Tallity","Ferris Wheeler","Fletcher Bisceps","Ford Parker","Frank Enstein","Frank Furter","Frank N. Beans","Frank N. Sense","Frank N. Stein","Freida Convict","Gene E. Yuss","Gene Poole","George Washington Sleptier","Gil T. Azell","Ginger Rayl","Ginger Snapp","Ginger Vitis","Gladys C. Hughes","Gladys Eeya","Godiva Headache","Gus Tofwin","Hal E. Luya","Hal Jalikakick","Hammond Eggs","Hare Brain","Harmon Ikka","Harrison Fire","Harry Armand Bach","Harry Beard","Harry Caray","Harry Chest","Harry Legg","Harry Pitts","Harry R. M. Pitts","Hayden Seek","Haywood Jashootmee","Hazel Nutt","Heather N. Yonn","Hein Noon","Helen Back","Helen Highwater","Helena Hanbaskett","Herb E. Side","Herbie Voor","Hilda Climb","Holly Day","Holly Wood","Homan Provement","Hope Ferterbest","Howard I. No","Howe D. Pardner","Howie Doohan","Hugh Mungous","Hugh deMann","Hugo First","Hy Ball","Hy Gene","Hy Lowe","Hy Marx","Hy Price","I. Ball","I. D. Clair","I. Lasch","I. M. Boring","I. P. Daly","I. P. Freely","I. Pullem","I. Ron Stomach","Ida Whana","Igor Beaver","Ilene Dover","Ilene East","Ilene Left","Ilene North","Ilene South","Ilene West","Ilene Wright","Ima B. Leever","Ima Hogg","Ima Klotz","Ima Lytle Teapot","Iona Corolla","Iona Ford","Iona Frisbee","Ira Fuse","Isadore Bell","Ivan Oder","Izzy Backyet","Jack Dupp","Jack Hammer","Jack Pott","Jack Tupp","Jacklyn Hyde","Jacques Strap","Jade Stone","Jan U. Wharry","Jane Linkfence","Jaqueline Hyde","Jasmine Flowers","Jasmine Rice","Jay Bird","Jay Walker","Jean Poole","Jeanette Akenja Nearing","Jed Dye","Jed I. Knight","Jeff Healitt","Jerry Atrics","Jim Laucher","Jim Nasium","Jim Shorts","Jim Shu","Jim Sox","Jimmy DeLocke","Jo King","Joanna Hand","Joaquin DeFlores","Joe Czarfunee","Joe Kerr","Joe King","Joy Anna DeLight","Joy Kil","Joy Rider","Juan De Hattatime","Juan Fortharoad","Juan Morefore DeRhode","Juan Nightstand","Juana Bea","June Bugg","Justin Case","Justin Casey Howells","Justin Credible","Justin Inch","Justin Sane","Justin Thyme","Justin Tune","Kandi Apple","Kareem O'Weet","Kat Toy","Katy Litter","Kay Mart","Kay Neine","Ken Dahl","Ken Oppenner","Kenney C. Strait","Kenny Dewitt","Kenny Penny","Kent Cook","Kenya Dewit","Kerry Oki","Kim Payne Slogan","Kitty Katz","Kristie Hannity","Kurt Remarque","Lake Speed","Lance Lyde","Laura Norder","Lee Nover","Leigh King","Len DeHande","Leo Tarred","Les Moore","Les Payne","Les Plack","Lily Livard","Lily Pond","Lina Ginster","Lisa Carr","Lisa Ford","Lisa Honda","Lisa Neucar","Liv Good","Liv Long","Liz Onnia","Lois Price","Lon Moore","Lou Briccant","Lou Dan Obseen","Lou Pole","Lou Stooth","Lou Zar","Louise E. Anna","Lowden Clear","Lucy Fer","Luke Adam Go","Luke Warm","Luna Tick","Lynn Guini","Lynn Meabuck","Lynn O. Liam","M. Balmer","M. T. Toombe","Mabel Syrup","Macon Paine","Mandy Lifeboats","Manny Kinn","Manuel Labor","Marco DeStinkshun","Marcus Absent","Marge Innastraightline","Marj Oram","Mark A. Roni","Mark Mywords","Mark Z. Spot","Marlon Fisher","Marsha Dimes","Marsha Mellow","Marshall Law","Marty Graw","Marv Ellis","Mary A. Richman","Mary Ann Bright","Mary Gold","Mary Ott","Mary Thonn","Mason Jarr","Matt Tress","Maude L. T. Ford","Maurice Minor","Max E. Mumm","Max Little","Max Power","May Day","May Furst","May K. Fist","May O'Nays","Megan Bacon","Mel Function","Mel Loewe","Mel Practiss","Melanie Letters","Melba Crisp","Michael Otto Nuys","Michelle Lynn","Midas Well","Mike Czech","Mike Raffone","Mike Rohsopht","Mike Stand","Milly Graham","Milly Meter","Milton Yermouth","Minnie Skurt","Minny van Gogh","Miss Alanius","Missy Sippy","Misty C. Shore","Misty Meanor","Misty Shore","Misty Waters","Mitch Again","Moe DeLawn","Moe Skeeto","Molly Kuehl","Morey Bund","Morgan U. Canhandle","Mort Tallity","Myles Long","Myra Maines","Neil B. Formy","Neil Down","Neve Adda","Nick L. Andime","Nick O'Teen","Nick O'Time","Nick Ovtime","Nida Lyte","Noah Lott","Noah Riddle","Olive Branch","Olive Green","Olive Hoyl","Olive Yew","Oliver Sutton","Ophelia Payne","Oren Jellow","Oscar Ruitt","Otto B. Kilt","Otto Carr","Otto Graf","Otto Whackew","Owen Big","Owen Cash","Owen Money","Owen Moore","P. Brain","Paige Turner","Park A. Studebaker","Parker Carr","Pat Downe","Pat Pending","Patton Down DeHatches","Pearl E White","Pearl E. Gates","Pearl E. Whites","Peg Legge","Penny Bunn","Penny Lane","Penny Nichols","Penny Profit","Penny Whistler","Penny Wise","Pepe C. Cola","Pepe Roni","Perry Mecium","Pete Moss","Pete Zaria","Phil A. Delphia","Phil A. Mignon","Phil DeGrave","Phil Graves","Phil Rupp","Phillip D. Bagg","Polly Dent","Polly Ester","Quimby Ingmeen","Quint S. Henschel","R. M. Pitt","Raney Schauer","Ray Gunn","Ray N. Carnation","Ray Zenz","Raynor Schein","Reed Toomey","Reid Enright","Renee Sance","Rex Easley","Rex Karrs","Rhea Curran","Rhea Pollster","Rhoda Booke","Rhoda Mule","Rich Feller","Rich Guy","Rich Kidd","Rich Mann","Rick Kleiner","Rick O'Shea","Rick Shaw","Ricky T. Ladder","Rip Tile","Rip Torn","Rita Booke","Rita Story","Rob A. Bank","Rob Banks","Robin Andis Merryman","Robin Banks","Robin DeCraydle","Robin Meeblind","Robin Money","Rocky Beach","Rocky Mountain","Rocky Rhoades","Rocky Shore","Rod N. Reel","Roger Overandout","Roman Holiday","Ron A. Muck","Rory Storm","Rosa Shore","Rose Bush","Rose Gardner","Rosie Peach","Rowan Boatman","Royal Payne","Rufus Leaking","Russell Ingleaves","Russell Sprout","Rusty Blades","Rusty Carr","Rusty Dorr","Rusty Fender","Rusty Fossat","Rusty Irons","Rusty Keyes","Rusty Nails","Rusty Pipes","Rusty Steele","Ryan Carnation","Ryan Coke","Sal A. Mander","Sal Ami","Sal Minella","Sal Sage","Sally Forth","Sally Mander","Sam Dayoulpay","Sam Manilla","Sam Pull","Sam Urai","Samson Night","Sandy Banks","Sandy Beech","Sandy C. Shore","Sandy Spring","Sarah Bellum","Sarah Doctorinthehouse","Sasha Klotz","Sawyer B. Hind","Scott Shawn DeRocks","Seymour Legg","Shanda Lear","Shandy Lear","Sharon A. Burger","Sheri Cola","Sherman Wadd Evver","Shirley Knot","Shirley U. Jest","Sid Down","Simon Swindells","Sir Fin Waves","Skip Dover","Skip Roper","Skip Stone","Sonny Day","Stan Dup","Stan Still","Stew Ng","Stu Pitt","Sue Case","Sue Flay","Sue Jeu","Sue Permann","Sue Render","Sue Ridge","Sue Shi","Sue Yu","Sy Burnette","Tad Moore","Tad Pohl","Tamara Knight","Tanya Hyde","Tate Urtots","Taylor Maid","Ted E. Baer","Telly Vision","Terry Achey","Terry Bull","Theresa Brown","Theresa Green","Therese R. Green","Thor Luther","Tim Burr","Tina See","Tish Hughes","Tom A. Toe","Tom Katt","Tom Katz","Tom Morrow","Tommy Gunn","Tommy Hawk","Trina Corder","Trina Forest","Trina Woods","Ty Coon","Ty Knotts","Ty Malone","Ty Tannick","Ty Tass","Tyrone Shoes","U. O. Money","U. P. Freehly","Ulee Daway","Val Crow","Val Lay","Val Veeta","Vlad Tire","Walt Smedley","Walter Melon","Wanda Rinn","Warren Piece","Warren T.","Wayne Deer","Will Power","Will Wynn","Willie Maykit","Willie Waite","Wilma Leggrowbach","Winnie Bago","Winnie Dipoo","Winsom Cash","Woody Forrest","Woody U. No","X. Benedict","Xavier Breath","Xavier Money","Yule B. Sari","Zeke N. Yeshallfind","Zoe Mudgett Hertz","Zoltan Pepper"]},"game_of_thrones":{"characters":["Abelar Hightower","Addam","Addam Frey","Addam Marbrand","Addam Osgrey","Addam Velaryon","Addison Hill","Aegon Blackfyre","Aegon Frey","Aegon I Targaryen","Aegon II Targaryen","Aegon III Targaryen","Aegon IV Targaryen","Aegon V Targaryen","Aegon Targaryen","Aegor Rivers","Aelinor Penrose","Aemma Arryn","Aemon Blackfyre","Aemon Costayne","Aemon Estermont","Aemon Rivers","Aemon Targaryen","Aemond Targaryen","Aenys Frey","Aenys I Targaryen","Aerion Targaryen","Aeron Greyjoy","Aerys I Targaryen","Aerys II Targaryen","Aethan","Aethelmure","Aggar","Aggo","Aglantine","Agrivane","Aladale Wynch","Alan","Alannys Harlaw","Alaric of Eysen","Alayaya","Albar Royce","Albett","Alebelly","Alekyne Florent","Alequo Adarys","Alerie Hightower","Alesander Frey","Alesander Staedmon","Alesander Torrent","Alester Florent","Alester Norcross","Alester Oakheart","Alfyn","Alia","Alicent Hightower","All-for-Joffrey","Alla Tyrell","Allaquo","Allar Deem","Allard Seaworth","Alliser Thorne","Allyria Dayne","Alvyn Sharp","Alyce","Alyce Graceford","Alyn","Alyn Ambrose","Alyn Cockshaw","Alyn Connington","Alyn Estermont","Alyn Frey","Alyn Haigh","Alyn Hunt","Alyn Stackspear","Alyn Velaryon","Alys Arryn","Alys Karstark","Alysane Mormont","Alysanne Bracken","Alysanne Bulwer","Alysanne Hightower","Alysanne Lefford","Alysanne of Tarth","Alysanne Osgrey","Alysanne Targaryen","Alys Frey","Alyssa Arryn","Alyssa Blackwood","Alyx Frey","Amabel","Amarei Crakehall","Ambrode","Ambrose Butterwell","Amerei Frey","Amory Lorch","Andar Royce","Anders Yronwood","Andrew Estermont","Andrey Charlton","Andrey Dalt","Andrik","Andros Brax","Androw Ashford","Androw Frey","Anguy","Annara Farring","Antario Jast","Anvil Ryn","Anya Waynwood","Archibald Yronwood","Ardrian Celtigar","Areo Hotah","Argilac","Argrave the Defiant","Arianne Martell","Arianne of Tarth","Arlan of Pennytree","Armen","Armond Caswell","Arneld","Arnell","Arnolf Karstark","Aron Santagar","Arrec Durrandon","Arron","Arron Qorgyle","Artys Arryn","Arryk","Arson","Arthor Karstark","Arthur Ambrose","Arthur Dayne","Artos Stark","Arwood Frey","Arwyn Frey","Arwyn Oakheart","Arya Stark","Arys Oakheart","Asha Greyjoy","Ashara Dayne","Lord Ashford","Assadora of Ibben","Aubrey Ambrose","Aurane Waters","Axell Florent","Ayrmidon","Azzak","Azor Ahai","Bael the Bard","Baela Targaryen","Baelon Targaryen","Baelor Blacktyde","Baelor Hightower","Baelor I Targaryen","Baelor Targaryen","Ballabar","Balman Byrch","Balon Botley","Balon Greyjoy","Balon Swann","Bandy","Bannen","Barba Bracken","Barbara Bracken","Barbrey Dustin","Barra","Barre","Barristan Selmy","Barsena Blackhair","Barth","Barthogan Stark","Bass","Bayard Norcross","Bearded Ben","Beardless Dick","Becca","Becca the Baker","Beck","Bedwyck","Belandra","Belaquo Bonebreaker","Beldecar","Belgrave","Belis","Bella","Bellegere Otherys","Bellena Hawick","Bellonara Otherys","Belwas","Ben","Ben Blackthumb","Ben Bones","Ben Bushy","Ben Plumm","Benedar Belmore","Benedict","Benedict Broom","Benfred Tallhart","Benfrey Frey","Benjen Stark","Benjen the Bitter","Benjen the Sweet","Bennard Brune","Bennarion Botley","Bennet","Bennis","Beqqo","Beren Tallhart","Berena Hornwood","Beric Dondarrion","Beron Stark","Beron Blacktyde","Bertram Beesbury","Bess Bracken","Bessa","Beth Cassel","Bethany (Blushing Bethany)","Bethany Bolton","Bethany Bracken","Bethany Fair-Fingers","Bethany Redwyne","Bethany Rosby","Betharios of Braavos","Bhakaz zo Loraq","Bharbo","Big Boil","Biter","Black Balaq","Black Bernarr","Black Jack Bulwer","Blane","Blind Doss","Bloodbeard","Bluetooth","Bodger","Bonifer Hasty","Borcas","Boremund Harlaw","Boros Blount","Borroq","Bors","Bowen Marsh","Boy","Bradamar Frey","Brandon Norrey","Brandon Stark","Bran the Builder","Brandon the Bad","Brandon the Burner","Brandon the Daughterless","Brandon the Shipwright","Brandon Tallhart","Branston Cuy","Brea","Brella","Brenett","Briar","Brienne of Tarth","Brogg","Bronn","Brown Bernarr","Brusco","Bryan Frey","Bryan Fossoway","Bryan of Oldtown","Bryce Caron","Bryen","Bryen Caron","Bryen Farring","Brynden Rivers","Brynden Tully","Buford Bulwer","Bump","Burton Crakehall","Butterbumps","Buu","Byam Flint","Byan Votyris","Byren Flowers","Byron","Cadwyl","Cadwyn","Lord Cafferen","Craghas Drahar","Caleotte","Calon","Camarron of the Count","Canker Jeyne","Carellen Smallwood","Carolei Waynwood","Carrot","Cass","Cassana Estermont","Cassella Vaith","Lord Caswell","Castos","Catelyn Bracken","Catelyn Stark","Cayn","Cedra","Cedric Payne","Cedrik Storm","Cellador","Cerenna Lannister","Cerrick","Cersei Frey","Cersei Lannister","Cetheres","Chataya","Chayle","Chella","Chett","Cheyk","Chiggen","Chiswyck","Clarence Charlton","Clarence Crabb","Clarent Crakehall","Clayton Suggs","Clement","Clement Crabb","Clement Piper","Cleon","Cleos Frey","Cletus Yronwood","Cley Cerwyn","Cleyton Caswell","Clifford Conklyn","Clubfoot Karl","Clydas","Cohollo","Coldhands","Colemon","Colen of Greenpools","Colin Florent","Collio Quaynis","Colmar Frey","Conn","Conwy","Coratt","Corliss Penny","Corlys Velaryon","Cortnay Penrose","Cosgrove","Cossomo","Cotter Pyke","Courtenay Greenhill","Cragorn","Craster","Crawn","Cregan Karstark","Cregan Stark","Creighton Longbough","Creighton Redfort","Cressen","Criston Cole","Cuger","Cutjack","Cynthea Frey","Cyrenna Swann","Daario Naharis","Dacey Mormont","Dacks","Daegon Shepherd","Daella Targaryen","Daemon I Blackfyre","Daemon II Blackfyre","Daemon Sand","Daemon Targaryen","Daena Targaryen","Daenerys Targaryen","Daeron I Targaryen","Daeron II Targaryen","Daeron Targaryen","Daeron Vaith","Daeryssa","Dafyn Vance","Dagmer","Dagon Ironmaker","Dagon Greyjoy","Dagos Manwoody","Dake","Dalbridge","Dale Drumm","Dale Seaworth","Dalla","Damion Lannister","Damon","Damon Lannister","Damon Paege","Damon Shett","Damon Vypren","Dan","Dancy","Danelle Lothston","Danny Flint","Danos Slynt","Danwell Frey","Dareon","Darla Deddings","Darlessa Marbrand","Daryn Hornwood","Daughter of the Dusk","Daven Lannister","Davos Seaworth","Deana Hardyng","Del","Delena Florent","Della Frey","Delonne Allyrion","Delp","Denestan","Dennet","Dennis Plumm","Denyo Terys","Denys Arryn","Denys Darklyn","Denys Drumm","Denys Mallister","Denys Redwyne","Denyse Hightower","Dermot","Desmond","Desmond Grell","Desmond Redwyne","Devan Seaworth","Devyn Sealskinner","Deziel Dalt","Dhazzar","Dick","Dick Crabb","Dick Follard","Dickon Frey","Dickon Manwoody","Dickon Tarly","Dirk","Dobber","Dolf","Domeric Bolton","Donal Noye","Donel Greyjoy","Donella Hornwood","Donnel Drumm","Donnel Haigh","Donnel Hill","Donnel Locke","Donnel of Duskendale","Donnel Waynwood","Donnis","Donnor Stark","Dontos Hollard","Donyse","Doran Martell","Dorcas","Dorea Sand","Doreah","Dormund","Dornish Dilly","Dorren Stark","Draqaz","Drennan","Drogo","Dryn","Dudley","Dunaver","Duncan","Duncan Targaryen","Dunsen","Dunstan Drumm","Duram Bar Emmon","Durran","Dyah","Dykk Harlaw","Dywen","Easy","Ebben","Ebrose","Eddara Tallhart","Eddard Karstark","Eddard Stark","Edderion Stark","Eddison Tollett","Eden Risley","Edgerran Oakheart","Edmund Ambrose","Edmure Tully","Edmyn Tully","Edric Dayne","Edric Storm","Edrick Stark","Edwyd Fossoway","Edwyle Stark","Edwyn Frey","Edwyn Osgrey","Edwyn Stark","Eggon","Eglantine","Egon Emeros","Elaena Targaryen","Elbert Arryn","Elder Brother","Eldiss","Eldon Estermont","Eldred Codd","Eleanor Mooton","Eleyna Westerling","Elia Sand","Elia Martell","Elinor Tyrell","Ellaria Sand","Ellery Vance","Ellyn Tarbeck","Elmar Frey","Elron","Elwood","Elwood Meadows","Elyana Vypren","Elyas Willum","Elyn Norridge","Elys Waynwood","Elys Westerling","Elza","Emberlei Frey","Emma","Emmon Cuy","Emmon Frey","Emmond","Emphyria Vance","Emrick","Endehar","Endrew Tarth","Enger","Eon Hunter","Erena Glover","Erik Ironmaker","Ermesande Hayford","Eroeh","Erreck","Erreg","Erren Florent","Errok","Erryk","Esgred","Ethan Glover","Euron Greyjoy","Eustace","Eustace Brune","Eustace Hunter","Eustace Osgrey","Eyron Stark","Ezzara","Ezzelyno","Falena Stokeworth","Falia Flowers","Falyse Stokeworth","Farlen","Lord Farman of Fair Isle","Fearless Ithoke","Lord Fell of Felwood","Fern","Ferny","Ferrego Antaryon","Ferret","Flement Brax","Fogo","Forley Prester","Fornio","Franklyn Fowler","Franklyn Frey","Fralegg","Frenken","Frenya","Frynne","Gage","Galazza Galare","Galbart Glover","Galladon of Morne","Galladon of Tarth","Gallard","Galt","Galtry the Green","Galyeon of Cuy","Gared","Gareth Clifton","Gareth the Grey","Garigus","Garin","Gariss","Garizon","Garlan Tyrell","Garrett Flowers","Garrett Paege","Garrison Prester","Garse Flowers","Garse Goodbrook","Garth of Greenaway","Garth Greenhand","Garth XII Gardener","Garth Greenfield","Garth Greyfeather","Garth Hightower","Garth of Oldtown","Garth Tyrell","Gascoyne of the Greenblood","Gavin the Trader","Gawen Glover","Gawen Swann","Gawen Westerling","Gawen Wylde","Gelmarr","Gendel","Gendry","Genna Lannister","Gerald Gower","Gerardys","Gerion Lannister","Gerold Dayne","Gerold Grafton","Gerold Hightower","Gerold Lannister","Gerren","Gerrick Kingsblood","Gerris Drinkwater","Gevin Harlaw","Ghael","Ghost of High Heart","Gilbert Farring","Gillam","Gilly","Gilwood Hunter","Gladden Wylde","Glendon Flowers","Glendon Hewett","Goady","Godric Borrell","Godry Farring","Godwyn","Goghor the Giant","Goodwin","Gorghan of Old Ghis","Gormon Peake","Gormon Tyrell","Gormond Drumm","Gormond Goodbrother","Gorne","Gorold Goodbrother","Gowen Baratheon","Gran Goodbrother","Grance Morrigen","Grazdan","Grazdan mo Eraz","Grazdan mo Ullhor","Grazdan zo Galare","Grazhar zo Galare","The Great Walrus","Green Gergen","Greenbeard","Gregor Clegane","Grenn","Gretchel","Grey King","Grey Worm","Greydon Goodbrother","Griffin King","Grigg","Grisel","Grisella","Groleo","Grubbs","Grunt","Gueren","Gulian","Gulian Qorgyle","Gulian Swann","Guncer Sunglass","Gunthor son of Gurn","Gunthor Hightower","Gurn","Guthor Grimm","Guyard Morrigen","Guyne","Gwayne Corbray","Gwayne Gaunt","Gwayne Hightower","Gwin Goodbrother","Gwynesse Harlaw","Gylbert Farwynd","Gyldayn","Gyleno Dothare","Gyles","Gyles Farwynd","Gyles III Gardener","Gyles Grafton","Gyles Rosby","Gyloro Dothare","Gynir","Gysella Goodbrother","Haegon Blackfyre","Haggo","Haggon","Hairy Hal","Hake","Hal","Halder","Haldon","Hali","Hallis Mollen","Hallyne","Halmon Paege","Halys Hornwood","Hamish the Harper","Harbert","Harbert Paege","Hareth","Harghaz","Harlan Grandison","Harlan Hunter","Harle the Handsome","Harle the Huntsman","Harlen Tyrell","Harlon Botley","Harlon Greyjoy","Harma","Harmen Uller","Harmond Umber","Harmund Sharp","Harmune","Harodon","Harra","Harrag Hoare","Harrag Sharp","Harras Harlaw","Harren Botley","Harren Half-Hoare","Harren Hoare","Harrion Karstark","Harrold Hardyng","Harrold Osgrey","Harrold Westerling","Harry Sawyer","Harry Strickland","Harsley","Harwin","Harwin Strong","Harwood Fell","Harwood Stout","Harwyn Hoare","Harwyn Plumm","Harys Haigh","Harys Swyft","Hayhead","Hazrak zo Loraq","Hazzea","Helaena Targaryen","Helicent Uffering","Helliweg","Helly","Helman Tallhart","Helya","Hendry Bracken","Henk","Henly","Herbert Bolling","Heward","Hibald","High Sparrow","Hilmar Drumm","Hizdahr zo Loraq","Lord Commander Hoare","Hoarfrost Umber","Hobb","Hobber Redwyne","Hod","Hodor","Hoke","Holger","Holly","Hop-Robin","Horas Redwyne","Horton Redfort","Hosman Norcross","Hosteen Frey","Hoster Frey","Hoster Tully","Hot Pie","Hother Umber","Hotho Harlaw","Howd Wanderer","Howland Reed","Hubard Rambton","Hugh","Hugh Beesbury","Hugh Hammer","Hugo Vance","Hugo Wull","Hugor of the Hill","Hullen","Humfrey Beesbury","Humfrey Clifton","Humfrey Hardyng","Humfrey Hewett","Humfrey Swyft","Humfrey Wagstaff","Hunnimore","Husband","Hyle Hunt","Iggo","Igon Vyrwel","Illifer","Illyrio Mopatis","Ilyn Payne","Imry Florent","Iron Emmett","Ironbelly","Irri","Jacelyn Bywater","Jack-Be-Lucky","Jacks","Jaehaera Targaryen","Jaehaerys I Targaryen","Jaehaerys Targaryen","Jaehaerys II Targaryen","Jafer Flowers","Jaggot","Jaime Frey","Jaime Lannister","Jalabhar Xho","Jammos Frey","Janei Lannister","Janna Tyrell","Janos Slynt","Jaqen H'ghar","Jared Frey","Jaremy Rykker","Jarl","Jarmen Buckwell","Jason Mallister","Jason Lannister","Jasper Arryn","Jasper Wylde","Jasper Redfort","Jasper Waynwood","Jate","Jate Blackberry","Jayde","Jayne Bracken","Jeffory Mallister","Jeffory Norcross","Jenny","Jeor Mormont","Jeren","Jeyne","Jeyne Arryn","Jeyne Beesbury","Jeyne Darry","Jeyne Fossoway","Jeyne Goodbrook","Jeyne Heddle","Jeyne Lothston","Jeyne Lydden","Jeyne Poole","Jeyne Rivers","Jeyne Swann","Jeyne Waters","Jeyne Westerling","Jhaqo","Jhezane","Jhiqui","Jhogo","Joanna Lannister","Joanna Swyft","Jocelyn Swyft","Jodge","Joffrey Baratheon","Joffrey Caswell","Joffrey Lonmouth","Johanna Swann","Jojen Reed","Jommo","Jommy","Jon Arryn","Jon Bettley","Jon Brax","Jon Bulwer","Jon Connington","Jon Cupps","Jon Fossoway","Jon Heddle","Jon Hollard","Jon Lynderly","Jon Myre","Jon O'Nutten","Jon Penny","Jon Penrose","Jon Pox","Jon Redfort","Jon Snow","Jon Umber","Jon Vance","Jon Waters","Jon Wylde","Jonella Cerwyn","Jonnel Stark","Jonos Bracken","Jonos Frey","Jonos Stark","Jonothor Darry","Jorah Mormont","Jorah Stark","Joramun","Jorelle Mormont","Jorgen","Jorquen","Jory Cassel","Joseran","Joseth","Joseth Mallister","Josmyn Peckledon","Joss","Joss Stilwood","Joss the Gloom","Josua Willum","Joth Quickbow","Jothos Slynt","Joy Hill","Joyeuse Erenford","Jurne","Justin Massey","Jyana","Jyanna Frey","Jyck","Jynessa Blackmont","Jyzene","Kaeth","Karlon Stark","Karyl Vance","Kedge Whiteye","Kedry","Kegs","Kella","Kemmett Pyke","Kenned","Kennos of Kayce","Ketter","Kevan Lannister","Kezmya","Khorane Sathmantes","Khrazz","Kindly Man","Kirby Pimm","Kirth Vance","Knight of Ninestars","Kojja Mo","Koss","Kraznys mo Nakloz","Krazz","Kromm","Kurleket","Kurz","Kyle","Kyle Condon","Kyle Royce","Kyleg of the Wooden Ear","Kym","Kyra","Kyra Frey","Lady of the Leaves","Laena Velaryon","Laenor Velaryon","Lambert Turnberry","Lamprey","Lancel V Lannister","Lancel Lannister","Lann the Clever","Lanna","Lanna Lannister","Larence Snow","Lark","Larra Blackmont","Larraq","Larys Strong","Layna","Leana Frey","Leathers","Left Hand Lew","Lem","Lenn","Lennocks","Lenwood Tawney","Lenyl","Leo Blackbar","Leo Lefford","Leo Tyrell","Leobald Tallhart","Leona Tyrell","Leona Woolfield","Leonella Lefford","Leonette Fossoway","Leslyn Haigh","Lester","Lester Morrigen","Lew","Lewis Lanster","Lewyn Martell","Lewys the Fishwife","Lewys Lydden","Lewys Piper","Leyla Hightower","Leyton Hightower","Lharys","Lia Serry","Liane Vance","Likely Luke","Lister","Lollys Stokeworth","Lomas Estermont","Lommy Greenhands","Lomys","Long Lew","Loras Tyrell","Lorcas","Loren Lannister","Lorent Lorch","Lorent Marbrand","Lorent Tyrell","Loreza Sand","Lorimer","Lormelle","Lorren","Lothar","Lothar Frey","Lothar Mallery","Lotho Lornel","Lothor Brune","Lucamore Strong","Lucan","Lucantine Woodwright","Lucas Blackwood","Lucas Codd","Lucas Corbray","Lucas Inchfield","Lucas Lothston","Lucas Nayland","Lucas Roote","Lucas Tyrell","Luceon Frey","Lucias Vypren","Lucifer Hardy","Lucimore Botley","Lucion Lannister","Luco Prestayn","Lucos","Lucos Chyttering","Luke of Longtown","Lum","Luthor Tyrell","Luton","Luwin","Lyanna Mormont","Lyanna Stark","Lyessa Flint","Lyle Crakehall","Lyman Beesbury","Lyman Darry","Lymond Goodbrook","Lymond Lychester","Lymond Mallister","Lymond Vikary","Lyn Corbray","Lync","Lynesse Hightower","Lyonel","Lyonel Baratheon","Lyonel Bentley","Lyonel Corbray","Lyonel Frey","Lyonel Selmy","Lyonel Strong","Lyonel Tyrell","Lyra Mormont","Lysa Arryn","Lysa Meadows","Lysono Maar","Lythene Frey","Mace Tyrell","Mad Huntsman","Maddy","Maege Mormont","Maegelle Frey","Maegor I Targaryen","Maekar Targaryen","Maelor Targaryen","Maelys Blackfyre","Maerie","Mag Mar Tun Doh Weg","Maggy","Mago","Malcolm","Mallador Locke","Malleon","Malliard","Mallor","Malwyn Frey","Mance Rayder","Mandon Moore","Manfred Dondarrion","Manfred Lothston","Manfred Swann","Manfrey Martell","Manfryd Lothston","Manfryd Yew","Marei","Margaery Tyrell","Marghaz zo Loraq","Margot Lannister","Marianne Vance","Maric Seaworth","Marillion","Maris","Marissa Frey","Mariya Darry","Mark Mullendore","Mark Ryswell","Marlon Manderly","Maron Botley","Maron Greyjoy","Maron Martell","Maron Volmark","Marq Grafton","Marq Piper","Marq Rankenfell","Marsella Waynwood","Matarys Targaryen","Martyn Cassel","Martyn Lannister","Martyn Mullendore","Martyn Rivers","Marwyn","Marwyn Belmore","Marya Seaworth","Masha Heddle","Maslyn","Mathis Frey","Mathis Rowan","Mathos Mallarawan","Matrice","Matt","Matthar","Matthos Seaworth","Mawney","Maynard","Maynard Plumm","Mazdhan zo Loraq","Mebble","Medgar Tully","Medger Cerwyn","Medwick Tyrell","Meera Reed","Meg","Megga Tyrell","Meha","Meizo Mahr","Mela","Melaquin","Melara Crane","Melara Hetherspoon","Meldred Merlyn","Melesa Crakehall","Melessa Florent","Meliana","Melicent","Melisandre","Melissa Blackwood","Mellara Rivers","Mellei","Mellos","Melly","Melwyn Sarsfield","Melwys Rivers","Meralyn","Meredyth Crane","Merianne Frey","Meribald","Merling Queen","Merlon Crakehall","Mern Gardener","Mero","Merrell Florent","Merrett Frey","Merrit","Merry Meg","Meryn Trant","Mezzara","Michael Mertyns","Mikken","Miklaz","Mina Tyrell","Minisa Whent","Mirri Maz Duur","Missandei","Moelle","Mohor","Mollander","Mollos","Monford Velaryon","Monster","Monterys Velaryon","Moon Boy","Moonshadow","Moqorro","Mord","Mordane","Moredo Prestayn","Moreo Tumitis","Morgarth","Morgil","Moribald Chester","Morna White Mask","Moro","Sarnori","Morosh the Myrman","Morra","Morrec","Morros Slynt","Mors Manwoody","Mors Martell","Mors Umber","Mortimer Boggs","Morton Waynwood","Morya Frey","Moryn Tyrell","Mother Mole","Mudge","Mullin","Mully","Munciter","Munda","Murch","Murenmure","Murmison","Mushroom","Muttering Bill","Mya Stone","Mycah","Mychel Redfort","Mylenda Caron","Myles","Myles Manwoody","Myles Mooton","Myles Smallwood","Myranda Royce","Myrcella Baratheon","Myria Jordayne","Myriah Martell","Myrielle Lannister","Myrtle","Mysaria","Naerys Targaryen","Nage","Nail","Nan","Narbert","Narbo","Ned","Ned Woods","Nella","Nestor Royce","Nettles","Nightingale","Nissa Nissa","Noho Dimittis","Nolla","Norbert Vance","Norjen","Normund Tyrell","Norne Goodbrother","Norren","Notch","Nute","Nymella Toland","Nymeria","Nymeria Sand","Nymos","Nysterica","Obara Sand","Obella Sand","Oberyn Martell","Ocley","Ogo","Old Bill Bones","Old Crackbones","Old Grey Gull","Old Henly","Old Tattersalt","Olene Tyrell","Olenna Redwyne","Ollidor","Ollo Lophand","Olymer Tyrell","Olyvar Frey","Olyvar Oakheart","Omer Blackberry","Omer Florent","Ondrew Locke","Orbelo","Orbert Caswell","Ordello","Orell","Orivel","Orland of Oldtown","Ormond","Ormond Osgrey","Ormond Westerling","Ormond Yronwood","Ormund Wylde","Oro Tendyris","Orwyle","Orphan Oss","Orton Merryweather","Orys Baratheon","Osbert Serry","Osfryd Kettleblack","Osha","Osmund Frey","Osmund Kettleblack","Osmynd","Osney Kettleblack","Ossifer Plumm","Ossy","Oswell Kettleblack","Oswell Whent","Oswyn","Othell Yarwyck","Otho Bracken","Othor","Otter Gimpknee","Otto Hightower","Ottomore","Ottyn Wythers","Owen","Owen Inchfield","Owen Norrey","Oznak zo Pahl","Palla","Parmen Crane","Patchface","Pate","Pate of the Blue Fork","Pate of the Night's Watch","Patrek Mallister","Patrek Vance","Paxter Redwyne","Pearse Caron","Penny","Penny Jenny","Perra Frey","Perriane Frey","Perros Blackmont","Perwyn Frey","Perwyn Osgrey","Peter Plumm","Petyr Baelish","Petyr Frey","Philip Foote","Philip Plumm","Pia","Plummer","Podrick Payne","Poetess","Pollitor","Polliver","Pono","Porridge","Porther","Portifer Woodwright","Poul Pemford","Poxy Tym","Praed","Prendahl na Ghezn","Preston Greenfield","Puckens","Pudding","Puddingfoot","Pyat Pree","Pycelle","Pyg","Pylos","Pypar","Qalen","Qarl the Maid","Qarl the Thrall","Qarl Correy","Qarl Kenning","Qarl Quickaxe","Qarl Shepherd","Qarlton Chelsted","Qarro Volentin","Qezza","Qhorin Halfhand","Lord Commander Qorgyle","Qos","Qotho","Quaithe","Quaro","Quellon Botley","Quellon Greyjoy","Quellon Humble","Quence","Quent","Quenten Banefort","Quentin Tyrell","Quenton Greyjoy","Quenton Hightower","Quentyn Ball","Quentyn Blackwood","Quentyn Martell","Quentyn Qorgyle","Quhuru Mo","Quickfinger","Quill","Quincy Cox","Quort","Qyburn","Qyle","Racallio Ryndoon","Rafe","Rafford","Ragnor Pyke","Ragwyle","Rainbow Knight","Rakharo","Ralf","Ralf Kenning","Ralf Stonehouse","Ramsay Snow","Randa","Randyll Tarly","Rast","Rat Cook","Rattleshirt","Ravella Swann","Rawney","Raymar Royce","Raymond Nayland","Raymun Redbeard","Raymun Darry","Raymun Fossoway","Raymund Frey","Raymund Tyrell","Raynald Westerling","Raynard","Raynard Ruttiger","Red Alyn of the Rosewood","Red Lamb","Red Oarsman","Red Rolfe","Redtusk","Redwyn","Reek","Regenard Estren","Renfred Rykker","Renly Baratheon","Renly Norcross","Rennifer Longwaters","Reynard Webber","Reysen","Reznak mo Reznak","Rhae Targaryen","Rhaegar Frey","Rhaegar Targaryen","Rhaegel Targaryen","Rhaego","Rhaella Targaryen","Rhaelle Targaryen","Rhaena Targaryen","Rhaenys Targaryen","Rhea Florent","Rhea Royce","Rhialta Vance","Rhogoro","Rhonda Rowan","Ricasso","Richard Farrow","Richard Horpe","Richard Lonmouth","Rickard Karstark","Rickard Ryswell","Rickard Stark","Rickard Thorne","Rickard Tyrell","Rickard Wylde","Rickon Stark","Rigney","Rob","Robar Royce","Robb Reyne","Robb Stark","Robert Arryn","Robert Ashford","Robert Baratheon","Robert Brax","Robert Flowers","Robert Frey","Robert Paege","Robett Glover","Robin","Robin Flint","Robin Greyjoy","Robin Hill","Robin Hollard","Robin Moreland","Robin Potter","Robin Ryger","Robyn Rhysling","Rodrik Cassel","Rodrik Flint","Rodrik Freeborn","Rodrik Greyjoy","Rodrik Harlaw","Rodrik Ryswell","Rodrik Stark","Rodwell Stark","Roelle","Roger of Pennytree","Roger Hogg","Roger Ryswell","Roggo","Rohanne Webber","Roland Crakehall","Rolder","Rolfe","Rollam Westerling","Rolland Darklyn","Rolland Longthorpe","Rolland Storm","Rolland Uffering","Rolley","Rolly Duckfield","Rolph Spicer","Romny Weaver","Ronald Connington","Ronald Storm","Ronald Vance","Ronel Rivers","Ronnel Arryn","Ronnel Harclay","Ronnel Stout","Ronnet Connington","Roone","Roose Bolton","Roose Ryswell","Rorge","Roro Uhoris","Roryn Drumm","Rosamund Lannister","Rosey","Roslin Frey","Rossart","Rowan","Royce Coldwater","Rudge","Rufus Leek","Rugen","Runcel Hightower","Runciter","Rupert Brax","Rupert Crabb","Rus","Rusty Flowers","Ryam","Ryam Florent","Ryam Redwyne","Rycherd Crane","Ryella Frey","Ryella Royce","Ryger Rivers","Ryk","Rylene Florent","Ryles","Ryman Frey","Rymolf","Rymund the Rhymer","Ryon Allyrion","S'vrone","Saathos","Saera Targaryen","Sailor's Wife","Salladhor Saan","Sallei Paege","Sallor","Salloreon","Sam Stoops","Samwell Spicer","Samwell Stone","Samwell Tarly","Sandor Clegane","Sandor Frey","Sansa Stark","Sarella Sand","Sargon Botley","Sarra Frey","Sarya Whent","Satin","Sawane Botley","Sawwood","Scarb","Scolera","Sebaston Farman","Sedgekins","Sefton","Selmond Stackspear","Selwyn Tarth","Selyse Florent","Senelle","Serala","Serra","Serra Frey","Serwyn of the Mirror Shield","Shadrick","Shae","Shagga","Shagwell","Sharna","Shella","Shella Whent","Sherrit","Shiera Crakehall","Shiera Seastar","Shierle Swyft","Shireen Baratheon","Shirei Frey","Shortear","Shyra","Shyra Errol","Sigfry Stonetree","Sigfryd Harlaw","Sigrin","Simon Leygood","Simon Staunton","Simon Toyne","Skahaz mo Kandaq","Skinner","Skittrick","Sky Blue Su","Skyte","Sleepy Jack","Sloey","Small Paul","Smiling Knight","Soren Shieldbreaker","Sour Alyn","Spare Boot","Softfoot","Spotted Cat","Spotted Pate of Maidenpool","Squint","Squirrel","Stafford Lannister","Stalwart Shield","Stannis Baratheon","Stannis Seaworth","Lord Staunton","Steelskin","Steely Pate","Steffarion Sparr","Steffon Baratheon","Steffon Fossoway","Steffon Frey","Steffon Hollard","Steffon Seaworth","Steffon Stackspear","Steffon Swyft","Steffon Darklyn","Steffon Varner","Stevron Frey","Stiv","Stone Thumbs","Stonehand","Stonesnake","Stygg","Styr","Sumner Crakehall","Sybassion","Sybell Spicer","Sybelle Glover","Sylas","Sylas Flatnose","Sylva Santagar","Sylwa Paege","Symeon Star-Eyes","Symon Hollard","Symon Santagar","Symon Silver Tongue","Symon Stripeback","Symond Botley","Symond Frey","Symond Templeton","Syrio Forel","Taena of Myr","Tagganaro","Tal Toraq","Talea","Talla Tarly","Tallad","Tanda Stokeworth","Tanselle","Tansy","Tanton Fossoway","Tarber","Tarle","Temmo","Ternesio Terys","Terrance Lynderly","Terrence Kenning","Terrence Toyne","Terro","Theo Frey","Theo Wull","Theobald","Theodan Wells","Theodore Tyrell","Theomar Smallwood","Theomore","Theomore Harlaw","Theon Greyjoy","Theon Stark","Thistle","Thoren Smallwood","Thormor Ironmaker","Thoros of Myr","Three Toes","Three-Tooth","Tickler","Tim Stone","Tim Tangletongue","Timeon","Timett","Timon","Timoth","Tion Frey","Titus Peake","Tobbot","Tobho Mott","Todder","Todric","Toefinger","Togg Joth","Tom Costayne","Tom of Sevenstreams","TomToo","Tomard","Tommard Heddle","Tommen Baratheon","Tommen Costayne","Torbert","Toregg the Tall","Tormund","Torrek","Torren Liddle","Torrhen Karstark","Torrhen Stark","Torwold Browntooth","Torwynd","Tothmure","Trebor Jordayne","Tregar","Tregar Ormollen","Tremond Gargalen","Tristan Mudd","Tristan Ryger","Tristifer Botley","Tristifer IV Mudd","Tristifer V Mudd","Tristimun","Triston of Tally Hill","Triston Farwynd","Triston Sunderland","Trystane Martell","Tuffleberry","Tumberjon","Tumco Lho","Turnip","Turquin","Tya Lannister","Tyana Wylde","Tybero Istarion","Tybolt Crakehall","Tybolt Hetherspoon","Tybolt Lannister","Tycho Nestoris","Tyene Sand","Tygett Lannister","Tyland Lannister","Tymor","Tyrek Lannister","Tyrion Lannister","Tyrion Tanner","Tysane Frey","Tysha","Tyta Frey","Tytos Blackwood","Tytos Brax","Tytos Frey","Tytos Lannister","Tywin Frey","Tywin Lannister","Ulf son of Umar","Ulf the Ill","Ulf the White","Uller","Ulmer","Ulrick Dayne","Ulwyck Uller","Umar","Umfred","Umma","Unella","Urreg","Urek Ironmaker","Urras Ironfoot","Urrathon","Urrigon Greyjoy","Urron Greyiron","Urswyck","Urzen","Utherydes Wayn","Uthor Tollett","Uthor Underleaf","Utt","Vaellyn","Vaemond Velaryon","Val","Valaena Velaryon","Valarr Targaryen","Varamyr","Vardis Egen","Vargo Hoat","Varly","Varys","Vayon Poole","Veiled Lady","Vickon Botley","Vickon Greyjoy","Victaria Tyrell","Victarion Greyjoy","Victor Tyrell","Violet","Visenya Targaryen","Viserys Plumm","Viserys Targaryen","Viserys I Targaryen","Viserys II Targaryen","Vortimer Crane","Vulture King","Vylarr","Vyman","Waif","Walda Frey","Walda Rivers","Walder Brax","Walder Frey","Walder Goodbrook","Walder Haigh","Walder Rivers","Walder Vance","Waldon Wynch","Walgrave","Wallace Waynwood","Wallen","Walton Frey","Walton Stark","Walton","Waltyr Frey","Walys Flowers","Warren","Warryn Beesbury","Wat","Wate","Watt","Watty","Waymar Royce","Wayn","Weasel","Weeper","Weese","Wenda","Wendamyr","Wendel Frey","Wendel Manderly","Wendell Webber","Wendello Qar Deeth","Werlag","Wex Pyke","Whalen Frey","Wilbert","Wilbert Osgrey","Will","Will Humble","Willamen Frey","Willam","Willam Dustin","Willam Stark","Willam Wells","Willam Wythers","Willas Tyrell","Willem Darry","Willem Frey","Willem Lannister","Willem Wylde","William Mooton","Willifer","Willis Fell","Willis Wode","Willit","Willow Heddle","Willow Witch-eye","Willum","Wolmer","Woth","Wulfe","Wun Weg Wun Dar Wun","Wyl","Wyl the Whittler","Wyl Waynwood","Wylis Manderly","Wylla","Wylla Manderly","Wyman Manderly","Wynafrei Whent","Wynafryd Manderly","Wynton Stout","Xaro Xhoan Daxos","Xhondo","Yandry","Yellow Dick","Ygon Farwynd","Ygon Oldfather","Ygritte","Yna","Yohn Farwynd","Yohn Royce","Yoren","Yorkel","Yorko Terys","Yormwell","Young Henly","Ysilla","Ysilla Royce","Zachery Frey","Zarabelo","Zei","Zekko","Zharaq zo Loraq","Zhoe Blanetree","Zia Frey","Zollo"],"cities":["Braavos","King's Landing","Volantis","Qarth","Asshai","Old Valyria","Meereen","Oldtown","Pentos","Astapor","Yunkai","Lorath","Lys","Vaes Dothrak","Sunspear","White Harbor","Myr","Lannisport","Qohor","Tyrosh","Norvos","Gulltown","Old Ghis","New Ghis","Mantarys","Bayasabhad","Elyria","Tolos","Samyrian","Chroyane","Tyria","Oros","Bhorash","Ny Sar","Sar Meel","Ar Noy"],"dragons":["Drogon","Viserion","Rhaegal","Balerion","Meraxes","Vhagar","Sunfyre","Syrax","Caraxes","Meleys","Shrykos","Morghul","Tyraxes","Dreamfyre","Vermithrax","Ghiscar","Valryon","Essovius","Archonei"],"houses":["Flint of Flint's Finger","Bolling","Graceford of Holyhall","Ferren","Breakstone","Blackwood of Raventree Hall","Frey of Riverrun","Holt","Farwynd of the Lonely Light","Heddle","Cave","Frey of the Crossing","Flint of Widow's Watch","Footly of Tumbleton","Forrester","Coldwater of Coldwater Burn","Caswell of Bitterbridge","Codd","Farwynd of Sealskin Point","Celtigar of Claw Isle","Foote","Erenford","Estren of Wyndhall","Florent of Brightwater Keep","Estermont of Greenstone","Errol of Haystack Hall","Frost","Gargalen of Salt Shore","Elesham of the Paps","Allyrion of Godsgrace","Falwell","Foote of Nightsong","Fisher","Fossoway of Cider Hall","Fossoway of New Barrel","Farring","Follard","Harlaw of Grey Garden","Flint of Breakstone Hill","Garner","Fowler of Skyreach","Fenn","Glenmore","Algood","Grandison of Grandview","Grafton of Gulltown","Bigglestone","Hollard","Fisher of the Stony Shore","Flint of the mountains","Amber","Hook","Hornwood of Hornwood","Branfield","Hunter of Longbow Hall","Humble","Horpe","Ironmaker","Ironsmith","Greystark of Wolf's Den","Graves","Bar Emmon of Sharp Point","Byrch","Clifton","Goodbrother of Orkmont","Ashwood","Farman of Faircastle","Brune of the Dyre Den","Harte","Holt","Gardener of Highgarden","Langward","Lannister of Casterly Rock","Lake","Darkwood","Liddle","Leygood","Lefford of the Golden Tooth","Hunt","Inchfield","Lightfoot","Lantell","Hull","Hutcheson","Locke of Oldcastle","Lolliston","Long","Jast","Lorch","Jordayne of the Tor","Lowther","Lyberr","Grimm of Greyshield","Justman","Lychester","Lydden of Deep Den","Karstark of Karhold","Keath","Goodbrook","Glover of Deepwood Motte","Goodbrother of Corpse Lake","Goodbrother of Crow Spike Keep","Greenwood","Goodbrother of Downdelving","Goodbrother of Shatterstone","Grey","Gower","Kellington","Mallery","Hawthorne","Harroway of Harrenhal","Hawick of Saltpans","Hayford of Hayford","Hasty","Hersy of Newkeep","Mallister of Seagard","Kidwell of Ivy Hall","Hastwyck","Lake","Knott","Hewett of Oakenshield","Kettleblack","Manning","Ladybright","Manderly of White Harbor","Herston","Kenning of Kayce","Harlton","Kenning of Harlaw","Hightower of the Hightower","Marbrand of Ashemark","Kyndall","Meadows of Grassy Vale","Melcolm of Old Anchor","Lannett","Marsh","Cockshaw","Merryweather of Longtable","Middlebury","Chyttering","Lannister of Darry","Lannister of Lannisport","Donniger","Lanny","Merlyn of Pebbleton","Lipps","Moreland","Mooton of Maidenpool","Longthorpe of Longsister","Moore","Longwaters","Morrigen of Crow's Nest","Lothston of Harrenhal","Lonmouth","Greyjoy of Pyke","Greengood","Moss","Greenfield of Greenfield","Lynderly of the Snakewood","Gaunt","Greyiron of Orkmont","Grell","Goodbrother of Hammerhorn","Hetherspoon","Hoare of Orkmont","Hogg of Sow's Horn","Norridge","Massey of Stonedance","Nutt","Nymeros Martell of Sunspear","Cressey","Oakheart of Old Oak","Durrandon","Oldflowers","Orme","Mertyns of Mistwood","Orkwood of Orkmont","Fell of Felwood","Osgrey of Standfast","Mollen","Overton","Osgrey of Leafy Lake","Parren","Payne","Peake of Starpike","Peat","Peasebury of Poddingfield","Peckledon","Penrose of Parchments","Perryn","Plumm","Mormont of Bear Island","Piper of Pinkmaiden","Pommingham","Poole","Pryor of Pebble","Qorgyle of Sandstone","Pyne","Cordwayner of Hammerhal","Qoherys of Harrenhal","Redding","Redbeard","Quagg","Redfort of Redfort","Reyne of Castamere","Redwyne of the Arbor","Rhysling","Risley","Rogers of Amberly","Rowan of Goldengrove","Roxton of the Ring","Roote of Lord Harroway's Town","Rosby of Rosby","Mudd of Oldstones","Mullendore of Uplands","Musgood","Magnar of Kingshouse","Rambton","Myatt","Myre of Harlaw","Nayland of Hag's Mire","Netley","Norcross","Manwoody of Kingsgrave","Norrey","Seaworth of Cape Wrath","Serrett of Silverhill","Prester of Feastfires","Sharp","Selmy of Harvest Hall","Shell","Serry of Southshield","Shell","Shepherd","Rollingford","Harlaw of the Tower of Glimmering","Shett of Gulltown","Shermer of Smithyton","Smallwood of Acorn Hall","Sloane","Slynt of Harrenhal","Stackhouse","Spicer of Castamere","Reed of Greywater Watch","Shett of Gull Tower","Stackspear","Harlaw of Harridan Hill","Stane of Driftwood Hall","Royce of Runestone","Stark of Winterfell","Staunton of Rook's Rest","Harlaw of Harlaw Hall","Stokeworth of Stokeworth","Stoneof Old Wyk","Baratheon of Dragonstone","Blanetree","Haigh","Harclay","Blount","Ashford of Ashford","Blackfyre of King's Landing","Beesbury of Honeyholt","Hamell","Bettley","Baratheon of King's Landing","Belmore of Strongsong","Brightstone","Pyle","Stout of Goldgrass","Ryger of Willow Wood","Sunderland of the Three Sisters","Swann of Stonehelm","Blackmont of Blackmont","Swyft of Cornfield","Swygert","Sunglass of Sweetport Sound","Tallhart of Torrhen's Square","Tarbeck of Tarbeck Hall","Tarth of Evenfall Hall","Tarly of Horn Hill","Shawney","Slate of Blackpool","Tudbury","Toyne","Towers of Harrenhal","Teague","Paege","Ruthermont","Royce of the Gates of the Moon","Ryder of the Rills","Ruttiger","Ryswell of the Rills","Santagar of Spottswood","Rykker of Duskendale","Saltcliffe of Saltcliffe","Sarwyck","Sarsfield of Sarsfield","Uller of Hellholt","Bole","Tyrell of Highgarden","Boggs","Boggs of Crackclaw Point","Hardy","Harlaw of Harlaw","Staedmon of Broad Arch","Hardyng","Uffering","Umber of the Last Hearth","Blacktyde of Blacktyde","Arryn of Gulltown","Baratheon of Storm's End","Blackbar of Bandallon","Baelish of Harrenhal","Ball","Blackmyre","Arryn of the Eyrie","Baelish of the Fingers","Crane of Red Lake","Upcliff","Vance of Atranta","Vaith of the Red Dunes","Crakehall of Crakehall","Banefort of Banefort","Stonetree of Harlaw","Strickland","Strong of Harrenhal","Velaryon of Driftmark","Sunderly of Saltcliffe","Volmark","Vypren","Vyrwel of Darkdell","Wade","Targaryen of King's Landing","Waterman","Wagstaff","Waynwood of Ironoaks","Webber of Coldmoat","Wayn","Wells","Wendwater","Wensington","Westerling of the Crag","Westbrook","Toland of Ghost Hill","Westford","Whent of Harrenhal","Whitehill","Willum","Trant of Gallowsgrey","Woodfoot of Bear Island","Tyrell of Brightwater Keep","Woodwright","Woolfield","Woods","Wull","Wylde of Rain House","Wydman","Wyl of the Boneway","Wythers","Yarwyck","Vance of Wayfarer's Rest","Vikary","Yelshire","Waxley of Wickenden","Weaver","Wells","Wode","Wynch of Iron Holt","Tawney of Orkmont","Templeton","Thenn","Terrick","Tollett of the Grey Glen","Thorne","Towers","Tully of Riverrun","Sparr of Great Wyk","Torrent of Littlesister","Turnberry","Bracken of Stone Hedge","Briar","Appleton of Appleton","Botley of Lordsport","Ambrose","Brax of Hornvale","Clegane","Brook","Broom","Bridges","Butterwell","Bulwer of Blackcrown","Bushy","Brune of Brownhollow","Cargyll","Cassel","Cafferen of Fawnton","Chester of Greenshield","Burley","Buckler of Bronzegate","Cerwyn of Cerwyn","Bywater","Charlton","Drinkwater","Doggett","Dayne of Starfall","Dryland","Dalt of Lemonwood","Chelsted","Caron of Nightsong","Dayne of High Hermitage","Yronwood of Yronwood","Varner","Buckwell of the Antlers","Crabb","Borrell of Sweetsister","Yew","Darklyn of Duskendale","Chambers","Casterly of Casterly Rock","Branch","Bolton of the Dreadfort","Cole","Brownhill","Durwell","Drox","Conklyn","Drumm of Old Wyk","Connington of Griffin's Roost","Corbray of Heart's Home","Condon","Dustin of Barrowton","Dargood","Dunn","Costayne of Three Towers","Edgerton","Egen","Cox of Saltpans","Deddings","Cuy of Sunhouse","Crowl of Deepdown","Darke","Darry of Darry","Dondarrion of Blackhaven","Cray"],"quotes":["There are no heroes...in life, the monsters win.","Once you’ve accepted your flaws, no one can use them against you.","And so he spoke, and so he spoke, that Lord of Castamere, but now the rains weep o'er his hall, with no one there to hear. Yes, now the rains weep o'er his hall, and not a soul to hear.","A lion doesn't concern itself with the opinion of sheep.","Fear cuts deeper than swords.","The North remembers.","Winter is coming.","Do the dead frighten you?","All dwarfs are bastards in their father's eyes","Things are not always as they seemed, much that may seem evil can be good.","Power is a curious thing. Who lives, Who dies. Power resides where men believe it resides. It is a trick, A shadow on the wall.","Never forget who you are. The rest of the world won't. Wear it like an armor and it can never be used against you.","Hodor? Hodor.","Knowledge could be more valuable than gold, more deadly than a dagger.","Every flight begins with a fall.","Laughter is poison to fear.","Nothing burns like the cold.","Some old wounds never truly heal, and bleed again at the slightest word.","... a mind needs books as a sword needs a whetstone, if it is to keep its edge.","When you play a game of thrones you win or you die.","Why is it that when one man builds a wall, the next man immediately needs to know what's on the other side?","And I have a tender spot in my heart for cripples and bastards and broken things.","When the snows fall and the white winds blow, the lone wolf dies but the pack survives.","Give me honorable enemies rather than ambitious ones, and I'll sleep more easily by night.","The things I do for love.","Summer will end soon enough, and childhood as well."]},"hacker":{"abbreviation":["TCP","HTTP","SDD","RAM","GB","CSS","SSL","AGP","SQL","FTP","PCI","AI","ADP","RSS","XML","EXE","COM","HDD","THX","SMTP","SMS","USB","PNG","SAS","IB","SCSI","JSON","XSS","JBOD"],"adjective":["auxiliary","primary","back-end","digital","open-source","virtual","cross-platform","redundant","online","haptic","multi-byte","bluetooth","wireless","1080p","neural","optical","solid state","mobile"],"ingverb":["backing up","bypassing","hacking","overriding","compressing","copying","navigating","indexing","connecting","generating","quantifying","calculating","synthesizing","transmitting","programming","parsing"],"noun":["driver","protocol","bandwidth","panel","microchip","program","port","card","array","interface","system","sensor","firewall","hard drive","pixel","alarm","feed","monitor","application","transmitter","bus","circuit","capacitor","matrix"],"verb":["back up","bypass","hack","override","compress","copy","navigate","index","connect","generate","quantify","calculate","synthesize","input","transmit","program","reboot","parse"]},"harry_potter":{"books":["Harry Potter and the Sorcerer's Stone","Harry Potter and the Chamber of Secrets","Harry Potter and the Prisoner of Azkaban","Harry Potter and the Goblet of Fire","Harry Potter and the Order of the Phoenix","Harry Potter and the Half-Blood Prince","Harry Potter and the Deathly Hallows"],"characters":["Hannah Abbott","Bathsheda Babbling","Ludo Bagman","Bathilda Bagshot","Marcus Belby","Katie Bell","Cuthbert Binns","Phineas Nigellus Black","Regulus Arcturus Black","Sirius Black","Broderick Bode","Bogrod","Amelia Bones","Susan Bones","Terry Boot","Mr. Borgin","Lavender Brown","Millicent Bulstrode","Charity Burbage","Frank Bryce","Alecto Carrow","Amycus Carrow","Reginald Cattermole","Mary Cattermole","Cho Chang","Penelope Clearwater","Mrs. Cole","Michael Corner","Vincent Crabbe, Sr.","Vincent Crabbe","Dennis Creevey","Dirk Cresswell","Bartemius Crouch, Sr.","Barty Crouch, Jr.","Roger Davies","John Dawlish","Fleur Delacour","Gabrielle Delacour","Dedalus Diggle","Amos Diggory","Cedric Diggory","Armando Dippet","Elphias Doge","Antonin Dolohov","Aberforth Dumbledore","Albus Dumbledore","Ariana Dumbledore","Dudley Dursley","Marge Dursley","Petunia Dursley","Vernon Dursley","Marietta Edgecombe","Everard","Arabella Figg","Argus Filch","Justin Finch-Fletchley","Seamus Finnigan","Marcus Flint","Nicholas Flamel","Mundungus Fletcher","Filius Flitwick","Florean Fortescue","Cornelius Fudge","Marvolo Gaunt","Merope Gaunt","Morfin Gaunt","Anthony Goldstein","Goyle Sr.","Gregory Goyle","Heromine Granger","Gregorovitch","Fenrir Greyback","Gellert Grindelwald","Wilhelmina Grubbly-Plank","Godric Gryffindor","Astoria Greengrass","Rubeus Hagrid","Rolanda Hooch","Mafalda Hopkirk","Helga Hufflepuff","Angelina Johnson","Lee Jordan","Bertha Jorkins","Igor Karkaroff","Viktor Krum","Bellatrix Lestrange","Rabastan Lestrange","Rodolphus Lestrange","Gilderoy Lockhart","Alice Longbottom","Augusta Longbottom","Frank Longbottom","Neville Longbottom","Luna Lovegood","Xenophilius Lovegood","Remus Lupin","Walden Macnair","Draco Malfoy","Lucius Malfoy","Narcissa Malfoy","Madam Malkin","Griselda Marchbanks","Olympe Maxime","Ernie Macmillan","Minerva McGonagall","Cormac McLaggen","Graham Montague","Alastor (Mad-Eye) Moody","Moran","Theodore Nott","Bob Ogden","Garrick Ollivander","Pansy Parkinson","Padma Patil","Parvati Patil","Peter Pettigrew","Antioch Peverell","Cadmus Peverell","Ignotus Peverell","Irma Prince","Sturgis Podmore","Poppy Pomfrey","Harry Potter","James Potter","Lily Potter","Fabian Prewett","Gideon Prewett","Quirinus Quirrell","Helena Ravenclaw (The Grey Lady)","Rowena Ravenclaw","Tom Marvolo Riddle","Mr. Roberts","Demelza Robins","Augustus Rookwood","Albert Runcorn","Scabior","Newt Scamander","Rolf Scamander","Rufus Scrimgeour","Kingsley Shacklebolt","Stan Shunpike","Aurora Sinistra","Rita Skeeter","Horace Slughorn","Salazar Slytherin","Hepzibah Smith","Zacharias Smith","Severus Snape","Alicia Spinnet","Pomona Sprout","Pius Thicknesse","Dean Thomas","Andromeda Tonks","Nymphadora Tonks","Ted Tonks","Travers","Sybill Trelawney","Wilky Twycross","Dolores Jane Umbridge","Emmeline Vance","Romilda Vane","Septima Vector","Lord Voldemort","Myrtle Warren","Cassius Warrington","Arthur Weasley","Bill Weasley","Charlie Weasley","Fred Weasley","George Weasley","Ginny Weasley","Molly Weasley","Percy Weasley","Ron Weasley","Oliver Wood","Kennilworthy Whisp","Yaxley","Blaise Zabini","Aragog","Bane","Beedle the Bard","The Bloody Baron","Buckbeak","Sir Cadogan","Crookshanks","Dobby","Enid","Errol","Fang","The Fat Friar","Fridwulfa","The Fat Lady","Fawkes","Firenze","Fluffy","Grawp","Griphook","Hedwig","Hokey","Kreacher","Magorian","Moaning Myrtle","Mrs. Norris","Great Aunt Muriel","Nagini","Nearly Headless Nick","Norbert","Peeves","Pigwidgeon","Madam Rosmerta","Ronan","Scabbers","Trevor","Winky"],"houses":["Gryffindor","Slytherin","Ravenclaw","Hufflepuff","Horned Serpent","Wampus","Thunderbird","Pukwudgie"],"locations":["The Burrow","Godric's Hollow","Little Hangleton","Malfoy Manor","Number 12, Grimmauld Place","Shell Cottage","Sinner's End","Beauxbatons","Castlelobruxo","Durmstrang","Hogwarts","Ilvermorny","Mahoutokoro","Uagadou","Diagon Alley","Eeylops Owl Emporium","Florean Fortescue's Ice Cream Parlour","Flourish \u0026 Blotts","Gambol and Japes","Gingotts Wizarding Bank","Knockturn Alley","Borgin \u0026 Burkes","The Leaky Cauldron","Madam Malkin's Robes for All Occasions","Magical Menagerie","Ollivanders","Potage's Cauldron Shop","Quality Quidditch Shop","Slug and Jiggers Apothecary","Stalls","Twilfitt and Tatting's","Weasleys' Wizard Wheezes","Wiseacre's Wizarding Equipment","Hogsmeade","The Three Broomsticks","Honeydukes","Zonko's Joke Shop","Hogsmeade Station","The Hog's Head","Dervish \u0026 Banges","Gladrags Wizardwear","Scrivenshaft's Quill Shop","Madam Puddifoot's","Post Office","Shrieking Shack","Azkaban","Ministry of Magic","St. Mungo's Hospital for Magical Maladies and Injuries","Numengard","Platform 9 3/4"],"quotes":["It does not do to dwell on dreams and forget to live.","It takes a great deal of bravery to stand up to our enemies, but just as much to stand up to our friends.","To the well-organized mind, death is but the next great adventure.","It is our choices, Harry, that show what we truly are, far more than our abilities.","Happiness can be found even in the darkest of times if only one remembers to turn on the light.","If you want to know what a man’s like, take a good look at how he treats his inferiors, not his equals.","Dark and difficult times lie ahead. Soon we must all face the choice between what is right and what is easy.","Just because you have the emotional range of a teaspoon doesn’t mean we all have.","We’ve all got both light and dark inside us. What matters is the part we choose to act on. That’s who we really are.","Harry, suffering like this proves you are still a man! This pain is part of being human...the fact that you can feel pain like this is your greatest strength.","Things we lose have a way of coming back to us in the end, if not always in the way we expect.","It is the unknown we fear when we look upon death and darkness, nothing more.","Of course it is happening inside your head, Harry, but why on earth should that mean that it is not real?","Words are in my not-so-humble opinion, the most inexhaustible form of magic we have, capable both of inflicting injury and remedying it.","After all this time? Always.","No story lives unless someone wants to listen. The stories we love best do live in us forever. So whether you come back by page or by the big screen, Hogwarts will always be there to welcome you home.","You're a wizard, Harry.","We could all have been killed - or worse, expelled.","Never trust anything that can think for itself if you can't see where it keeps its brain.","It’s wingardium leviOsa, not leviosAH.","You sort of start thinking anything’s possible if you’ve got enough nerve.","I solemnly swear that I am up to no good.","There are some things you can't share without ending up liking each other, and knocking out a twelve-foot mountain troll is one of them."]},"hey_arnold":{"characters":["Arnold","Steely Phil","Pookie","Oskar Kokoschka","Suzie Kokoschka","Mr. Hyuhn","Helga G. Pataki","Miriam Pataki","Olga Pataki","Gerald Johannssen","Harold Berman","Phoebe Heyerdahl","Rhonda Lloyd","Lila Sawyer","Stinky Peterson","Eugene Horowitz","Sid","Curly","Torvald","Sheena","Lorenzo","Iggy","Brainy","Nadine","Park","Joey Stevenson","Peapod Kid","Big Gino","Campfire Lass","Wolfgang","Edmund","Big Patty","Mickey the Weasel","Chocolate Boy","Ruth P. McDougal","Robert Simmons","Miss Slovak","Principal Wartz","Jack Wittenburg","Tish Wittenburg","Tucker Wittenburg","Dino Spumoni","Jimmy Kafka","Ernie Potts","Ronnie Matthews","Mickey Kaline","Monkey Man","Pigeon Man","Robbie Fisher","Sewer King","Stoop Kid","The Jolly Olly Man","Abner","Four-Eyed Jack","Wheezin' Ed","Don Reynolds","Big Bob Pataki","Miriam Pataki","Jamie O","Timberly","Marty Green","Ludwig","Dr. Bliss","Lieutenant Major Goose","Alphonse Perrier du von Scheck","The Mauve Avenger","Earl"],"locations":["P.S. 118","Stoop Kid's Stoop","Antonio's Pizzeria","Mickey's Dog Pound","Big Bob's Beeper Emporium","Sundae Salon","Omar's Falafel Hut","The Fudge Place","Hillwood City","Green Meats","Roscoe's Funky Rags","Watch Repair","Yahoo Chocolate Factory","Sunset Arms","Stinky's farm","Chez Paris","Gerald Field","Madame Bovary's Dance School for Boys"],"quotes":["Stoop Kid's afraid to leave his stoop!","MONKEYMAAAAN!","You better not touch my gal, or I'll pop you in the kisser, pal","Yahoo Soda Just Drink It","I saw your face and wow!","But you see, Arnold and tall hair boy, I don’t want to be famous! I want to live my life simply! I like my banana wallpaper, I like doing my own laundry! Just give me the simple things!","Kitty, kitty, kitty, do you like to pet the kitty? I like to pet the kitty! Hey look! I'm petting the kitty!","You're a bold kid, Arnold, a bold kid.","Hey, short man!","You keep the money!","Suzie, make me a sandwich!","But Gerald, the Jolly Olly Man is a stingy, mean spirited jerk, who hates kids and is constantly teetering on the brink of insanity.","Can you get your arm off my shoulder? As I've told you many times before, I don't like you like you, I just like you.","Move it, Footballhead","Never eat raspberries.","I'm okay!"]},"hipster":{"words":["Wes Anderson","chicharrones","narwhal","food truck","marfa","aesthetic","keytar","art party","sustainable","forage","mlkshk","gentrify","locavore","swag","hoodie","microdosing","VHS","before they sold out","pabst","plaid","Thundercats","freegan","scenester","hella","occupy","truffaut","raw denim","beard","post-ironic","photo booth","twee","90's","pitchfork","cray","cornhole","kale chips","pour-over","yr","five dollar toast","kombucha","you probably haven't heard of them","mustache","fixie","try-hard","franzen","kitsch","austin","stumptown","keffiyeh","whatever","tumblr","DIY","shoreditch","biodiesel","vegan","pop-up","banjo","kogi","cold-pressed","letterpress","chambray","butcher","synth","trust fund","hammock","farm-to-table","intelligentsia","loko","ugh","offal","poutine","gastropub","Godard","jean shorts","sriracha","dreamcatcher","leggings","fashion axe","church-key","meggings","tote bag","disrupt","readymade","helvetica","flannel","meh","roof","hashtag","knausgaard","cronut","schlitz","green juice","waistcoat","normcore","viral","ethical","actually","fingerstache","humblebrag","deep v","wayfarers","tacos","taxidermy","selvage","put a bird on it","ramps","portland","retro","kickstarter","bushwick","brunch","distillery","migas","flexitarian","XOXO","small batch","messenger bag","heirloom","tofu","bicycle rights","bespoke","salvia","wolf","selfies","echo","park","listicle","craft beer","chartreuse","sartorial","pinterest","mumblecore","kinfolk","vinyl","etsy","umami","8-bit","polaroid","banh mi","crucifix","bitters","brooklyn","PBR\u0026B","drinking","vinegar","squid","tattooed","skateboard","vice","authentic","literally","lomo","celiac","health","goth","artisan","chillwave","blue bottle","pickled","next level","neutra","organic","Yuccie","paleo","blog","single-origin coffee","seitan","street","gluten-free","mixtape","venmo","irony","everyday","carry","slow-carb","3 wolf moon","direct trade","lo-fi","tousled","tilde","semiotics","cred","chia","master","cleanse","ennui","quinoa","pug","iPhone","fanny pack","cliche","cardigan","asymmetrical","meditation","YOLO","typewriter","pork belly","shabby chic","+1","lumbersexual","williamsburg","muggle magic","phlogiston"]},"hitchhikers_guide_to_the_galaxy":{"characters":["Agda","Agrajag","Arthur Dent","Arthur Philip Deodat","Barry Manilow","Bowerick Wowbagger","Charles Darwin","Colin the Security Robot","Dan Streetmentioner","Deep Thought","Eccentrica Gallumbits","Eddie the Computer","Effrafax of Wug","Elvis","Emily Saunders","Fenchurch","Ford Prefect","Frankie and Benjy","Gag Halfrunt","Gail Andrews","Galaxia Woonbeam","Garkbit","Genghis Khan","Grunthos the Flatulent","Hactar","Hillman Hunter","Hotblack Desiato","Hotblack Desiato's bodyguard","Humma Kavula","JinJenz","Lintilla","Loonquawl","Loonquawl and Phouchg","Lunkwill and Fook","Magrathean sperm whale","Majikthise","Marvin","Max Quordlepleen","Mella","Mr. Prosser","Oolon Colluphid","Pasta Fasta","Paula Nancy Millstone Jennings","Phouchg","Pizpot Gargravarr","Prak","Prostetnic Vogon Jeltz","Prostetnic Vogon Kwaltz","Questular Rontok","Random Dent","Reg Nullify","Rob McKenna","Roosta","Slartibartfast","The Allitnils","Tricia McMillan","Trillian","Trin Tragula","Vroomfondel","Wonko the Sane","Yooden Vranx","Zaphod Beeblebrox","Zarniwoop","Zarquon"],"locations":["29 Arlington Avenue","Arthur Dent's house","Asbleg","Barnard's Star","Belgium","Betelgeuse","Bistro Illegal","Boston","Bournemouth","Café Lou","Cathedral of Chalesm","Croydon","Denmark","Easter Island","Evildrome Boozarama","Fenchurch Street railway station","France","Frogstar system","Frogstar World B","Guildford","Han Dold City","Highgate Cemetery","Horse and Groom","Horsehead Nebula","Ibiza","Islington","Kakrafoon Kappa","Lamuella","London","Lord's Cricket Ground","Madagascar","Megabrantis cluster","Milliways","North West Ripple","Norway","Oglaroon","Pleiades system","Preliumtarn","Rickmansworth","Rupert","Sector XXXZ5QZX","Sector ZZ9 Plural Z Alpha","Seventh Galaxy of Light and Ingenuity","Slim's Throat Emporium","Space","Stavro Mueller Beta","Stavromula Beta","The Big Bang Burger Bar","The Domain of The King","Total Perspective Vortex","Western Spiral Arm","Xaxis","Ysllodins","Zarss","Ziggie's Den of Iniquity"],"marvin_quote":["Life? Don't talk to me about life.","Here I am, brain the size of a planet, and they tell me to take you up to the bridge. Call that job satisfaction? 'Cos I don't.","I think you ought to know I'm feeling very depressed.","Pardon me for breathing, which I never do anyway so I don't know why I bother to say it, Oh God, I'm so depressed.","I won't enjoy it.","You think you've got problems? What are you supposed to do if you are a manically depressed robot? No, don't try to answer that. I'm fifty thousand times more intelligent than you and even I don't know the answer. It gives me a headache just trying to think down to your level.","There's only one life-form as intelligent as me within thirty parsecs of here and that's me.","I wish you'd just tell me rather trying to engage my enthusiasm, because I haven't got one.","And then of course I've got this terrible pain in all the diodes down my left side."],"planets":["Allosimanius Syneca","Argabuthon","Arkintoofle Minor","Bartledan","Bethselamin","Blagulon Kappa","Brontitall","Broop Kidron 13","Broop Kidron Thirteen","Burphon XII","Damogran","Dangrabad Beta","Earth","Eroticon VI","Fallia","Flargathon","Frogstar World A","Frogstar World B","Frogstar World C","Gagrakacka","Golgafrincham","Han Wavel","Happi-Werld III","Hawalius","Jaglan Beta","Jajazikstak","Kakrafoon Kappa","Kria","Krikkit","Lamuella","Magrathea","Nano","NowWhat","Oglaroon","Poghril","Preliumtarn","Rupert","Santraginus V","Sesefras Magna","Sqornshellous Zeta","Traal","Viltvodle VI","Vogsphere","Xaxis"],"quotes":["Earth: Mostly Harmless","Whatever your tastes, Magrathea can cater for you. We are not proud.","But Mr. Dent, the plans have been available in the local planning office for the last nine months.","there’s an infinite number of monkeys outside who want to talk to us about this script for Hamlet they’ve worked out.","Will you open up the exit hatch, please, computer?","According to the legends, the Magratheans lived most of their lives underground.","Magrathea itself disappeared and its memory soon passed into the obscurity of legend. In these enlightened days, of course, no one believes a word of it.","Evolution? they said to themselves, Who needs it?","Curiously enough, the only thing that went through the mind of the bowl of petunias as it fell was Oh no, not again.","Parts of the inside of her head screamed at other parts of the inside of her head.","if you’ve never been through a matter transference beam before you’ve probably lost some salt and protein. The beer you had should have cushioned your system a bit.","I've just had an unhappy love affair, so I don't see why anybody else should have a good time.","It’s only half completed, I’m afraid – we haven’t even finished burying the artificial dinosaur skeletons in the crust yet.","They’ve got as much sex appeal as a road accident.","...they discovered only a small asteroid inhabited by a solitary old man who claimed repeatedly that nothing was true, though he was later discovered to be lying.","If they don’t keep exercising their lips, he thought, their brains start working.","If there's anything more important than my ego around, I want it caught and shot now.","In the beginning, the Universe was created. This has made a lot of people very angry and been widely regarded as a bad move.","On the planet Earth, man had always assumed that he was more intelligent than dolphins because he had achieved so much—the wheel, New York, wars and so on—whilst all the dolphins had ever done was muck about in the water having a good time. But conversely, the dolphins had always believed that they were far more intelligent than man—for precisely the same reasons.","It seemed to me that any civilization that had so far lost its head as to need to include a set of detailed instructions for use in a packet of toothpicks, was no longer a civilization in which I could live and stay sane.","Nothing travels faster than the speed of light with the possible exception of bad news, which obeys its own special laws.","He was staring at the instruments with the air of one who is trying to convert Fahrenheit to centigrade in his head while his house is burning down.","Don’t Panic","42"],"species":["Algolian Suntiger","Arcturan MegaDonkey","Arcturan Megagrasshopper","Azgoths of Kria","Babel Fish","Belcerebon","Boghog","Cow","Damogran Frond Crested Eagle","Dentrassis","Dolphins","Flaybooz","Golgafrinchan","Grebulon","Grebulons","Hingefreel","Hooloovoo","Human","Jatravartid","Mattress","Mice","Mouse","Nanites","Perfectly Normal Beast","Ravenous Bugblatter Beast of Traal","Sarkopsi","Shaltanac","Silastic Armorfiends","Silver Tongued Devils","Vl'Hurg","Vogon"],"starships":["Billion Year Bunker","Bistromath","Golgafrinchan Ark Fleet Ship B","Heart of Gold","Krikkit One","RW6","Starship Titanic","Tanngrisnir","Vogon Constructor Fleet"]},"hobbit":{"character":["Bilbo Baggins","Bungo Baggins","Belladonna Took","Bullroarer Took","Gandalf The Grey","Radagast","Dain","Thorin Oakenshield","Fili","Kili","Balin","Dwalin","Oin","Gloin","Dori","Nori","Ori","Bifur","Bofur","Bombur","Elrond","Galion","Bard the Bowman","Beorn","Tom","Bert","William (Bill Huggins)","Gollum","The Necromancer","Smaug","Carc","Roac","The Lord of the Eagles","The Great Goblin","Bolg","Golfimbul"],"location":["Bree","The Shire","Rivendell","The Misty Mountains","Beorn's Hall","Mirkwood","Esgaroth","Erebor","Bag-End","Under-Hill","Mount Gram","Green Fields","Last Desert","Lonely Mountain","Withered Heath","Country Round","Long Lake","River Running","Mines of Moria","Green Dragon Inn","Bywater","The Great Mill","Wilderland","Gondolin","Land Beyond","Goblin Gate","Carrock","High Pass","Great River","Grey Mountains","Land of the Necromancer","Long Marshes","Forest River","Lake Town","Dorwinion","Ravenhill","Iron Hills","Mount Gundabad"],"quote":["Do you wish me a good morning, or mean that it is a good morning whether I want it or not; or that you feel good this morning; or that it is a morning to be good on?","There is nothing like looking, if you want to find something. You certainly usually find something, if you look, but it is not always quite the something you were after.","In a hole in the ground there lived a hobbit.","It does not do to leave a live dragon out of your calculations, if you live near him.","May the wind under your wings bear you where the sun sails and the moon walks.","Where there's life there's hope.","So comes snow after fire, and even dragons have their endings.","Where did you go to, if I may ask?' said Thorin to Gandalf as they rode along. To look ahead,' said he. And what brought you back in the nick of time?' Looking behind,' said he.","'You have nice manners for a thief and a liar,' said the dragon.","May the hair on your toes never fall out!","The road goes ever on and on","Never laugh at live dragons, Bilbo you fool!"],"thorins_company":["Thorin Oakenshield","Fili","Kili","Balin","Dwalin","Oin","Gloin","Dori","Nori","Ori","Bifur","Bofur","Bombur","Gandalf","Bilbo Baggins"]},"how_i_met_your_mother":{"catch_phrase":["Legendary","Suit Up","Wait For it","But… umm","Lawyered","Challenege Accepted","Just… O.K?","Where’s the poop?","That’s the Dream","True Story","Patent Pending","What Up","Classic Shmosby"],"character":["Ted Mosby","Marshall Eriksen","Lily Aldrin","Robin Scherbatsky","Barney Stinson","Tracy Mosby","Luke Mosby","Penny Mosby","Alan Thicke","Arthur Hobbs","Bilson","Brad Morris","Carl MacLaren","Claudia Grice","Don Frank","Doug Martin","Gary Blauman","George Van Smoot","Hammond Druthers","James Stinson","Jerome Whittaker","Judy Eriksen","Loretta Stinson","Marcus Eriksen","Marvin Eriksen Jr.","Marvin Eriksen Sr.","Mickey Aldrin","Nick Podarutti","Quinn Garvey","Ranjit Singh","Robin Scherbatsky Sr.","Sandy Rivers","Stella Zinman","Stuart Bowers","Wendy the Waitress","Virginia Mosby","William Zabka","Zoey Pierson"],"high_five":["Arthritis Five","Relapse Five","Phone Five","Solemn Low Five","Hypothetical High Five","Self Five","Freeze Fram High Five","Tiny Five","High Two","Multiple High Fives","The Highest of Fives","Door Five","High Six","Motility Five","Claw Five","High V","Word Play Five","Condolence Five","Almighty Five","Mental Self Five","Retraction Five","Angry Self Five","Mushroom Five","Get-this-over-with-quickly-so-we-can-move-past-how-awkward-it-was-that-I-just-said-that Five","High Infinity"],"quote":["Whenever I’m sad, I stop being sad and be awesome instead.","Because sometimes even if you know how something’s gonna end that doesn’t mean you can’t enjoy the ride.","The littlest thing can cause a ripple effect that changes your life.","That’s life, you know, we never end up where you thought you wanted to be.","We’re going to get older whether we like it or not, so the only question is whether we get on with our lives, or desperately cling to the past.","Ted, how many times have I told you to put the lid back on the peanut butter jar?! It’s this inconsiderate, immature jackassery that makes me feel like I’m living in The Real World House! And not the early days when they all had jobs and social consciences, I’m talking about Hawaii, and after!","There are a lot of little reasons why the big things in our lives happen.","I keep waiting for it to happen. I’m waiting for it to happen. I guess I’m just tired of waiting. And that is all I’m going to say on that subject.","Look, you can’t design your life like a building. It doesn’t work that way. You just have to live it… and it’ll design itself.","Definitions are important.","You can’t just skip ahead to where you think your life should be.","It’s just, eventually we’re all gonna move on. It’s called growing up.","There are two big days in any love story: the day you meet the girl of your dreams and the day you marry her.","The future is scary but you can’t just run back to the past because it’s familiar.","I realized that I’m searching, searching for what I really want in life. And you know what? I have absolutely no idea what that is.","Revenge fantasies never work out the way you want.","Whether a gesture’s charming or alarming, depends on how it’s received."]},"id_number":{"invalid":["000-##-####","###-00-####","###-##-0000","666-##-####","9##-##-####"],"valid":"#{IDNumber.ssn_valid}"},"internet":{"domain_suffix":["com","biz","info","name","net","org","io","co"],"free_email":["gmail.com","yahoo.com","hotmail.com"],"user_agent":{"aol":["Mozilla/5.0 (compatible; MSIE 9.0; AOL 9.7; AOLBuild 4343.19; Windows NT 6.1; WOW64; Trident/5.0; FunWebProducts)"],"chrome":["Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36"],"firefox":["Mozilla/5.0 (Windows NT x.y; Win64; x64; rv:10.0) Gecko/20100101 Firefox/10.0"],"internet_explorer":["Mozilla/5.0 (Windows NT 6.1; WOW64; Trident/7.0; AS; rv:11.0) like Gecko"],"netscape":["Mozilla/5.0 (Windows; U; Win 9x 4.90; SG; rv:1.9.2.4) Gecko/20101104 Netscape/9.1.0285"],"opera":["Opera/9.80 (X11; Linux i686; Ubuntu/14.10) Presto/2.12.388 Version/12.16"],"safari":["Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_3) AppleWebKit/537.75.14 (KHTML, like Gecko) Version/7.0.3 Safari/7046A194A"]}},"job":{"education_level":["Associates","Bachelor","Master","Doctorate"],"employment_type":["Full-time","Part-time","Temporary","Contract","Internship","Commission"],"field":["Marketing","IT","Accounting","Administration","Advertising","Banking","Community-Services","Construction","Consulting","Design","Education","Farming","Government","Healthcare","Hospitality","Legal","Manufacturing","Marketing","Mining","Real-Estate","Retail","Sales","Technology"],"key_skills":["Teamwork","Communication","Problem solving","Leadership","Organisation","Work under pressure","Confidence","Self-motivated","Networking skills","Proactive","Fast learner","Technical savvy"],"position":["Supervisor","Associate","Executive","Liaison","Officer","Manager","Engineer","Specialist","Director","Coordinator","Administrator","Architect","Analyst","Designer","Planner","Orchestrator","Technician","Developer","Producer","Consultant","Assistant","Facilitator","Agent","Representative","Strategist"],"seniority":["Lead","Senior","Product","National","Regional","District","Central","Global","Customer","Investor","Dynamic","International","Legacy","Forward","Internal","Chief"],"title":["#{seniority} #{field} #{position}","#{seniority} #{field} #{position}","#{field} #{position}","#{field} #{position}","#{seniority} #{position}"]},"kpop":{"boy_bands":["1TYM","2AM","2PM","4Men","5tion","5urprise","24K","100%","2000 Won","A-Jax","A.cian","Ace","AlphaBat","Apeace","Astro","B.A.P","B.I.G","B1A4","Bastarz","Battle","Be.A","Beatwin","Big Bang","Big Star","Bigflo","Black Beat","Block B","The Blue","The Boss","Boyfriend","Boys Republic","Boys24","The Boyz","Brown Eyed Soul","Brown Eyes","BTL","BtoB","BTS","C-Clown","Can","Click-B","CNBLUE","Cross Gene","DMTN","Day6","December","Double S 301","Double-A","The East Light","Every Single Day","Exo","EXO-CBX","F.Cuz","Flower","Fly to the Sky","GD \u0026 TOP","GD X Taeyang","G.o.d","Golden Child","Got7","H.O.T.","Halo","HeartB","High4","Highlight","History","Homme","Honey G","HONEYST","Hotshot ","IKon","Imfact","IN2IT","Infinite","Infinite F","Infinite H","IZ ","J-Walk","JBJ","JJ Project","JJCC","JnC","JtL","JYJ","KNK","K'Pop","LC9","Ledt","The Legend","Lunafly","M.Pire","M4M","Madtown","M\u0026D","MAP6","MAS","MASC","MBLAQ","MC the Max","Monday Kiz","Monsta X","Mr. Mr","MVP","Myname","Myteen","N-Sonic","N-Train","N.Flying","NCT ","Noel","NOM","NRG","NU'EST","One Way","ONF","Pentagon","Rainz","Rok Kiss","Romeo","Sechs Kies","Seven O'Clock","Seventeen","SF9","SG Wannabe","Shinee","Shinhwa","Shu-I","Snuper","Speed","SS501","Super Junior","Super Junior-D\u0026E","Super Junior-H","Super Junior-K.R.Y.","Super Junior-M","Super Junior-T","Supernova ","Sweet Sorrow","T-max","Tasty ","Teen Top","Toheart ","Top Secret ","Topp Dogg","Touch","TRCNG","Tritops ","TVXQ","U-KISS","Ulala Session","UN ","Uniq ","UP10TION","V.O.S ","Varsity","VAV ","Vibe ","Victon","VIXX","VIXX LR","Voisper","Vromance","Wanna One","Wanted","Winner","Yurisangja","ZE:A"],"girl_groups":["2NB\"","2NE1","2Yoon","4L ","4Minute","4Ten","15\u0026","After School ","AOA","AOA Black","AOA Cream","Apink","April","As One","Baby Vox","Baby Vox Re.V","Badkiz","Bambino","The Barberettes","Berry Good","Bestie","Big Mama","Black Pearl","Black Pink","Blady","Bob Girls","Bolbbalgan4","BP Rania","Brave Girls","Brown Eyed Girls","C-REAL ","Chakra","Chocolat","CLC","Cleo","Cosmic Girls","Crayon Pop","Cupid ","D-Unit","D.Holic","Dal Shabet","Davichi","Dia","Diva","Dreamcatcher","Elris","EvoL","EXID","F-ve Dolls","F(x)","Favorite","Fiestar","Fin.K.L","Fromis","Gangkiz","Gavy NJ","GFriend","GI","Girl Friends","Girl's Day","Girls Girls","Girls' Generation","Girls' Generation-TTS","Glam","Good Day","GP Basic","The Grace","Gugudan","Hash Tag","Hello Venus","Hi Suhyun","I.B.I","I.O.I","Isak N Jiyeon","Jewelry","JQT","Kara","Kiss","Laboum","Ladies' Code","Lip Service","Loona","Lovelyz","LPG","Luv","Mamamoo","Melody Day","Milk","Miss A","Miss S","Momoland","Nine Muses","Nine Muses A","Oh My Girl","Orange Caramel","P.O.P","Papaya","Playback","Pristin","Pungdeng-E","Puretty","QBS","Rainbow","Red Velvet","Rubber Soul","S.E.S.","S.I.S","Secret","SeeYa","The SeeYa","She'z","Shinvi","Sistar","Sistar19","Skarf","Sonamoo","Sorea Band","Spica","Stellar","Sugar","Sunny Days","Sunny Hill","T-ara","T-ara N4","T.T.Ma","Tahiti","Draft:THE ARK","Tiny-G","Twice","Two X","Unicorn","Wassup","Weki Meki","Wink","Wonder Girls"],"i_groups":["Seo Taiji and Boys","Deux","Cool","DJ DOC","Roo'ra","Two Two","R.ef","Turbo","Baby V.O.X.","Diva","Eve","Jinusean","NRG","Sechs Kies","S.E.S","1TYM","Fin.K.L.","Koyote","S#arp","Shinhwa","As One","Chakra","Cleo","Click-B","Fly to the Sky","g.o.d","T.T.MA"],"ii_groups":["CB Mass","Papaya","5tion","Jewelry","KISS.","M.I.L.K","jtL","Epik High","Sugar","Black Beat","Shinvi","Leessang","LUV","Isak N Jiyeon","Moon Child","Moon Child","Big Mama","Dynamic Duo","Brown Eyed Soul","Buzz","TVXQ","SG Wannabe","V.O.S","TRAX","SS501","LPG","The Grace","Gavy NJ","Super Junior","Paran","SeeYa","Brown Eyed Girls","Untouchable","Big Bang","Super Junior-K.R.Y.","DickPunks","Wonder Girls","Kara","F.T. Island","Girls' Generation","8eight","Sunny Hill","Supernova","Tritops","Super Junior-T","Baby Vox Re.V","Davichi","Mighty Mouth","Miss $","Shinee","Super Junior-M","Super Junior-H","2AM","2PM","U-KISS","2NE1","4Minute","After School","Beast","f(x)","JQT","MBLAQ","Rainbow","Secret","SHU-I","T-ara","December"],"iii_groups":["APeace","CNBLUE","Coed School","DMTN","F.Cuz","Girl's Day","GD\u0026TOP","GP Basic","Infinite","JYJ","Led Apple","Miss A","Nine Muses","Orange Caramel","Sistar","Teen Top","Touch","The Boss","ZE:A","AA","APink","B1A4","Blady","Block B","Boyfriend","Brave Girls","C-Real","Chocolat","Dal Shabet","F-ve Dolls","M\u0026D","M.I.B","My Name","N-Sonic","N-Train","RaNia","Sistar19","Stellar","Super Junior-D\u0026E","Trouble Maker","100%","15\u0026","24K","A-Jax","AOA","B.A.P","Big Star","BtoB","C-Clown","Crayon Pop","Cross Gene","D-Unit","EvoL","EXID","EXO","Fiestar","Gangkiz","Girls' Generation-TTS","GLAM","HELLOVENUS","JJ Project","Lunafly","Mr. Mr.","NU'EST","Phantom","Puretty","She'z","Skarf","Spica","Sunny Days","Tahiti","Tasty","The SeeYa","Tiny-G","Two X","VIXX","2Yoon","5urprise","AlphaBat","AOA Black","BESTie","Boys Republic","BTS","G.I","History","Infinite H","Ladies' Code","LC9","M.Pire","NOM","QBS","Royal Pirates","Speed","T-ara N4","Topp Dogg","Wa$$up","2000 Won","4L","4Ten","Akdong Musician","Almeng","Badkiz","Berry Good","B.I.G","Bigflo","Bob Girls","BTL","D.Holic","GD X Taeyang","GOT7","HeartB","Hi Suhyun","High4","HOTSHOT","HALO","Infinite F","JJCC","K-Much","Laboum","Lip Service","Lovelyz","Madtown","Mamamoo","Melody Day","Minx","Play the Siren","Red Velvet","Sonamoo","The Legend","ToHeart","UNIQ","Wings","Winner","April","Bambino","Bastarz","Big Brain","CLC","Cupid","Day6","DIA","GFriend","iKon","Monsta X","N.Flying","Oh My Girl","PLAYBACK","Romeo","Rubber Soul","Seventeen","Snuper","Twice","UNICORN","UP10TION","VAV","VIXX LR","AOA Cream","Astro","Black Pink","Bolbbalgan4","BP Rania","C.I.V.A","Cosmic Girls","EXO-CBX","Gugudan","I.B.I","I.O.I","Imfact","KNK","MASC","MOBB","Momoland","NCT","Nine Muses A","Pentagon","SF9","The East Light","Unnies","Victon","Vromance","A.C.E","Be.A","Dream Catcher","Duetto","ELRIS","Favorite","Fromis","Golden Child","Good Day","Gugudan Ogu-ogu","Hash Tag","HONEYST","Highlight","IN2IT","IZ","JBJ","K.A.R.D","Longguo \u0026 Shihyun","MVP","MXM","MYTEEN","NU'EST W","ONF","P.O.P","Pristin","Rainz","S.I.S","Seven O'Clock","The Boyz","Top Secret","TRCNG","Triple H","Wanna One","Weki Meki"],"solo":["Ailee","Ajoo","Alexander Lee Eusebio","Ali","Amber Liu","Bada","Bae Suzy","Bae Seul-ki","Baek Ji-young","Bang Yong Guk","Bi","Baro","Bizniz","BoA","Byul","Byun Baek-hyun","Brian Joo","Baek A-yeon","Boom","Bora","Bang Cheol Yong","Chae Jung-an","Chae Yeon","Chen","Cho Yong-pil","CNU","Choi Minho","Choi Sulli","Cho Kyuhyun","Choi Siwon","Choi Soo-young","Choi Min-hwan","Choi Jong-hoon","Crush","Dae Sung","Dana","Dara","Do Kyung-soo","Dean","Dok2","Drunken Tiger","Eru","Eugene","Eunhyuk","Eun Ji Won","E.via","Eric Nam","Fat Cat","G.NA","Gary","Gil Seong-joon","Gummy","G-Dragon","Goo Ha-ra","Gain","G.O","Gongchan","Han Seungyeon","Ham Eun-jeong","Han Sunhwa","Ha Ji-won","Haha","Henry Lau","Heo Ga Yoon","Heo Young Saeng","Heo Young-ji","Hong Jin-Young","Hong Kyung Min","Hoon","Hyolyn","Hyomin","Hyun Bin","Huh Gak","Hwangbo","Hwang Chansung","Tiffany Hwang","Hwanhee","Hwayobi","Hyun Young","Hyelim","Im Chang-jung","Im Yoona","Insooni","IU","Ivy","J","JB","Jr.","Jang Dong-woo","Jang Keun-suk","Jang Hyun-seung","Jang Na-ra","Jang Woo Hyuk","Jang Wooyoung","Jang Yun-jeong","Jeon Boram","Jeon Hye Bin","Jia","Jeon Ji Yoon","Jeong Jinwoon","Jessica Jung","J-Min","Jo Eun Byul","Jo Kwon","Jo Sungmo","JOO","Joy","John Park","Jonghyun","Joo Hyun-Mi","Jun Jin","Jun Hyoseong","Jun.K","Jung Daehyun","Jung Hana","Jinyoung","Nicole Jung","Jung Yong-hwa","Juniel","K","Kai","Kim Jungah","KCM","Kahi","Kan Mi-youn","Kang Min-hyuk","Kang Seung-yoon","Kang Sung-hoon","Kangin","Kangta","Key","Kibum","Kim Ah-joong","Kim Bum","Kim Bum-soo","Kim C","Kim Dong-ryool","Kim Dong-wan","Kim Gun-mo","Kim Heechul","Kim Himchan","Kim Hyoyeon","Kim Hyuna","Kim Hyun-joong","Kim Hyung-jun","Kim Jaejoong","Kim Jong-kook","Kim Joon","Kim Junsu","Kim Kyu-jong","Kim Kyung-ho","Kim Myung-soo","Kim Ryeowook","Kim Tae-woo","Kim Tae-yeon","Kim Seol-hyun","Kim Soo-hyun","Kim Sung-kyu","Kim Taeyeon","Kim Yeonji","Kwon So-hyun","Kim Young-sook","Krystal Jung","Kwon Mina","Kwon Yuri","K.Will","Lay","Lee Jooyeon","Lee Chae-rin","Lee Dong-gun","Lee Donghae","Lee Gi-kwang","Lee Min-young","Lee Hi","Lee Howon","Lee Hong-gi","Lee Hyori","Lee Hyun","Lee Jae-jin","Lee Jae-won","Lee Ji-hoon","Lee Jin","Lee Jong-hyun","Lee Joon","Lee Junho","Lee Jung","Lee Jung-hyun","Lee Joon-gi","Lee Ki-chan","Lee Min-ho","Lee Min-woo","Lee Seung-hoon","Lee Seung-chul","Lee Seung-gi","Lee Seung-hyun","Lee Soo-young","Lee Sora","Lee Sung-jong","Lee Sungmin","Lee Sung-yeol","Lee Tae-min","Leeteuk","Lena Park","Lexy","Lim Jeong-hee","Luna","Lyn","MC Mong","MC Sniper","Min Hae Kyung","Min Hyorin","Min Hyuk","Minzy","Mina","Minwoo","Moon Ga-young","Moon Hee Jun","Moon Jong Up","Nam Ji-hyun","Nam Woo-hyun","Nana","Narsha","Nichkhun Horvejkul","Nicole","Nicky Lee","No Minwoo","NS Yoon-G","Oh Se-hun","Onew","Outsider","Park Bom","Park Chan-yeol","Park Choa","Park Gyu-ri","Park Jung-ah","Park Jung-min","Park Ji-yeon","Park Ji-yoon","Park Jin-young","Park Junyoung","Park Yong-ha","Jay Park","Park Shin-hye","Park Myeong-su","Park Soyeon","Psy","Qri","Raina","Rain","Rap Monster","Roh Ji Hoon","Ryu Si-won","Ryu Hwayoung","Ryu Hyoyoung","Sandeul","Se7en","Seo Joohyun","Seo Hyo-rim","Seo In-guk","Seo In-young","Seo Ji-young","Seo Yuna","Seomoon Tak","Seo Taiji","Seungho","Shim Changmin","Shim Eun-jin","Shin Dongho","Shin Dong-hee","Shin Hae-chul","Shin Hye-jeong","Shin Hye-sung","Shin Ji","Shin Ji-min","Shin Seung-hun","Shoo","Sim Soo-bong","So Chan-whee","Sohee","Solbi","Son Dam-bi","Son Dong-woon","Son Hoyoung","Song Jieun","Song Ji-hyo","Song Joong-ki","Song Min-ho","Song Seung-hyun","Suho","Sung Si-kyung","Sung Yu-ri","Sunny","T.O.P","Tablo","Tae Bin","Taecyeon","Tae Jin Ah","Taegoon","Taeyang","Tasha Reid","Tim","Tony An","Thunder","Uee","U;Nee","Uhm Jung-hwa","Victoria Song","Wax","Wendy","Wheesung","Wang Fei Fei","Woo Sung-hyun","Xiumin","Yang Hyun-suk","Yang Yo-seob","Yeon Woo","Yesung","Yim Jae-beom","Yoo Ara","Yoo Chae-yeong","Yoo Seung-jun","Yoo Young-jae","Yoon Eun-hye","Yoon Mi-rae","Yong Jun-hyung","Yoochun","You Hee-yeol","Younha","Yubin","Yoo Seung-ho","Yunho","Yoon Doo-joon","Yeeun","Yangpa","Zelo","Zhou Mi","Zia","Zion.T"]},"league_of_legends":{"champion":["Aatrox","Ahri","Akali","Alister","Amumu","Anivia","Annie","Ashe","Aurelion Sol","Azir","Bard","Blitzcrank","Brand","Braum","Caitlyn","Camille","Cassiopeia","Cho-Gath","Corki","Darius","Diana","Dr. Mundo","Draven","Ekko","Elise","Evelynn","Ezreal","Fiddlesticks","Fiora","Fizz","Galio","Gangplank","Garen","Gnar","Gragas","Graves","Hecarim","Heimerdinger","Illaoi","Irelia","Ivern","Janna","Jarvan IV","Jax","Jayce","Jhin","Jinx","Kalista","Karma","Karthus","Kassadin","Katarina","Kayle","Kennen","Kha'Zix","Kindred","Kled","Kog'Maw","LeBlanc","Lee Sin","Leona","Lissandra","Lucian","Lulu","Lux","Malphite","Malzahar","Maokai","Master Yi","Miss Fortune","Mordekaiser","Morgana","Nami","Nasus","Nautilus","Nidalee","Nocturne","Nunu","Olaf","Orianna","Pantheon","Poppy","Quinn","Rammus","Rek'Sai","Renekton","Rengar","Riven","Rakan","Rumble","Ryze","Sejuani","Shaco","Shen","Shyvanna","Singed","Sion","Sivir","Skarner","Sona","Soraka","Swain","Syndra","Tahm Kench","Taliyah","Talon","Taric","Teemo","Thresh","Tristana","Trundle","Tryndamere","Twisted Fate","Twitch","Udyr","Urgot","Varus","Vayne","Veigar","Vel'Koz","Vi","Viktor","Vladimir","Volibear","Warwick","Wukong","Xayah","Xerath","Xin Zhao","Yasuo","Yorick","Zac","Zed","Ziggs","Zilean","Zyra"],"location":["Demacia","Noxus","Shadow Isles","Valoran","Runeterra","Bandle City","Bilgewater","Freljord","Ionia","Mount Targon","Piltover","Lokfar","Zaun"],"masteries":["Battle Trance","Double Edged Sword","Bounty Hunter","Fresh Blood","Expose Weakness","Feast","Warlord's Bloodlust","Fervor of Battle","Deathfire Touch","Greenfather's Gift","Dangerous Game","Bandit","Courage of the Colossus","Stoneborn Pact","Grasp of the Undying","Siegemaster","Tough Skin","Explorer","Assassin","Secret Stash","Runic Affinity","Windspeaker's Blessing","Thunderlord's Decree","Stormraider's Surge","Fearless","Unyielding","Meditation","Battering Blows","Piercing Thoughts","Insight","Perseverance","Intelligence","Precision","Sorcery","Vampirism","Fury","Natural Talent","Savagery","Wanderer","Merciless","Recovery","Legendary Guardian","Swiftness","Runic Armor","Veteran's Scars"],"quote":["Purge the unjust.","By my will, this shall be finished!","You only have to click once, fool!","My right arm is a lot stronger than my left.","Ready to set the world on fire...","The early bird guts the worm!","Don't you trust me?","Welcome to Summoners Rift!","Have you seen my Bear Tibbers?","NOM NOM NOM","Defy Noxus and taste your own blood.","Behold the might of the shadow isles.","Who wants a piece of the champ?!","Come on, live a little... while you can!","Master yourself, master the enemy.","Blindness is no impairment against a smelly enemy.","ok.","Caught between a rock... and a hard place.","Mundo will go where he pleases!","Mundo say his own name a lot, or else he forget! Has happened before.","A man, a woman and a yordle walk into the sun. They die! Because it burns them alive? heh heh heh heh","The cycle of life and death continues. We will live, they will die.","My profession?! You know, now that I think of it, I've always wanted to be a baker.","Tonight we hunt!","Monsters can be made to fear.","How about a drink?","Captain Teemo on duty.","Hut, two, three, four. Yes, sir!","I'll scout ahead!","That's gotta sting.","Never underestimate the power of the Scout's code.","I suppose you're expecting some inBEARable pun?","It's not how much you can lift. It's how good you look!","Welcome to the League of Draven.","Not Draven; Draaaaven.","Who wants some Draven? Heheheh.","Subtle? I don't do subtle."],"rank":["Bronze V","Bronze IV","Bronze III","Bronze II","Bronze I","Silver V","Silver IV","Silver III","Silver II","Silver I","Gold V","Gold IV","Gold III","Gold II","Gold I","Platinum V","Platinum IV","Platinum III","Platinum II","Platinum I","Diamond V","Diamond IV","Diamond III","Diamond II","Diamond I","Master","Challenger"],"summoner_spell":["Teleport","Exhaust","Barrier","Smite","Flash","Ignite","Clarity","Mark","To the King!","Ghost","Heal","Poro Toss","Cleanse"]},"lebowski":{"actors":["Jeff Bridges","John Goodman","Julianne Moore","Steve Buscemi","David Huddleston","Philip Seymour Hoffman","Tara Reid","Flea","Peter Stormare","John Turturro","Ben Gazzara"],"characters":["The Dude","Walter Sobchak","Maude Lebowski","Donny","The Big Lebowski","Brandt","Bunny Lebowski","Karl Hungus","Jesus Quintana","Jackie Treehorn"],"quotes":["He's a good man...and thorough.","Hey, I know that guy. He's a nihilist. Karl Hungus.","Mr. Treehorn treats objects like women, man.","Is this your homework, Larry?","Yeah, well, that's just, like, your opinion, man.","Mark it zero!","So then you have no frame of reference here Donny. You're like a child who wonders into the middle of a movie.","You want a toe? I can get you a toe, believe me. There are ways, Dude. You don't wanna know about it, believe me.","Hell, I can get you a toe by 3 o'clock this afternoon...with nail polish.","Calmer than you are.","I'm perfectly calm, Dude.","You are entering a world of pain.","This aggression will not stand, man.","Obviously, you're not a golfer","Mind if I do a J?","This is not 'Nam. This is bowling. There are rules.","Look, let me explain something to you. I'm not Mr. Lebowski. You're Mr. Lebowski. I'm the Dude.","I'm the dude, so that's what you call me. That or, uh His Dudeness, or uh Duder, or El Duderino, if you're not into the whole brevity thing.","This is a very complicated case Maude. You know, a lotta ins, a lotta outs, lotta what-have-yous.","Eight-year-olds, Dude.","Careful man, there's a beverage here!","The Dude abides.","That rug really tied the room together.","I mean, say what you want about the tenets of National Socialism, Dude, at least it's an ethos.","Forget it, Donny, you're out of your element!","I don't like your jerk-off name. I don't like your jerk-off face. And I don't like you...jerk-off.","Three thousand years of beautiful tradition, from Moses to Sandy Koufax.","I am the walrus","V.I. Lenin. Vladimir! Ilyich! Ulyanov!","Oh, the usual. I bowl. Drive around. The occasional acid flashback.","So what are you saying? When you get divorced you turn in your library card? You get a new license? You stop being Jewish?","You know, Dude, I myself dabbled in pacifism once. Not in 'Nam of course.","Stay away from my special lady friend, man.","I don't roll on Shabbos!"]},"lord_of_the_rings":{"characters":["Frodo Baggins","Gandalf the Grey","Samwise Gamgee","Meriadoc Brandybuck","Peregrin Took","Aragorn","Legolas","Gimli","Boromir","Sauron","Gollum","Bilbo Baggins","Tom Bombadil","Glorfindel","Elrond","Arwen Evenstar","Galadriel","Saruman the White","Éomer","Théoden","Éowyn","Grìma Wormtongue","Shadowfax","Treebeard","Quickbeam","Shelob","Faramir","Denethor","Beregond","Barliman Butterbur"],"locations":["Aglarond","Aldburg","Andustar","Angband","Argonath","Bag End","Barad-dûr","Black Gate","Bridge of Khazad-dûm","Carchost","Cirith Ungol","Coldfells","Crack of Doom","Dark Land","Dol Guldur","Dome of Stars","Doors of Durin","Doriath","East Beleriand","Eastfarthing","East Road","Eithel Sirion","Elostirion","Enchanted Isles","Endless Stair","Eä","Falls of Rauros","Fens of Serech","Field of Celebrant","Fords of Isen","The Forsaken Inn","Gap of Rohan","Gladden Fields","Gorgoroth","Greenway","Haudh-en-Nirnaeth","Haven of the Eldar","Helm's Deep","Henneth Annûn","Hobbit-hole","Houses of Healing","Hyarnustar","Ilmen","Inn of the Prancing Pony","Isengard","Isenmouthe","Isle of Balar","Land of the Sun","Losgar","Luthany","Lothlorièn","Maglor's Gap","Marish","Meduseld","Minas Tirith","Minhiriath","Máhanaxar","Narchost","Nargothrond","Núath","Old Ford","Old Forest","Old Forest Road","Orthanc","Parth Galen","Paths of the Dead","Pelennor Fields","Rath Dínen","Regions of the Shire","Rivendell","The Rivers and Beacon-Hills of Gondor","Sarn Ford","Taur-en-Faroth","Taur-im-Duinath","Timeless Halls","Tol Brandir","Tol Galen","Tol Morwen","Tol-in-Gaurhoth","Tumladen","Utumno","Vaiya","Vista","The Void","Warning beacons of Gondor"]},"lorem":{"supplemental":["abbas","abduco","abeo","abscido","absconditus","absens","absorbeo","absque","abstergo","absum","abundans","abutor","accedo","accendo","acceptus","accipio","accommodo","accusator","acer","acerbitas","acervus","acidus","acies","acquiro","acsi","adamo","adaugeo","addo","adduco","ademptio","adeo","adeptio","adfectus","adfero","adficio","adflicto","adhaero","adhuc","adicio","adimpleo","adinventitias","adipiscor","adiuvo","administratio","admiratio","admitto","admoneo","admoveo","adnuo","adopto","adsidue","adstringo","adsuesco","adsum","adulatio","adulescens","adultus","aduro","advenio","adversus","advoco","aedificium","aeger","aegre","aegrotatio","aegrus","aeneus","aequitas","aequus","aer","aestas","aestivus","aestus","aetas","aeternus","ager","aggero","aggredior","agnitio","agnosco","ago","ait","aiunt","alienus","alii","alioqui","aliqua","alius","allatus","alo","alter","altus","alveus","amaritudo","ambitus","ambulo","amicitia","amiculum","amissio","amita","amitto","amo","amor","amoveo","amplexus","amplitudo","amplus","ancilla","angelus","angulus","angustus","animadverto","animi","animus","annus","anser","ante","antea","antepono","antiquus","aperio","aperte","apostolus","apparatus","appello","appono","appositus","approbo","apto","aptus","apud","aqua","ara","aranea","arbitro","arbor","arbustum","arca","arceo","arcesso","arcus","argentum","argumentum","arguo","arma","armarium","armo","aro","ars","articulus","artificiose","arto","arx","ascisco","ascit","asper","aspicio","asporto","assentator","astrum","atavus","ater","atqui","atrocitas","atrox","attero","attollo","attonbitus","auctor","auctus","audacia","audax","audentia","audeo","audio","auditor","aufero","aureus","auris","aurum","aut","autem","autus","auxilium","avaritia","avarus","aveho","averto","avoco","baiulus","balbus","barba","bardus","basium","beatus","bellicus","bellum","bene","beneficium","benevolentia","benigne","bestia","bibo","bis","blandior","bonus","bos","brevis","cado","caecus","caelestis","caelum","calamitas","calcar","calco","calculus","callide","campana","candidus","canis","canonicus","canto","capillus","capio","capitulus","capto","caput","carbo","carcer","careo","caries","cariosus","caritas","carmen","carpo","carus","casso","caste","casus","catena","caterva","cattus","cauda","causa","caute","caveo","cavus","cedo","celebrer","celer","celo","cena","cenaculum","ceno","censura","centum","cerno","cernuus","certe","certo","certus","cervus","cetera","charisma","chirographum","cibo","cibus","cicuta","cilicium","cimentarius","ciminatio","cinis","circumvenio","cito","civis","civitas","clam","clamo","claro","clarus","claudeo","claustrum","clementia","clibanus","coadunatio","coaegresco","coepi","coerceo","cogito","cognatus","cognomen","cogo","cohaero","cohibeo","cohors","colligo","colloco","collum","colo","color","coma","combibo","comburo","comedo","comes","cometes","comis","comitatus","commemoro","comminor","commodo","communis","comparo","compello","complectus","compono","comprehendo","comptus","conatus","concedo","concido","conculco","condico","conduco","confero","confido","conforto","confugo","congregatio","conicio","coniecto","conitor","coniuratio","conor","conqueror","conscendo","conservo","considero","conspergo","constans","consuasor","contabesco","contego","contigo","contra","conturbo","conventus","convoco","copia","copiose","cornu","corona","corpus","correptius","corrigo","corroboro","corrumpo","coruscus","cotidie","crapula","cras","crastinus","creator","creber","crebro","credo","creo","creptio","crepusculum","cresco","creta","cribro","crinis","cruciamentum","crudelis","cruentus","crur","crustulum","crux","cubicularis","cubitum","cubo","cui","cuius","culpa","culpo","cultellus","cultura","cum","cunabula","cunae","cunctatio","cupiditas","cupio","cuppedia","cupressus","cur","cura","curatio","curia","curiositas","curis","curo","curriculum","currus","cursim","curso","cursus","curto","curtus","curvo","curvus","custodia","damnatio","damno","dapifer","debeo","debilito","decens","decerno","decet","decimus","decipio","decor","decretum","decumbo","dedecor","dedico","deduco","defaeco","defendo","defero","defessus","defetiscor","deficio","defigo","defleo","defluo","defungo","degenero","degero","degusto","deinde","delectatio","delego","deleo","delibero","delicate","delinquo","deludo","demens","demergo","demitto","demo","demonstro","demoror","demulceo","demum","denego","denique","dens","denuncio","denuo","deorsum","depereo","depono","depopulo","deporto","depraedor","deprecator","deprimo","depromo","depulso","deputo","derelinquo","derideo","deripio","desidero","desino","desipio","desolo","desparatus","despecto","despirmatio","infit","inflammatio","paens","patior","patria","patrocinor","patruus","pauci","paulatim","pauper","pax","peccatus","pecco","pecto","pectus","pecunia","pecus","peior","pel","ocer","socius","sodalitas","sol","soleo","solio","solitudo","solium","sollers","sollicito","solum","solus","solutio","solvo","somniculosus","somnus","sonitus","sono","sophismata","sopor","sordeo","sortitus","spargo","speciosus","spectaculum","speculum","sperno","spero","spes","spiculum","spiritus","spoliatio","sponte","stabilis","statim","statua","stella","stillicidium","stipes","stips","sto","strenuus","strues","studio","stultus","suadeo","suasoria","sub","subito","subiungo","sublime","subnecto","subseco","substantia","subvenio","succedo","succurro","sufficio","suffoco","suffragium","suggero","sui","sulum","sum","summa","summisse","summopere","sumo","sumptus","supellex","super","suppellex","supplanto","suppono","supra","surculus","surgo","sursum","suscipio","suspendo","sustineo","suus","synagoga","tabella","tabernus","tabesco","tabgo","tabula","taceo","tactus","taedium","talio","talis","talus","tam","tamdiu","tamen","tametsi","tamisium","tamquam","tandem","tantillus","tantum","tardus","tego","temeritas","temperantia","templum","temptatio","tempus","tenax","tendo","teneo","tener","tenuis","tenus","tepesco","tepidus","ter","terebro","teres","terga","tergeo","tergiversatio","tergo","tergum","termes","terminatio","tero","terra","terreo","territo","terror","tersus","tertius","testimonium","texo","textilis","textor","textus","thalassinus","theatrum","theca","thema","theologus","thermae","thesaurus","thesis","thorax","thymbra","thymum","tibi","timidus","timor","titulus","tolero","tollo","tondeo","tonsor","torqueo","torrens","tot","totidem","toties","totus","tracto","trado","traho","trans","tredecim","tremo","trepide","tres","tribuo","tricesimus","triduana","triginta","tripudio","tristis","triumphus","trucido","truculenter","tubineus","tui","tum","tumultus","tunc","turba","turbo","turpe","turpis","tutamen","tutis","tyrannus","uberrime","ubi","ulciscor","ullus","ulterius","ultio","ultra","umbra","umerus","umquam","una","unde","undique","universe","unus","urbanus","urbs","uredo","usitas","usque","ustilo","ustulo","usus","uter","uterque","utilis","utique","utor","utpote","utrimque","utroque","utrum","uxor","vaco","vacuus","vado","vae","valde","valens","valeo","valetudo","validus","vallum","vapulus","varietas","varius","vehemens","vel","velociter","velum","velut","venia","venio","ventito","ventosus","ventus","venustas","ver","verbera","verbum","vere","verecundia","vereor","vergo","veritas","vero","versus","verto","verumtamen","verus","vesco","vesica","vesper","vespillo","vester","vestigium","vestrum","vetus","via","vicinus","vicissitudo","victoria","victus","videlicet","video","viduata","viduo","vigilo","vigor","vilicus","vilis","vilitas","villa","vinco","vinculum","vindico","vinitor","vinum","vir","virga","virgo","viridis","viriliter","virtus","vis","viscus","vita","vitiosus","vitium","vito","vivo","vix","vobis","vociferor","voco","volaticus","volo","volubilis","voluntarius","volup","volutabrum","volva","vomer","vomica","vomito","vorago","vorax","voro","vos","votum","voveo","vox","vulariter","vulgaris","vulgivagus","vulgo","vulgus","vulnero","vulnus","vulpes","vulticulus","vultuosus","xiphias"],"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"lovecraft":{"deity":["Azathoth","Cthulhu","Dagon","Hastur","Nyarlathotep","Shub-Niggurath","Tsathoggua","Yog-Sothoth"],"fhtagn":["Ph'nglui mglw'nafh Cthulhu R'lyeh wgah'nagl fhtagn"],"location":["Arkham","Dunwich","Innsmouth","Kadath","Kingsport","Leng","Miskatonic","R’lyeh","Yuggoth","Irem"],"tome":["Necronomicon","Pnakotic Manuscripts","De Vermis Mysteriis","Book of Eibon","Eltdown Shards"],"words":["abnormal","accursed","amorphous","antediluvian","antiquarian","blasphemous","cat","charnel","comprehension","cyclopean","dank","decadent","daemoniac","effulgence","eldritch","fainted","foetid","fungus","furtive","gambrel","gibbous","gibbering","hideous","immemorial","indescribable","iridescence","loathsome","lurk","madness","manuscript","mortal","nameless","noisome","non-euclidean","shunned","singular","spectral","squamous","stench","stygian","swarthy","tenebrous","tentacles","ululate","unmentionable","unnamable","unutterable"]},"markdown":{"emphasis":["_","~","*","**"],"headers":["#","##","###","####","#####","######"]},"matz":{"quotes":["I believe consistency and orthogonality are tools of design, not the primary goal in design.","From the viewpoint of what you can do, therefore, languages do differ - but the differences are limited. For example, Python and Ruby provide almost the same power to the programmer.","The orthogonal features, when combined, can explode into complexity.","I didn't work hard to make Ruby perfect for everyone, because you feel differently from me. No language can be perfect for everyone. I tried to make Ruby perfect for me, but maybe it's not perfect for you. The perfect language for Guido van Rossum is probably Python.","Because of the Turing completeness theory, everything one Turing-complete language can do can theoretically be done by another Turing-complete language, but at a different cost. You can do everything in assembler, but no one wants to program in assembler anymore.","Ruby inherited the Perl philosophy of having more than one way to do the same thing. I inherited that philosophy from Larry Wall, who is my hero actually. I want to make Ruby users free. I want to give them the freedom to choose.","You want to enjoy life, don't you? If you get your job done quickly and your job is fun, that's good isn't it? That's the purpose of life, partly. Your life is better.","People are different. People choose different criteria. But if there is a better way among many alternatives, I want to encourage that way by making it comfortable. So that's what I've tried to do.","In our daily lives as programmers, we process text strings a lot. So I tried to work hard on text processing, namely the string class and regular expressions. Regular expressions are built into the language and are very tuned up for use.","Most of the tasks we do are for humans. For example, a tax calculation is counting numbers so the government can pull money out from my wallet, but government consists of humans.","Actually, I didn't make the claim that Ruby follows the principle of least surprise. Someone felt the design of Ruby follows that philosophy, so they started saying that. I didn't bring that up, actually.","Smart people underestimate the ordinarity of ordinary people.","Language designers want to design the perfect language. They want to be able to say, 'My language is perfect. It can do everything.' But it's just plain impossible to design a perfect language, because there are two ways to look at a language. One way is by looking at what can be done with that language. The other is by looking at how we feel using that language-how we feel while programming.","I believe that the purpose of life is, at least in part, to be happy. Based on this belief, Ruby is designed to make programming not only easy but also fun. It allows you to concentrate on the creative side of programming, with less stress.","Most programs are not write-once. They are reworked and rewritten again and again in their lived. Bugs must be debugged. Changing requirements and the need for increased functionality mean the program itself may be modified on an ongoing basis. During this process, human beings must be able to read and understand the original code. It is therefore more important by far for humans to be able to understand the program than it is for the computer.","I hope to see Ruby help every programmer in the world to be productive, and to enjoy programming, and to be happy. That is the primary purpose of Ruby language.","Man is driven to create; I know I really love to create things. And while I'm not good at painting, drawing, or music, I can write software.","It is not the responsibility of the language to force good looking code, but the language should make good looking code possible.","Plant a memory, plant a tree, do it today for tomorrow.","Imagine you are writing an email. You are in front of the computer. You are operating the computer, clicking a mouse and typing on a keyboard, but the message will be sent to a human over the internet. So you are working before the computer, but with a human behind the computer.","Often people, especially computer engineers, focus on the machines. But in fact we need to focus on humans, on how humans care about doing programming or operating the application of the machines.","Everyone has an individual background. Someone may come from Python, someone else may come from Perl, and they may be surprised by different aspects of the language. Then they come up to me and say, 'I was surprised by this feature of the language, so therefore Ruby violates the principle of least surprise.' Wait. Wait. The principle of least surprise is not for you only.","Sometimes people jot down pseudo-code on paper. If that pseudo-code runs directly on their computers, its best, isn't it? Ruby tries to be like that, like pseudo-code that runs. Python people say that too."]},"measurement":{"height":["inch","foot"],"length":["yard","foot","mile"],"metric_height":["centimeter","meter"],"metric_length":["millimeter","centimeter","decimeter","meter","dekameter","hectometer","kilometer"],"metric_volume":["milliliter","liter"],"metric_weight":["milligram","centigram","decigram","gram","dekagram","hectogram","kilogram","metric ton"],"volume":["cup","tablespoon","teaspoon","quart","pint","gallon","fluid ounce"],"weight":["pound","ounce","ton"]},"most_interesting_man_in_the_world":{"quotes":["His only regret is not knowing what regret feels like.","When in Rome, they do as HE does","He is considered a national treasure in countries he’s never visited.","He has won the lifetime achievement award… twice","He can kill two stones with one bird","When a tree falls in a forest and no one is there, he hears it","His lovemaking has been detected by a seismograph","He once had an awkward moment, just to see how it feels","He is fluent in all languages, including three that he only speaks","If opportunity knocks, and he’s not at home, opportunity waits","Mosquitoes refuse to bite him purely out of respect","He has taught old dogs a variety of new tricks","In museums, he is allowed to touch the art","His business card simply says ‘I’ll Call You”","If he was to pat you on the back, you would list it on your resume.","Freemasons strive to learn HIS secret handshake.","He played a game of Russian Roulette with a fully loaded magnum, and won","He is the life of parties that he has never attended","He once won the Tour-de-France, but was disqualified for riding a unicycle","His organ donation card also lists his beard","He is left-handed. And right-handed","Sharks have a week dedicated to him","Presidents take his birthday off","Time waits on no one, but him","He never wears a watch because time is always on his side","He taught Chuck Norris martial arts","When he holds a lady’s purse, he looks manly","He once won a staring contest with his own reflection","When he meets the Pope, the Pope kisses his ring","His beard alone has experienced more than a lesser man’s entire body","Superman has pijamas with his logo","If he were to punch you in the face you would have to fight off a strong urge to thank him","He once went to the psychic, to warn her","His feet don’t get blisters, but his shoes do","When he drives a car off the lot, its price increases in value","On every continent in the world, there is a sandwich named after him.","Once a rattlesnake bit him, after 5 days of excruciating pain, the snake finally died","His passport requires no photograph","He gave his father “the talk”","He can speak Russian… in French","His signature won a Pulitzer","Once while sailing around the world, he discovered a short cut","He once got pulled over for speeding, and the cop got the ticket","The dark is afraid of him","If he were to visit the dark side of the moon, it wouldn’t be dark","He once brought a knife to a gunfight… just to even the odds","He bowls overhand","A bird in his hand is worth three in the bush","He once started a fire using only dental floss and water","Roses stop to smell him","Bigfoot tries to get pictures of him","He once turned a vampire into a vegetarian","Batman watches Saturday morning cartoons about him","When he was young he once sent his parents to his room","His blood smells like cologne","When he goes to Spain, he chases the bulls","His shadow has been on the ‘best dressed’ list twice","Two countries went to war to dispute HIS nationality","His pillow is cool on BOTH sides","The Nobel Academy was awarded a prize from HIM","His mother has a tattoo that says “Son”","His shirts never wrinkle","His shirts never wrinkle","Respected archaeologists fight over his discarded apple cores","His garden maze is responsible for more missing persons than the bermuda triangle","He doesn’t believe in using oven mitts, nor potholders","His cereal never gets soggy. It sits there, staying crispy, just for him","The police often question him, just because they find him interesting","He has never walked into a spider web","The star on his Christmas tree is tracked by NASA","He’s never lost a game of chance","He once caught the Loch Ness Monster….with a cane pole, but threw it back","His wallet is woven out of chupacabra leather","Cars look both ways for him, before driving down a street","His 5 de Mayo party starts on the 8th of March","His tears can cure cancer, too bad he never cries","His friends call him by his name, his enemies don’t call him anything because they are all dead","No less than 25 Mexican folk songs have been written about his beard","He once taught a german shepherd how to bark in Spanish","The Holy Grail is looking for him","Werewolves are jealous of his beard","Once he ran a marathon because it was “on the way”","He was on a recent archaeological dig and came across prehistoric foot prints that lead out of Africa into all parts of the world. On close inspection, it turned out that the prints were his","Whatever side of the tracks he’s currently on is the right side, even if he crosses the tracks he’ll still be on the right side","The circus ran away to join him","He once made a weeping willow laugh","He is allowed to talk about the fight club","His sweat is the cure for the common cold","While swimming off the coast of Australia, he once scratched the underbelly of the Great White with his right hand","If he were to say something costs an arm and a leg, it would","He never says something tastes like chicken.. not even chicken","Panhandlers give him money","He once tried to acquire a cold just to see what it felt like, but it didn’t take","His ten gallon hat holds twenty gallons","He once won the world series of poker using UNO cards","He has inside jokes with people he’s never met.","Bear hugs are what he gives bears","Even his tree houses have fully finished basements","He has never waited 15 minutes after finishing a meal before returning to the pool","He lives vicariously through himself"]},"movie":{"quote":["Frankly, my dear, I don’t give a damn.","I'm going to make him an offer he can't refuse.","Toto, I've got a feeling we're not in Kansas anymore.","Here's looking at you, kid.","Go ahead, make my day.","All right, Mr. DeMille, I'm ready for my closeup.","May the Force be with you.","Fasten your seatbelts. It's going to be a bumpy night.","You talking to me?","What we've got here is failure to communicate.","I love the smell of napalm in the morning."]},"music":{"instruments":["Electric Guitar","Acoustic Guitar","Flute","Trumpet","Clarinet","Cello","Harp","Xylophone","Harmonica","Accordion","Organ","Piano","Ukelele","Saxophone","Drums","Violin","Bass Guitar"]},"name":{"first_name":["Aaliyah","Aaron","Abagail","Abbey","Abbie","Abbigail","Abby","Abdiel","Abdul","Abdullah","Abe","Abel","Abelardo","Abigail","Abigale","Abigayle","Abner","Abraham","Ada","Adah","Adalberto","Adaline","Adam","Adan","Addie","Addison","Adela","Adelbert","Adele","Adelia","Adeline","Adell","Adella","Adelle","Aditya","Adolf","Adolfo","Adolph","Adolphus","Adonis","Adrain","Adrian","Adriana","Adrianna","Adriel","Adrien","Adrienne","Afton","Aglae","Agnes","Agustin","Agustina","Ahmad","Ahmed","Aida","Aidan","Aiden","Aileen","Aimee","Aisha","Aiyana","Akeem","Al","Alaina","Alan","Alana","Alanis","Alanna","Alayna","Alba","Albert","Alberta","Albertha","Alberto","Albin","Albina","Alda","Alden","Alec","Aleen","Alejandra","Alejandrin","Alek","Alena","Alene","Alessandra","Alessandro","Alessia","Aletha","Alex","Alexa","Alexander","Alexandra","Alexandre","Alexandrea","Alexandria","Alexandrine","Alexandro","Alexane","Alexanne","Alexie","Alexis","Alexys","Alexzander","Alf","Alfonso","Alfonzo","Alford","Alfred","Alfreda","Alfredo","Ali","Alia","Alice","Alicia","Alisa","Alisha","Alison","Alivia","Aliya","Aliyah","Aliza","Alize","Allan","Allen","Allene","Allie","Allison","Ally","Alphonso","Alta","Althea","Alva","Alvah","Alvena","Alvera","Alverta","Alvina","Alvis","Alyce","Alycia","Alysa","Alysha","Alyson","Alysson","Amalia","Amanda","Amani","Amara","Amari","Amaya","Amber","Ambrose","Amelia","Amelie","Amely","America","Americo","Amie","Amina","Amir","Amira","Amiya","Amos","Amparo","Amy","Amya","Ana","Anabel","Anabelle","Anahi","Anais","Anastacio","Anastasia","Anderson","Andre","Andreane","Andreanne","Andres","Andrew","Andy","Angel","Angela","Angelica","Angelina","Angeline","Angelita","Angelo","Angie","Angus","Anibal","Anika","Anissa","Anita","Aniya","Aniyah","Anjali","Anna","Annabel","Annabell","Annabelle","Annalise","Annamae","Annamarie","Anne","Annetta","Annette","Annie","Ansel","Ansley","Anthony","Antoinette","Antone","Antonetta","Antonette","Antonia","Antonietta","Antonina","Antonio","Antwan","Antwon","Anya","April","Ara","Araceli","Aracely","Arch","Archibald","Ardella","Arden","Ardith","Arely","Ari","Ariane","Arianna","Aric","Ariel","Arielle","Arjun","Arlene","Arlie","Arlo","Armand","Armando","Armani","Arnaldo","Arne","Arno","Arnold","Arnoldo","Arnulfo","Aron","Art","Arthur","Arturo","Arvel","Arvid","Arvilla","Aryanna","Asa","Asha","Ashlee","Ashleigh","Ashley","Ashly","Ashlynn","Ashton","Ashtyn","Asia","Assunta","Astrid","Athena","Aubree","Aubrey","Audie","Audra","Audreanne","Audrey","August","Augusta","Augustine","Augustus","Aurelia","Aurelie","Aurelio","Aurore","Austen","Austin","Austyn","Autumn","Ava","Avery","Avis","Axel","Ayana","Ayden","Ayla","Aylin","Baby","Bailee","Bailey","Barbara","Barney","Baron","Barrett","Barry","Bart","Bartholome","Barton","Baylee","Beatrice","Beau","Beaulah","Bell","Bella","Belle","Ben","Benedict","Benjamin","Bennett","Bennie","Benny","Benton","Berenice","Bernadette","Bernadine","Bernard","Bernardo","Berneice","Bernhard","Bernice","Bernie","Berniece","Bernita","Berry","Bert","Berta","Bertha","Bertram","Bertrand","Beryl","Bessie","Beth","Bethany","Bethel","Betsy","Bette","Bettie","Betty","Bettye","Beulah","Beverly","Bianka","Bill","Billie","Billy","Birdie","Blair","Blaise","Blake","Blanca","Blanche","Blaze","Bo","Bobbie","Bobby","Bonita","Bonnie","Boris","Boyd","Brad","Braden","Bradford","Bradley","Bradly","Brady","Braeden","Brain","Brandi","Brando","Brandon","Brandt","Brandy","Brandyn","Brannon","Branson","Brant","Braulio","Braxton","Brayan","Breana","Breanna","Breanne","Brenda","Brendan","Brenden","Brendon","Brenna","Brennan","Brennon","Brent","Bret","Brett","Bria","Brian","Briana","Brianne","Brice","Bridget","Bridgette","Bridie","Brielle","Brigitte","Brionna","Brisa","Britney","Brittany","Brock","Broderick","Brody","Brook","Brooke","Brooklyn","Brooks","Brown","Bruce","Bryana","Bryce","Brycen","Bryon","Buck","Bud","Buddy","Buford","Bulah","Burdette","Burley","Burnice","Buster","Cade","Caden","Caesar","Caitlyn","Cale","Caleb","Caleigh","Cali","Calista","Callie","Camden","Cameron","Camila","Camilla","Camille","Camren","Camron","Camryn","Camylle","Candace","Candelario","Candice","Candida","Candido","Cara","Carey","Carissa","Carlee","Carleton","Carley","Carli","Carlie","Carlo","Carlos","Carlotta","Carmel","Carmela","Carmella","Carmelo","Carmen","Carmine","Carol","Carolanne","Carole","Carolina","Caroline","Carolyn","Carolyne","Carrie","Carroll","Carson","Carter","Cary","Casandra","Casey","Casimer","Casimir","Casper","Cassandra","Cassandre","Cassidy","Cassie","Catalina","Caterina","Catharine","Catherine","Cathrine","Cathryn","Cathy","Cayla","Ceasar","Cecelia","Cecil","Cecile","Cecilia","Cedrick","Celestine","Celestino","Celia","Celine","Cesar","Chad","Chadd","Chadrick","Chaim","Chance","Chandler","Chanel","Chanelle","Charity","Charlene","Charles","Charley","Charlie","Charlotte","Chase","Chasity","Chauncey","Chaya","Chaz","Chelsea","Chelsey","Chelsie","Chesley","Chester","Chet","Cheyanne","Cheyenne","Chloe","Chris","Christ","Christa","Christelle","Christian","Christiana","Christina","Christine","Christop","Christophe","Christopher","Christy","Chyna","Ciara","Cicero","Cielo","Cierra","Cindy","Citlalli","Clair","Claire","Clara","Clarabelle","Clare","Clarissa","Clark","Claud","Claude","Claudia","Claudie","Claudine","Clay","Clemens","Clement","Clementina","Clementine","Clemmie","Cleo","Cleora","Cleta","Cletus","Cleve","Cleveland","Clifford","Clifton","Clint","Clinton","Clotilde","Clovis","Cloyd","Clyde","Coby","Cody","Colby","Cole","Coleman","Colin","Colleen","Collin","Colt","Colten","Colton","Columbus","Concepcion","Conner","Connie","Connor","Conor","Conrad","Constance","Constantin","Consuelo","Cooper","Cora","Coralie","Corbin","Cordelia","Cordell","Cordia","Cordie","Corene","Corine","Cornelius","Cornell","Corrine","Cortez","Cortney","Cory","Coty","Courtney","Coy","Craig","Crawford","Creola","Cristal","Cristian","Cristina","Cristobal","Cristopher","Cruz","Crystal","Crystel","Cullen","Curt","Curtis","Cydney","Cynthia","Cyril","Cyrus","Dagmar","Dahlia","Daija","Daisha","Daisy","Dakota","Dale","Dallas","Dallin","Dalton","Damaris","Dameon","Damian","Damien","Damion","Damon","Dan","Dana","Dandre","Dane","D'angelo","Dangelo","Danial","Daniela","Daniella","Danielle","Danika","Dannie","Danny","Dante","Danyka","Daphne","Daphnee","Daphney","Darby","Daren","Darian","Dariana","Darien","Dario","Darion","Darius","Darlene","Daron","Darrel","Darrell","Darren","Darrick","Darrin","Darrion","Darron","Darryl","Darwin","Daryl","Dashawn","Dasia","Dave","David","Davin","Davion","Davon","Davonte","Dawn","Dawson","Dax","Dayana","Dayna","Dayne","Dayton","Dean","Deangelo","Deanna","Deborah","Declan","Dedric","Dedrick","Dee","Deion","Deja","Dejah","Dejon","Dejuan","Delaney","Delbert","Delfina","Delia","Delilah","Dell","Della","Delmer","Delores","Delpha","Delphia","Delphine","Delta","Demarco","Demarcus","Demario","Demetris","Demetrius","Demond","Dena","Denis","Dennis","Deon","Deondre","Deontae","Deonte","Dereck","Derek","Derick","Deron","Derrick","Deshaun","Deshawn","Desiree","Desmond","Dessie","Destany","Destin","Destinee","Destiney","Destini","Destiny","Devan","Devante","Deven","Devin","Devon","Devonte","Devyn","Dewayne","Dewitt","Dexter","Diamond","Diana","Dianna","Diego","Dillan","Dillon","Dimitri","Dina","Dino","Dion","Dixie","Dock","Dolly","Dolores","Domenic","Domenica","Domenick","Domenico","Domingo","Dominic","Dominique","Don","Donald","Donato","Donavon","Donna","Donnell","Donnie","Donny","Dora","Dorcas","Dorian","Doris","Dorothea","Dorothy","Dorris","Dortha","Dorthy","Doug","Douglas","Dovie","Doyle","Drake","Drew","Duane","Dudley","Dulce","Duncan","Durward","Dustin","Dusty","Dwight","Dylan","Earl","Earlene","Earline","Earnest","Earnestine","Easter","Easton","Ebba","Ebony","Ed","Eda","Edd","Eddie","Eden","Edgar","Edgardo","Edison","Edmond","Edmund","Edna","Eduardo","Edward","Edwardo","Edwin","Edwina","Edyth","Edythe","Effie","Efrain","Efren","Eileen","Einar","Eino","Eladio","Elaina","Elbert","Elda","Eldon","Eldora","Eldred","Eldridge","Eleanora","Eleanore","Eleazar","Electa","Elena","Elenor","Elenora","Eleonore","Elfrieda","Eli","Elian","Eliane","Elias","Eliezer","Elijah","Elinor","Elinore","Elisa","Elisabeth","Elise","Eliseo","Elisha","Elissa","Eliza","Elizabeth","Ella","Ellen","Ellie","Elliot","Elliott","Ellis","Ellsworth","Elmer","Elmira","Elmo","Elmore","Elna","Elnora","Elody","Eloisa","Eloise","Elouise","Eloy","Elroy","Elsa","Else","Elsie","Elta","Elton","Elva","Elvera","Elvie","Elvis","Elwin","Elwyn","Elyse","Elyssa","Elza","Emanuel","Emelia","Emelie","Emely","Emerald","Emerson","Emery","Emie","Emil","Emile","Emilia","Emiliano","Emilie","Emilio","Emily","Emma","Emmalee","Emmanuel","Emmanuelle","Emmet","Emmett","Emmie","Emmitt","Emmy","Emory","Ena","Enid","Enoch","Enola","Enos","Enrico","Enrique","Ephraim","Era","Eriberto","Eric","Erica","Erich","Erick","Ericka","Erik","Erika","Erin","Erling","Erna","Ernest","Ernestina","Ernestine","Ernesto","Ernie","Ervin","Erwin","Eryn","Esmeralda","Esperanza","Esta","Esteban","Estefania","Estel","Estell","Estella","Estelle","Estevan","Esther","Estrella","Etha","Ethan","Ethel","Ethelyn","Ethyl","Ettie","Eudora","Eugene","Eugenia","Eula","Eulah","Eulalia","Euna","Eunice","Eusebio","Eva","Evalyn","Evan","Evangeline","Evans","Eve","Eveline","Evelyn","Everardo","Everett","Everette","Evert","Evie","Ewald","Ewell","Ezekiel","Ezequiel","Ezra","Fabian","Fabiola","Fae","Fannie","Fanny","Fatima","Faustino","Fausto","Favian","Fay","Faye","Federico","Felicia","Felicita","Felicity","Felipa","Felipe","Felix","Felton","Fermin","Fern","Fernando","Ferne","Fidel","Filiberto","Filomena","Finn","Fiona","Flavie","Flavio","Fleta","Fletcher","Flo","Florence","Florencio","Florian","Florida","Florine","Flossie","Floy","Floyd","Ford","Forest","Forrest","Foster","Frances","Francesca","Francesco","Francis","Francisca","Francisco","Franco","Frank","Frankie","Franz","Fred","Freda","Freddie","Freddy","Frederic","Frederick","Frederik","Frederique","Fredrick","Fredy","Freeda","Freeman","Freida","Frida","Frieda","Friedrich","Fritz","Furman","Gabe","Gabriel","Gabriella","Gabrielle","Gaetano","Gage","Gail","Gardner","Garett","Garfield","Garland","Garnet","Garnett","Garret","Garrett","Garrick","Garrison","Garry","Garth","Gaston","Gavin","Gay","Gayle","Gaylord","Gene","General","Genesis","Genevieve","Gennaro","Genoveva","Geo","Geoffrey","George","Georgette","Georgiana","Georgianna","Geovanni","Geovanny","Geovany","Gerald","Geraldine","Gerard","Gerardo","Gerda","Gerhard","Germaine","German","Gerry","Gerson","Gertrude","Gia","Gianni","Gideon","Gilbert","Gilberto","Gilda","Giles","Gillian","Gina","Gino","Giovani","Giovanna","Giovanni","Giovanny","Gisselle","Giuseppe","Gladyce","Gladys","Glen","Glenda","Glenna","Glennie","Gloria","Godfrey","Golda","Golden","Gonzalo","Gordon","Grace","Gracie","Graciela","Grady","Graham","Grant","Granville","Grayce","Grayson","Green","Greg","Gregg","Gregoria","Gregorio","Gregory","Greta","Gretchen","Greyson","Griffin","Grover","Guadalupe","Gudrun","Guido","Guillermo","Guiseppe","Gunnar","Gunner","Gus","Gussie","Gust","Gustave","Guy","Gwen","Gwendolyn","Hadley","Hailee","Hailey","Hailie","Hal","Haleigh","Haley","Halie","Halle","Hallie","Hank","Hanna","Hannah","Hans","Hardy","Harley","Harmon","Harmony","Harold","Harrison","Harry","Harvey","Haskell","Hassan","Hassie","Hattie","Haven","Hayden","Haylee","Hayley","Haylie","Hazel","Hazle","Heath","Heather","Heaven","Heber","Hector","Heidi","Helen","Helena","Helene","Helga","Hellen","Helmer","Heloise","Henderson","Henri","Henriette","Henry","Herbert","Herman","Hermann","Hermina","Herminia","Herminio","Hershel","Herta","Hertha","Hester","Hettie","Hilario","Hilbert","Hilda","Hildegard","Hillard","Hillary","Hilma","Hilton","Hipolito","Hiram","Hobart","Holden","Hollie","Hollis","Holly","Hope","Horace","Horacio","Hortense","Hosea","Houston","Howard","Howell","Hoyt","Hubert","Hudson","Hugh","Hulda","Humberto","Hunter","Hyman","Ian","Ibrahim","Icie","Ida","Idell","Idella","Ignacio","Ignatius","Ike","Ila","Ilene","Iliana","Ima","Imani","Imelda","Immanuel","Imogene","Ines","Irma","Irving","Irwin","Isaac","Isabel","Isabell","Isabella","Isabelle","Isac","Isadore","Isai","Isaiah","Isaias","Isidro","Ismael","Isobel","Isom","Israel","Issac","Itzel","Iva","Ivah","Ivory","Ivy","Izabella","Izaiah","Jabari","Jace","Jacey","Jacinthe","Jacinto","Jack","Jackeline","Jackie","Jacklyn","Jackson","Jacky","Jaclyn","Jacquelyn","Jacques","Jacynthe","Jada","Jade","Jaden","Jadon","Jadyn","Jaeden","Jaida","Jaiden","Jailyn","Jaime","Jairo","Jakayla","Jake","Jakob","Jaleel","Jalen","Jalon","Jalyn","Jamaal","Jamal","Jamar","Jamarcus","Jamel","Jameson","Jamey","Jamie","Jamil","Jamir","Jamison","Jammie","Jan","Jana","Janae","Jane","Janelle","Janessa","Janet","Janice","Janick","Janie","Janis","Janiya","Jannie","Jany","Jaquan","Jaquelin","Jaqueline","Jared","Jaren","Jarod","Jaron","Jarred","Jarrell","Jarret","Jarrett","Jarrod","Jarvis","Jasen","Jasmin","Jason","Jasper","Jaunita","Javier","Javon","Javonte","Jay","Jayce","Jaycee","Jayda","Jayde","Jayden","Jaydon","Jaylan","Jaylen","Jaylin","Jaylon","Jayme","Jayne","Jayson","Jazlyn","Jazmin","Jazmyn","Jazmyne","Jean","Jeanette","Jeanie","Jeanne","Jed","Jedediah","Jedidiah","Jeff","Jefferey","Jeffery","Jeffrey","Jeffry","Jena","Jenifer","Jennie","Jennifer","Jennings","Jennyfer","Jensen","Jerad","Jerald","Jeramie","Jeramy","Jerel","Jeremie","Jeremy","Jermain","Jermaine","Jermey","Jerod","Jerome","Jeromy","Jerrell","Jerrod","Jerrold","Jerry","Jess","Jesse","Jessica","Jessie","Jessika","Jessy","Jessyca","Jesus","Jett","Jettie","Jevon","Jewel","Jewell","Jillian","Jimmie","Jimmy","Jo","Joan","Joana","Joanie","Joanne","Joannie","Joanny","Joany","Joaquin","Jocelyn","Jodie","Jody","Joe","Joel","Joelle","Joesph","Joey","Johan","Johann","Johanna","Johathan","John","Johnathan","Johnathon","Johnnie","Johnny","Johnpaul","Johnson","Jolie","Jon","Jonas","Jonatan","Jonathan","Jonathon","Jordan","Jordane","Jordi","Jordon","Jordy","Jordyn","Jorge","Jose","Josefa","Josefina","Joseph","Josephine","Josh","Joshua","Joshuah","Josiah","Josiane","Josianne","Josie","Josue","Jovan","Jovani","Jovanny","Jovany","Joy","Joyce","Juana","Juanita","Judah","Judd","Jude","Judge","Judson","Judy","Jules","Julia","Julian","Juliana","Julianne","Julie","Julien","Juliet","Julio","Julius","June","Junior","Junius","Justen","Justice","Justina","Justine","Juston","Justus","Justyn","Juvenal","Juwan","Kacey","Kaci","Kacie","Kade","Kaden","Kadin","Kaela","Kaelyn","Kaia","Kailee","Kailey","Kailyn","Kaitlin","Kaitlyn","Kale","Kaleb","Kaleigh","Kaley","Kali","Kallie","Kameron","Kamille","Kamren","Kamron","Kamryn","Kane","Kara","Kareem","Karelle","Karen","Kari","Kariane","Karianne","Karina","Karine","Karl","Karlee","Karley","Karli","Karlie","Karolann","Karson","Kasandra","Kasey","Kassandra","Katarina","Katelin","Katelyn","Katelynn","Katharina","Katherine","Katheryn","Kathleen","Kathlyn","Kathryn","Kathryne","Katlyn","Katlynn","Katrina","Katrine","Kattie","Kavon","Kay","Kaya","Kaycee","Kayden","Kayla","Kaylah","Kaylee","Kayleigh","Kayley","Kayli","Kaylie","Kaylin","Keagan","Keanu","Keara","Keaton","Keegan","Keeley","Keely","Keenan","Keira","Keith","Kellen","Kelley","Kelli","Kellie","Kelly","Kelsi","Kelsie","Kelton","Kelvin","Ken","Kendall","Kendra","Kendrick","Kenna","Kennedi","Kennedy","Kenneth","Kennith","Kenny","Kenton","Kenya","Kenyatta","Kenyon","Keon","Keshaun","Keshawn","Keven","Kevin","Kevon","Keyon","Keyshawn","Khalid","Khalil","Kian","Kiana","Kianna","Kiara","Kiarra","Kiel","Kiera","Kieran","Kiley","Kim","Kimberly","King","Kip","Kira","Kirk","Kirsten","Kirstin","Kitty","Kobe","Koby","Kody","Kolby","Kole","Korbin","Korey","Kory","Kraig","Kris","Krista","Kristian","Kristin","Kristina","Kristofer","Kristoffer","Kristopher","Kristy","Krystal","Krystel","Krystina","Kurt","Kurtis","Kyla","Kyle","Kylee","Kyleigh","Kyler","Kylie","Kyra","Lacey","Lacy","Ladarius","Lafayette","Laila","Laisha","Lamar","Lambert","Lamont","Lance","Landen","Lane","Laney","Larissa","Laron","Larry","Larue","Laura","Laurel","Lauren","Laurence","Lauretta","Lauriane","Laurianne","Laurie","Laurine","Laury","Lauryn","Lavada","Lavern","Laverna","Laverne","Lavina","Lavinia","Lavon","Lavonne","Lawrence","Lawson","Layla","Layne","Lazaro","Lea","Leann","Leanna","Leanne","Leatha","Leda","Lee","Leif","Leila","Leilani","Lela","Lelah","Leland","Lelia","Lempi","Lemuel","Lenna","Lennie","Lenny","Lenora","Lenore","Leo","Leola","Leon","Leonard","Leonardo","Leone","Leonel","Leonie","Leonor","Leonora","Leopold","Leopoldo","Leora","Lera","Lesley","Leslie","Lesly","Lessie","Lester","Leta","Letha","Letitia","Levi","Lew","Lewis","Lexi","Lexie","Lexus","Lia","Liam","Liana","Libbie","Libby","Lila","Lilian","Liliana","Liliane","Lilla","Lillian","Lilliana","Lillie","Lilly","Lily","Lilyan","Lina","Lincoln","Linda","Lindsay","Lindsey","Linnea","Linnie","Linwood","Lionel","Lisa","Lisandro","Lisette","Litzy","Liza","Lizeth","Lizzie","Llewellyn","Lloyd","Logan","Lois","Lola","Lolita","Loma","Lon","London","Lonie","Lonnie","Lonny","Lonzo","Lora","Loraine","Loren","Lorena","Lorenz","Lorenza","Lorenzo","Lori","Lorine","Lorna","Lottie","Lou","Louie","Louisa","Lourdes","Louvenia","Lowell","Loy","Loyal","Loyce","Lucas","Luciano","Lucie","Lucienne","Lucile","Lucinda","Lucio","Lucious","Lucius","Lucy","Ludie","Ludwig","Lue","Luella","Luigi","Luis","Luisa","Lukas","Lula","Lulu","Luna","Lupe","Lura","Lurline","Luther","Luz","Lyda","Lydia","Lyla","Lynn","Lyric","Lysanne","Mabel","Mabelle","Mable","Mac","Macey","Maci","Macie","Mack","Mackenzie","Macy","Madaline","Madalyn","Maddison","Madeline","Madelyn","Madelynn","Madge","Madie","Madilyn","Madisen","Madison","Madisyn","Madonna","Madyson","Mae","Maegan","Maeve","Mafalda","Magali","Magdalen","Magdalena","Maggie","Magnolia","Magnus","Maia","Maida","Maiya","Major","Makayla","Makenna","Makenzie","Malachi","Malcolm","Malika","Malinda","Mallie","Mallory","Malvina","Mandy","Manley","Manuel","Manuela","Mara","Marc","Marcel","Marcelina","Marcelino","Marcella","Marcelle","Marcellus","Marcelo","Marcia","Marco","Marcos","Marcus","Margaret","Margarete","Margarett","Margaretta","Margarette","Margarita","Marge","Margie","Margot","Margret","Marguerite","Maria","Mariah","Mariam","Marian","Mariana","Mariane","Marianna","Marianne","Mariano","Maribel","Marie","Mariela","Marielle","Marietta","Marilie","Marilou","Marilyne","Marina","Mario","Marion","Marisa","Marisol","Maritza","Marjolaine","Marjorie","Marjory","Mark","Markus","Marlee","Marlen","Marlene","Marley","Marlin","Marlon","Marques","Marquis","Marquise","Marshall","Marta","Martin","Martina","Martine","Marty","Marvin","Mary","Maryam","Maryjane","Maryse","Mason","Mateo","Mathew","Mathias","Mathilde","Matilda","Matilde","Matt","Matteo","Mattie","Maud","Maude","Maudie","Maureen","Maurice","Mauricio","Maurine","Maverick","Mavis","Max","Maxie","Maxime","Maximilian","Maximillia","Maximillian","Maximo","Maximus","Maxine","Maxwell","May","Maya","Maybell","Maybelle","Maye","Maymie","Maynard","Mayra","Mazie","Mckayla","Mckenna","Mckenzie","Meagan","Meaghan","Meda","Megane","Meggie","Meghan","Mekhi","Melany","Melba","Melisa","Melissa","Mellie","Melody","Melvin","Melvina","Melyna","Melyssa","Mercedes","Meredith","Merl","Merle","Merlin","Merritt","Mertie","Mervin","Meta","Mia","Micaela","Micah","Michael","Michaela","Michale","Micheal","Michel","Michele","Michelle","Miguel","Mikayla","Mike","Mikel","Milan","Miles","Milford","Miller","Millie","Milo","Milton","Mina","Minerva","Minnie","Miracle","Mireille","Mireya","Misael","Missouri","Misty","Mitchel","Mitchell","Mittie","Modesta","Modesto","Mohamed","Mohammad","Mohammed","Moises","Mollie","Molly","Mona","Monica","Monique","Monroe","Monserrat","Monserrate","Montana","Monte","Monty","Morgan","Moriah","Morris","Mortimer","Morton","Mose","Moses","Moshe","Mossie","Mozell","Mozelle","Muhammad","Muriel","Murl","Murphy","Murray","Mustafa","Mya","Myah","Mylene","Myles","Myra","Myriam","Myrl","Myrna","Myron","Myrtice","Myrtie","Myrtis","Myrtle","Nadia","Nakia","Name","Nannie","Naomi","Naomie","Napoleon","Narciso","Nash","Nasir","Nat","Natalia","Natalie","Natasha","Nathan","Nathanael","Nathanial","Nathaniel","Nathen","Nayeli","Neal","Ned","Nedra","Neha","Neil","Nelda","Nella","Nelle","Nellie","Nels","Nelson","Neoma","Nestor","Nettie","Neva","Newell","Newton","Nia","Nicholas","Nicholaus","Nichole","Nick","Nicklaus","Nickolas","Nico","Nicola","Nicolas","Nicole","Nicolette","Nigel","Nikita","Nikki","Nikko","Niko","Nikolas","Nils","Nina","Noah","Noble","Noe","Noel","Noelia","Noemi","Noemie","Noemy","Nola","Nolan","Nona","Nora","Norbert","Norberto","Norene","Norma","Norris","Norval","Norwood","Nova","Novella","Nya","Nyah","Nyasia","Obie","Oceane","Ocie","Octavia","Oda","Odell","Odessa","Odie","Ofelia","Okey","Ola","Olaf","Ole","Olen","Oleta","Olga","Olin","Oliver","Ollie","Oma","Omari","Omer","Ona","Onie","Opal","Ophelia","Ora","Oral","Oran","Oren","Orie","Orin","Orion","Orland","Orlando","Orlo","Orpha","Orrin","Orval","Orville","Osbaldo","Osborne","Oscar","Osvaldo","Oswald","Oswaldo","Otha","Otho","Otilia","Otis","Ottilie","Ottis","Otto","Ova","Owen","Ozella","Ozzie","Pablo","Paige","Palma","Pamela","Pansy","Paolo","Paris","Parker","Pascale","Pasquale","Pat","Patience","Patricia","Patrick","Patsy","Pattie","Paul","Paula","Pauline","Paxton","Payton","Pearl","Pearlie","Pearline","Pedro","Peggie","Penelope","Percival","Percy","Perry","Pete","Peter","Petra","Peyton","Philip","Phoebe","Phyllis","Pierce","Pierre","Pietro","Pink","Pinkie","Piper","Polly","Porter","Precious","Presley","Preston","Price","Prince","Princess","Priscilla","Providenci","Prudence","Queen","Queenie","Quentin","Quincy","Quinn","Quinten","Quinton","Rachael","Rachel","Rachelle","Rae","Raegan","Rafael","Rafaela","Raheem","Rahsaan","Rahul","Raina","Raleigh","Ralph","Ramiro","Ramon","Ramona","Randal","Randall","Randi","Randy","Ransom","Raoul","Raphael","Raphaelle","Raquel","Rashad","Rashawn","Rasheed","Raul","Raven","Ray","Raymond","Raymundo","Reagan","Reanna","Reba","Rebeca","Rebecca","Rebeka","Rebekah","Reece","Reed","Reese","Regan","Reggie","Reginald","Reid","Reilly","Reina","Reinhold","Remington","Rene","Renee","Ressie","Reta","Retha","Retta","Reuben","Reva","Rex","Rey","Reyes","Reymundo","Reyna","Reynold","Rhea","Rhett","Rhianna","Rhiannon","Rhoda","Ricardo","Richard","Richie","Richmond","Rick","Rickey","Rickie","Ricky","Rico","Rigoberto","Riley","Rita","River","Robb","Robbie","Robert","Roberta","Roberto","Robin","Robyn","Rocio","Rocky","Rod","Roderick","Rodger","Rodolfo","Rodrick","Rodrigo","Roel","Rogelio","Roger","Rogers","Rolando","Rollin","Roma","Romaine","Roman","Ron","Ronaldo","Ronny","Roosevelt","Rory","Rosa","Rosalee","Rosalia","Rosalind","Rosalinda","Rosalyn","Rosamond","Rosanna","Rosario","Roscoe","Rose","Rosella","Roselyn","Rosemarie","Rosemary","Rosendo","Rosetta","Rosie","Rosina","Roslyn","Ross","Rossie","Rowan","Rowena","Rowland","Roxane","Roxanne","Roy","Royal","Royce","Rozella","Ruben","Rubie","Ruby","Rubye","Rudolph","Rudy","Rupert","Russ","Russel","Russell","Rusty","Ruth","Ruthe","Ruthie","Ryan","Ryann","Ryder","Rylan","Rylee","Ryleigh","Ryley","Sabina","Sabrina","Sabryna","Sadie","Sadye","Sage","Saige","Sallie","Sally","Salma","Salvador","Salvatore","Sam","Samanta","Samantha","Samara","Samir","Sammie","Sammy","Samson","Sandra","Sandrine","Sandy","Sanford","Santa","Santiago","Santina","Santino","Santos","Sarah","Sarai","Sarina","Sasha","Saul","Savanah","Savanna","Savannah","Savion","Scarlett","Schuyler","Scot","Scottie","Scotty","Seamus","Sean","Sebastian","Sedrick","Selena","Selina","Selmer","Serena","Serenity","Seth","Shad","Shaina","Shakira","Shana","Shane","Shanel","Shanelle","Shania","Shanie","Shaniya","Shanna","Shannon","Shanny","Shanon","Shany","Sharon","Shaun","Shawn","Shawna","Shaylee","Shayna","Shayne","Shea","Sheila","Sheldon","Shemar","Sheridan","Sherman","Sherwood","Shirley","Shyann","Shyanne","Sibyl","Sid","Sidney","Sienna","Sierra","Sigmund","Sigrid","Sigurd","Silas","Sim","Simeon","Simone","Sincere","Sister","Skye","Skyla","Skylar","Sofia","Soledad","Solon","Sonia","Sonny","Sonya","Sophia","Sophie","Spencer","Stacey","Stacy","Stan","Stanford","Stanley","Stanton","Stefan","Stefanie","Stella","Stephan","Stephania","Stephanie","Stephany","Stephen","Stephon","Sterling","Steve","Stevie","Stewart","Stone","Stuart","Summer","Sunny","Susan","Susana","Susanna","Susie","Suzanne","Sven","Syble","Sydnee","Sydney","Sydni","Sydnie","Sylvan","Sylvester","Sylvia","Tabitha","Tad","Talia","Talon","Tamara","Tamia","Tania","Tanner","Tanya","Tara","Taryn","Tate","Tatum","Tatyana","Taurean","Tavares","Taya","Taylor","Teagan","Ted","Telly","Terence","Teresa","Terrance","Terrell","Terrence","Terrill","Terry","Tess","Tessie","Tevin","Thad","Thaddeus","Thalia","Thea","Thelma","Theo","Theodora","Theodore","Theresa","Therese","Theresia","Theron","Thomas","Thora","Thurman","Tia","Tiana","Tianna","Tiara","Tierra","Tiffany","Tillman","Timmothy","Timmy","Timothy","Tina","Tito","Titus","Tobin","Toby","Tod","Tom","Tomas","Tomasa","Tommie","Toney","Toni","Tony","Torey","Torrance","Torrey","Toy","Trace","Tracey","Tracy","Travis","Travon","Tre","Tremaine","Tremayne","Trent","Trenton","Tressa","Tressie","Treva","Trever","Trevion","Trevor","Trey","Trinity","Trisha","Tristian","Tristin","Triston","Troy","Trudie","Trycia","Trystan","Turner","Twila","Tyler","Tyra","Tyree","Tyreek","Tyrel","Tyrell","Tyrese","Tyrique","Tyshawn","Tyson","Ubaldo","Ulices","Ulises","Una","Unique","Urban","Uriah","Uriel","Ursula","Vada","Valentin","Valentina","Valentine","Valerie","Vallie","Van","Vance","Vanessa","Vaughn","Veda","Velda","Vella","Velma","Velva","Vena","Verda","Verdie","Vergie","Verla","Verlie","Vern","Verna","Verner","Vernice","Vernie","Vernon","Verona","Veronica","Vesta","Vicenta","Vicente","Vickie","Vicky","Victor","Victoria","Vida","Vidal","Vilma","Vince","Vincent","Vincenza","Vincenzo","Vinnie","Viola","Violet","Violette","Virgie","Virgil","Virginia","Virginie","Vita","Vito","Viva","Vivian","Viviane","Vivianne","Vivien","Vivienne","Vladimir","Wade","Waino","Waldo","Walker","Wallace","Walter","Walton","Wanda","Ward","Warren","Watson","Wava","Waylon","Wayne","Webster","Weldon","Wellington","Wendell","Wendy","Werner","Westley","Weston","Whitney","Wilber","Wilbert","Wilburn","Wiley","Wilford","Wilfred","Wilfredo","Wilfrid","Wilhelm","Wilhelmine","Will","Willa","Willard","William","Willie","Willis","Willow","Willy","Wilma","Wilmer","Wilson","Wilton","Winfield","Winifred","Winnifred","Winona","Winston","Woodrow","Wyatt","Wyman","Xander","Xavier","Xzavier","Yadira","Yasmeen","Yasmin","Yasmine","Yazmin","Yesenia","Yessenia","Yolanda","Yoshiko","Yvette","Yvonne","Zachariah","Zachary","Zachery","Zack","Zackary","Zackery","Zakary","Zander","Zane","Zaria","Zechariah","Zelda","Zella","Zelma","Zena","Zetta","Zion","Zita","Zoe","Zoey","Zoie","Zoila","Zola","Zora","Zula"],"last_name":["Abbott","Abernathy","Abshire","Adams","Altenwerth","Anderson","Ankunding","Armstrong","Auer","Aufderhar","Bahringer","Bailey","Balistreri","Barrows","Bartell","Bartoletti","Barton","Bashirian","Batz","Bauch","Baumbach","Bayer","Beahan","Beatty","Bechtelar","Becker","Bednar","Beer","Beier","Berge","Bergnaum","Bergstrom","Bernhard","Bernier","Bins","Blanda","Blick","Block","Bode","Boehm","Bogan","Bogisich","Borer","Bosco","Botsford","Boyer","Boyle","Bradtke","Brakus","Braun","Breitenberg","Brekke","Brown","Bruen","Buckridge","Carroll","Carter","Cartwright","Casper","Cassin","Champlin","Christiansen","Cole","Collier","Collins","Conn","Connelly","Conroy","Considine","Corkery","Cormier","Corwin","Cremin","Crist","Crona","Cronin","Crooks","Cruickshank","Cummerata","Cummings","Dach","D'Amore","Daniel","Dare","Daugherty","Davis","Deckow","Denesik","Dibbert","Dickens","Dicki","Dickinson","Dietrich","Donnelly","Dooley","Douglas","Doyle","DuBuque","Durgan","Ebert","Effertz","Eichmann","Emard","Emmerich","Erdman","Ernser","Fadel","Fahey","Farrell","Fay","Feeney","Feest","Feil","Ferry","Fisher","Flatley","Frami","Franecki","Friesen","Fritsch","Funk","Gaylord","Gerhold","Gerlach","Gibson","Gislason","Gleason","Gleichner","Glover","Goldner","Goodwin","Gorczany","Gottlieb","Goyette","Grady","Graham","Grant","Green","Greenfelder","Greenholt","Grimes","Gulgowski","Gusikowski","Gutkowski","Gutmann","Haag","Hackett","Hagenes","Hahn","Haley","Halvorson","Hamill","Hammes","Hand","Hane","Hansen","Harber","Harris","Hartmann","Harvey","Hauck","Hayes","Heaney","Heathcote","Hegmann","Heidenreich","Heller","Herman","Hermann","Hermiston","Herzog","Hessel","Hettinger","Hickle","Hilll","Hills","Hilpert","Hintz","Hirthe","Hodkiewicz","Hoeger","Homenick","Hoppe","Howe","Howell","Hudson","Huel","Huels","Hyatt","Jacobi","Jacobs","Jacobson","Jakubowski","Jaskolski","Jast","Jenkins","Jerde","Johns","Johnson","Johnston","Jones","Kassulke","Kautzer","Keebler","Keeling","Kemmer","Kerluke","Kertzmann","Kessler","Kiehn","Kihn","Kilback","King","Kirlin","Klein","Kling","Klocko","Koch","Koelpin","Koepp","Kohler","Konopelski","Koss","Kovacek","Kozey","Krajcik","Kreiger","Kris","Kshlerin","Kub","Kuhic","Kuhlman","Kuhn","Kulas","Kunde","Kunze","Kuphal","Kutch","Kuvalis","Labadie","Lakin","Lang","Langosh","Langworth","Larkin","Larson","Leannon","Lebsack","Ledner","Leffler","Legros","Lehner","Lemke","Lesch","Leuschke","Lind","Lindgren","Littel","Little","Lockman","Lowe","Lubowitz","Lueilwitz","Luettgen","Lynch","Macejkovic","MacGyver","Maggio","Mann","Mante","Marks","Marquardt","Marvin","Mayer","Mayert","McClure","McCullough","McDermott","McGlynn","McKenzie","McLaughlin","Medhurst","Mertz","Metz","Miller","Mills","Mitchell","Moen","Mohr","Monahan","Moore","Morar","Morissette","Mosciski","Mraz","Mueller","Muller","Murazik","Murphy","Murray","Nader","Nicolas","Nienow","Nikolaus","Nitzsche","Nolan","Oberbrunner","O'Connell","O'Conner","O'Hara","O'Keefe","O'Kon","Okuneva","Olson","Ondricka","O'Reilly","Orn","Ortiz","Osinski","Pacocha","Padberg","Pagac","Parisian","Parker","Paucek","Pfannerstill","Pfeffer","Pollich","Pouros","Powlowski","Predovic","Price","Prohaska","Prosacco","Purdy","Quigley","Quitzon","Rath","Ratke","Rau","Raynor","Reichel","Reichert","Reilly","Reinger","Rempel","Renner","Reynolds","Rice","Rippin","Ritchie","Robel","Roberts","Rodriguez","Rogahn","Rohan","Rolfson","Romaguera","Roob","Rosenbaum","Rowe","Ruecker","Runolfsdottir","Runolfsson","Runte","Russel","Rutherford","Ryan","Sanford","Satterfield","Sauer","Sawayn","Schaden","Schaefer","Schamberger","Schiller","Schimmel","Schinner","Schmeler","Schmidt","Schmitt","Schneider","Schoen","Schowalter","Schroeder","Schulist","Schultz","Schumm","Schuppe","Schuster","Senger","Shanahan","Shields","Simonis","Sipes","Skiles","Smith","Smitham","Spencer","Spinka","Sporer","Stamm","Stanton","Stark","Stehr","Steuber","Stiedemann","Stokes","Stoltenberg","Stracke","Streich","Stroman","Strosin","Swaniawski","Swift","Terry","Thiel","Thompson","Tillman","Torp","Torphy","Towne","Toy","Trantow","Tremblay","Treutel","Tromp","Turcotte","Turner","Ullrich","Upton","Vandervort","Veum","Volkman","Von","VonRueden","Waelchi","Walker","Walsh","Walter","Ward","Waters","Watsica","Weber","Wehner","Weimann","Weissnat","Welch","West","White","Wiegand","Wilderman","Wilkinson","Will","Williamson","Willms","Windler","Wintheiser","Wisoky","Wisozk","Witting","Wiza","Wolf","Wolff","Wuckert","Wunsch","Wyman","Yost","Yundt","Zboncak","Zemlak","Ziemann","Zieme","Zulauf"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name} #{suffix}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}"],"name_with_middle":["#{prefix} #{first_name} #{first_name} #{last_name}","#{first_name} #{first_name} #{last_name} #{suffix}","#{first_name} #{first_name} #{last_name}","#{first_name} #{first_name} #{last_name}","#{first_name} #{first_name} #{last_name}","#{first_name} #{first_name} #{last_name}"],"prefix":["Mr.","Mrs.","Ms.","Miss","Dr."],"suffix":["Jr.","Sr.","I","II","III","IV","V","MD","DDS","PhD","DVM"],"title":{"descriptor":["Lead","Senior","Direct","Corporate","Dynamic","Future","Product","National","Regional","District","Central","Global","Customer","Investor","Dynamic","International","Legacy","Forward","Internal","Human","Chief","Principal"],"job":["Supervisor","Associate","Executive","Liaison","Officer","Manager","Engineer","Specialist","Director","Coordinator","Administrator","Architect","Analyst","Designer","Planner","Orchestrator","Technician","Developer","Producer","Consultant","Assistant","Facilitator","Agent","Representative","Strategist"],"level":["Solutions","Program","Brand","Security","Research","Marketing","Directives","Implementation","Integration","Functionality","Response","Paradigm","Tactics","Identity","Markets","Group","Division","Applications","Optimization","Operations","Infrastructure","Intranet","Communications","Web","Branding","Quality","Assurance","Mobility","Accounts","Data","Creative","Configuration","Accountability","Interactions","Factors","Usability","Metrics"]}},"one_piece":{"akumas_no_mi":["Gomu Gomu no Mi","Hana Hana no Mi","Doru Doru no Mi","Baku Baku no Mi","Mane Mane no Mi","Supa Supa no Mi","Ori Ori no Mi","Bane Bane no Mi","Noro Noro no Mi","Doa Doa no Mi","Awa Awa no Mi","Beri Beri no Mi","Sabi Sabi no Mi","Shari Shari no Mi","Yomi Yomi no Mi","Kage Kage no Mi","Horo Horo no Mi","Suke Suke no Mi","Nikyu Nikyu no Mi","Mero Mero no Mi","Doku Doku no Mi","Horu Horu no Mi","Choki Choki no Mi","Gura Gura no Mi","Fuwa Fuwa no Mi","Woshu Woshu no Mi","Mato Mato no Mi","Ope Ope no Mi","Buki Buki no Mi","Bari Bari no Mi","Nui Nui no Mi","Giro Giro no Mi","Ato Ato no Mi","Jake Jake no Mi","Pamu Pamu no Mi","Sui Sui no Mi","Hira Hira no Mi","Ishi Ishi no Mi","Nagi Nagi no Mi","Ito Ito no Mi","Shiro Shiro no Mi","Chiyu Chiyu no Mi","Ushi Ushi no Mi","Hito Hito no Mi","Tori Tori no Mi","Inu Inu no Mi","Neko Neko no Mi","Zou Zou no Mi","Hebi Hebi no Mi","Sara Sara no Mi","Mushi Mushi no Mi","Batto Batto no Mi","Mogu Mogu no Mi","Uma Uma no Mi","Kame Kame no Mi","Moku Moku no Mi","Mera Mera no Mi","Suna Suna no Mi","Goro Goro no Mi","Hie Hie no Mi","Pika Pika no Mi","Magu Magu no Mi","Numa Numa no Mi","Gasu Gasu no Mi","Yuki Yuki no Mi"],"characters":["Monkey D. Luffy","Roronoa Zoro","Nami","Ussop","Vinsmoke Sanji","Tony Tony Chopper","Nico Robin","Franky","Brook","Akainu","Aokiji","Arlong","Bartholomew Kuma","Boa Hancock","Caesar Clown","Coby","Crocodile","Kuroken Mr. 1","Dracule Mihawk","Edward Newgate","Emporio Ivankov","Gecko Moriah","Jinbe","Kaido","Kalifa","Kizaru","Marshall D. Teach","Mokey D. Dragon","Monkey D. Garp","Portgas D. Ace","Rob Lucci","Sengoku","Shanks","Smoker","Tashigi","Trafalgar D. Water Law","Alvida","Baby Five","Bartolomeo","Basil Hawkins","Bastille","Bellamy","Ben Beckmann","Bepo","Blueno","Bon Clay Mr. 2","Brook","Bufalo","Buggy","Capone Bege","Cavendish","Hakuba","Dellinger","Diamante","Doc Q","Don Chinjao","Don Krieg","Donquixote Doflamingo","Enel","Eustass Kid","Fujitora","Fukuro","Fullbody","Gladius","Gold D. Roger","Hacchi","Hannyabal","Hody Jones","Jyabura","Jesus Burgess","Jewelry Bonney","Jozu","Kaku","Kaime","Killer","Kinemon","Koala","Kumadori","Kyros","Laboon","Laffitte","Lao G","Leo","Lucy","Magellan","Marco","Miss Valentine","Momonosuke","Money","Nojiko","Perona","Rebecca","Ryuma","Sabo","Sadi","Scratchmen Apoo","Sengoku","Señor Pink","Sentoumaru","Shirahoshi","Silvers Rayleigh","Sogeking","Sugar","Spandam","Van Auger","Vergo","Vista","Vivi","X Drake","Corazon","Pika"],"islands":["Dawn Island","Goat Island","Shells Town","Organ Islands","Island of Rare Animals","Gecko Islands","Conomi Islands","Loguetown","Kumate Island","Mirrorball Island","Tequila Wolf","Cozia","Ohara","Ilusia","Thriller Bark","Toroa","Las Camp","Kano Country","Germa Kingdom","Lvneel Kingdom","Micqueot","Spider Miles","Flevance","Rubeck Island","Swallow Island","Minion Island","Rakesh","Notice","Briss Kingdom","Karate Island","Centaurea","Torino Kingdom","Baterilla","Black Drum Kingdom","Fishman Island","Amazon Lily","Impel Down","Rasukaina","Cactus Island","Little Garden","Holliday Island","Drum Island","Alabasta","Nanimonai Island","Jaya","Long Ring Long Land","Water 7","Enies Lobby","San Faldo","Pucci","St. Poplar","Florian Triangle","Sabaody Archipelago","Marineford","Vira","Banaro Island","Yuki's Island","Buggy's Treasure Island","G-2","Karakuri Island","Mamoiro Island","Boin Archipelago","Namakura Island","Kuraigana Island","Merveille","G-1","Yukiryu Island","Baltigo","Wano Country","Edd War","Floodvalter","G-5","Laftel","Whole Cake Island","Cacao Island","Jam Island","Nuts Island","Cheese Island","Biscuits Island","Candy Island","Milk Island","Punk Hazard","Raijin Island","Risky Red Island","Mystoria Island","Dressrosa","Green Bit","Zou","Prodence Kingdom","Applenine Island","Karai Bari Island","Broc Coli Island","Elbaf","Skypiea","Weatheria"],"locations":["Foosha Village","Mt. Colubo","Gray Terminal","Midway Forest","Goa Kingdom","Orange Town","Syrup Village","Shimotsuki Village","Baratie","Gosa Village","Cocoyashi Village","Arlong Park","Ryugu Kingdom","Reverse Mountain","Twin Cape","Mariejois","Whiskey Peak","Bighorn","Drum Rockies","Cocoa Weed","Gyasta","Robelie","Sandora Desert","Sandora River","Rainbase","Yuba","Erumalu","Nanohana","Katorea","Spiders Cafe","Alubarna","Tamarisk","Suiren","Mock Town","Sea Train Area","Totto Land","Acacia","Sebio","Moon","Birka","Angel Island","Upper Yard","Shandia Village","Heaven's Gate","Clouds End","Rommel Kingdom","Eight Nine Island","High Mountain","Nakrowa","Land of Ice","Great Kingdom"],"quotes":["I love heroes, but I don't want to be one. Do you even know what a hero is!? For example, you have some meat. Pirates will feast on the meat, but the hero will distribute it among the people! I want to eat the meat!","Don't ever think there's any perfect society made by humans!! If you think that way you'll overlook the enemy!! Don't be fooled by appearances!","If I can't even protect my captain's dream, then whatever ambition I have is nothing but talk! Luffy must be the man who becomes the Pirate King!","Old man, everyone!! And you.. Luffy. Even though I've been good for nothing my whole life, even though I have the blood of a demon within me... You guys still loved me! Thank you so much!!","Compared to the \"righteous\" greed of the rulers, the criminals of the world seem much more honorable. When scum rules the world, only more scum is born.","Pirates are evil? The Marines are righteous?... Justice will prevail, you say? But of course it will! Whoever wins this war becomes justice!","When do you think people die? When they are shot through the heart by the bullet of a pistol? No. When they are ravaged by an incurable disease? No... It’s when they're forgotten!","You can spill drinks on me, even spit on me. I'll just laugh about it. But If you dare to hurt my friends... I won't forgive you!","The government says your existence is a crime, but no matter what kind of weapons you may hold, just being alive isn't a sin! There's no crime in living!","ONE PIECE IS REAL!","It's not some sort of special power. He has the ability to make allies of everyone he meets. And that is the most fearsome ability on the high seas.","I want to live!","Maybe nothing in this world happens by accident. As everything happens for a reason, our destiny slowly takes form.","Food is a gift from god. Spices are a gift from the devil. It looks like it was a bit too spicy for you.","I don't care now. I wanted to look like a human because I wanted friends. Now I want to be a monster who's helpful to Luffy!","Miracles only happen to those who never give up.","Stop counting only those things you have lost! What is gone, is gone! So ask yourself this. What is there... that still remains to you?!","If you want to protect something, do it right! Don't let them get their way anymore!","The royalty and nobles are behind the fire... Believe me... This town smells worse than Gray Terminal. It smells like rotten people! If I stay here... I'll never be free! I'm... ashamed to be born a noble!","There comes a time when a man has to stand and fight! That time is when his friends' dreams are being laughed at! And I won't let you laugh at that!","To true friendship, how long you've known each other means nothing.","When the world shoves you around, you just gotta stand up and shove back. It's not like somebody's gonna save you if you start babbling excuses.","People's dreams... Never end!","If you kill yourself, I'll kill you!","I don't wanna live a thousand years. If I just live through today, that'll be enough."],"seas":["East Blue","West Blue","North Blue","South Blue","Grand Line","All Blue"]},"overwatch":{"heroes":["Ana","Bastion","D.va","Doomfist","Genji","Hanzo","Junkrat","Lucio","McCree","Mei","Mercy","Orisa","Pharah","Reaper","Reinhardt","Roadhog","Soldier 76","Sombra","Symmetra","Torbjorn","Tracer","Widowmaker","Winston","Zarya","Zenyatta"],"locations":["Adlersbrunn","Chateau Guillard","Dorado","Ecopoint: Antarctica","Eichenwalde","Hanamura","Hollywood","Ilios","Junkertown","King's Row","Lijiang Tower","Nepal","Numbani","Oasis","Route 66","Temple of Anubis","Volskaya Industries","Watchpoint: Gibraltar"],"quotes":["It's high noon","Pass into the Iris","Heroes never die","Fire at will","Hammer Down!","Molten Core!","No one can hide from my sight","Time's up","Ryuugekiken","Ryuu-ga Wa-ga-te-ki-wo Ku-ra-u","I've got you in my sights","Die! Die! Die!","Justice rains from above","Fire in the hole!","Nerf This!","Boo boo doo de doo.","Hack the planet","Love, D.va","Justice ain't gonna dispense itself","Be sure to stretch before engaging in rigorous physical activity","Overconfidence is a flimsy shield","Repetition is the path to mastery","I am on fire, but an extinguisher is not required","I'm the one who does his job. I'm thinking, you're the other one","You're just a glitch in the system","Cease your resistance!","Meteor Strike!","You know my name"]},"phone_number":{"formats":["###-###-####","(###) ###-####","1-###-###-####","###.###.####","###-###-####","(###) ###-####","1-###-###-####","###.###.####","###-###-#### x###","(###) ###-#### x###","1-###-###-#### x###","###.###.#### x###","###-###-#### x####","(###) ###-#### x####","1-###-###-#### x####","###.###.#### x####","###-###-#### x#####","(###) ###-#### x#####","1-###-###-#### x#####","###.###.#### x#####"]},"pokemon":{"locations":["Accumula Town","Ambrette Town","Anistar City","Anville Town","Aquacorde Town","Aspertia City","Azalea Town","Black City","Blackthorn City","Camphrier Town","Canalave City","Castelia City","Celadon City","Celestic Town","Cerulean City","Cherrygrove City","Cianwood City","Cinnabar Island","Coumarine City","Couriway Town","Cyllage City","Dendemille Town","Dewford Town","Driftveil City","Ecruteak City","Eterna City","Ever Grande City","Fallarbor Town","Fight Area","Five Island","Floaroma Town","Floccesy Town","Fortree City","Four Island","Frontier Access","Fuchsia City","Geosenge Town","Goldenrod City","Hearthome City","Humilau City","Icirrus City","Jubilife City","Kiloude City","Lacunosa Town","Lavaridge Town","Lavender Town","Laverre City","Lentimas Town","Littleroot Town","Lilycove City","Lumiose City","Mahogany Town","Mauville City","Mistralton City","Mossdeep City","Nacrene City","New Bark Town","Nimbasa City","Nuvema Town","Oldale Town","Olivine City","One Island","Opelucid City","Oreburgh City","Pacifidlog Town","Pallet Town","Pastoria City","Petalburg City","Pewter City","Resort Area","Rustboro City","Safari Zone Gate","Saffron City","Sandgem Town","Santalune City","Striaton City","Seven Island","Shalour City","Six Island","Slateport City","Snowbelle City","Snowpoint City","Solaceon Town","Sootopolis City","Sunyshore City","Survival Area","Three Island","Twinleaf Town","Two Island","Undella Town","Vaniville Town","Veilstone City","Verdanturf Town","Vermilion City","Violet City","Virbank City","Viridian City","White Forest"],"moves":["Absorb","Acid","Acid Armor","Agility","Amnesia","Aurora Beam","Barrage","Barrier","Bide","Bind","Bite","Blizzard","Body Slam","Bone Club","Bonemerang","Bubble","Bubble Beam","Clamp","Comet Punch","Confuse Ray","Confusion","Constrict","Conversion","Counter","Crabhammer","Cut","Defense Curl","Dig","Disable","Dizzy Punch","Double Kick","Double Slap","Double Team","Double-Edge","Dragon Rage","Dream Eater","Drill Peck","Earthquake","Egg Bomb","Ember","Explosion","Fire Blast","Fire Punch","Fire Spin","Fissure","Flamethrower","Flash","Fly","Focus Energy","Fury Attack","Fury Swipes","Glare","Growl","Growth","Guillotine","Gust","Harden","Haze","Headbutt","High Jump Kick","Horn Attack","Horn Drill","Hydro Pump","Hyper Beam","Hyper Fang","Hypnosis","Ice Beam","Ice Punch","Jump Kick","Karate Chop","Kinesis","Leech Life","Leech Seed","Leer","Lick","Light Screen","Lovely Kiss","Low Kick","Meditate","Mega Drain","Mega Kick","Mega Punch","Metronome","Mimic","Minimize","Mirror Move","Mist","Night Shade","Pay Day","Peck","Petal Dance","Pin Missile","Poison Gas","Poison Powder","Poison Sting","Pound","Psybeam","Psychic","Psywave","Quick Attack","Rage","Razor Leaf","Razor Wind","Recover","Reflect","Rest","Roar","Rock Slide","Rock Throw","Rolling Kick","Sand Attack","Scratch","Screech","Seismic Toss","Self-Destruct","Sharpen","Sing","Skull Bash","Sky Attack","Slam","Slash","Sleep Powder","Sludge","Smog","Smokescreen","Soft-Boiled","Solar Beam","Sonic Boom","Spike Cannon","Splash","Spore","Stomp","Strength","String Shot","Struggle","Stun Spore","Submission","Substitute","Super Fang","Supersonic","Surf","Swift","Swords Dance","Tackle","Tail Whip","Take Down","Teleport","Thrash","Thunder","Thunder Punch","Thunder Shock","Thunder Wave","Thunderbolt","Toxic","Transform","Tri Attack","Twineedle","Vice Grip","Vine Whip","Water Gun","Waterfall","Whirlwind","Wing Attack","Withdraw","Wrap"],"names":["Bulbasaur","Ivysaur","Venusaur","Charmander","Charmeleon","Charizard","Squirtle","Wartortle","Blastoise","Caterpie","Metapod","Butterfree","Weedle","Kakuna","Beedrill","Pidgey","Pidgeotto","Pidgeot","Rattata","Raticate","Spearow","Fearow","Ekans","Arbok","Pikachu","Raichu","Sandshrew","Sandslash","Nidoran","Nidorina","Nidoqueen","Nidoran","Nidorino","Nidoking","Clefairy","Clefable","Vulpix","Ninetales","Jigglypuff","Wigglytuff","Zubat","Golbat","Oddish","Gloom","Vileplume","Paras","Parasect","Venonat","Venomoth","Diglett","Dugtrio","Meowth","Persian","Psyduck","Golduck","Mankey","Primeape","Growlithe","Arcanine","Poliwag","Poliwhirl","Poliwrath","Abra","Kadabra","Alakazam","Machop","Machoke","Machamp","Bellsprout","Weepinbell","Victreebel","Tentacool","Tentacruel","Geodude","Graveler","Golem","Ponyta","Rapidash","Slowpoke","Slowbro","Magnemite","Magneton","Farfetch'd","Doduo","Dodrio","Seel","Dewgong","Grimer","Muk","Shellder","Cloyster","Gastly","Haunter","Gengar","Onix","Drowzee","Hypno","Krabby","Kingler","Voltorb","Electrode","Exeggcute","Exeggutor","Cubone","Marowak","Hitmonlee","Hitmonchan","Lickitung","Koffing","Weezing","Rhyhorn","Rhydon","Chansey","Tangela","Kangaskhan","Horsea","Seadra","Goldeen","Seaking","Staryu","Starmie","Mr. Mime","Scyther","Jynx","Electabuzz","Magmar","Pinsir","Tauros","Magikarp","Gyarados","Lapras","Ditto","Eevee","Vaporeon","Jolteon","Flareon","Porygon","Omanyte","Omastar","Kabuto","Kabutops","Aerodactyl","Snorlax","Articuno","Zapdos","Moltres","Dratini","Dragonair","Dragonite","Mewtwo","Mew"]},"programming_language":{"creator":["John Backus","Friedrich L. Bauer","Gilad Bracha","Walter Bright","Alain Colmerauer","Ole-Johan Dahl","Brendan Eich","James Gosling","Anders Hejlsberg","Rich Hickey","Roberto Ierusalimschy","Alan Kay","Dan Ingalls","Chris Lattner","Yukihiro Matsumoto","John McCarthy","Martin Odersky","Dennis Ritchie","Guido van Rossum","Guy L. Steele, Jr.","Bjarne Stroustrup","Don Syme","Ken Thompson","Larry Wall","Philip Wadler"],"name":["FORTRAN","ALGOL","Newspeak","D","Prolog","Simula","JavaScript","Java","C#","Clojure","COBOL","Lua","Smalltalk","Swift","Ruby","Lisp","Scala","C","Python","Scheme","Fortress","C++","Go","Perl","Haskell"]},"rick_and_morty":{"characters":["Rick Sanchez","Tiny Rick","Morty Smith","Morty Jr.","Evil Morty","Summer Smith","Jerry Smith","Beth Smith","Snuffles","Birdperson","Tammy Gueterman","Jessica","Baby Legs","Mr. Meeseeks","Scary Terry","Mr. Poopybutthole","Unity","Squanchy","Shrimply Pibbles","Dr. Glip-Glop","Eyeholes Man","Beth's Mytholog","Jerry's Mytholog","Mr. Needful","Krombopulos Michael","Mr. Goldenfold","Snowball","Arthricia","Tinkles","Gazorpazorpfield","Lighthouse Chief","Jan Michael Vincent","Stealy","Tophat Jones","Loggins","Abradolf Lincler","Cousin Nicky","Revolio 'Gearhead' Clockberg, Jr.","Fart","Beta VII","King Jellybean"],"locations":["Dimension C-132","Dimension C-137","Earth","Alphabetrium","Arbolez Mentorosos","Bird World","Cronenberg World","Dwarf Terrace-9","Gazorpazorp","Glapflap","Hideout Planet","On a Cob Planet","Parblesnops","Pawn Shop Planet","Planet Squanch","Pluto","Purge Planet","Screaming Sun Earth","Snorlab","Interdimensional Customs"],"quotes":["Ohh yea, you gotta get schwifty.","I like what you got.","Don’t even trip dawg.","Get off the high road Summer. We all got pink eye because you wouldn't stop texting on the toilet.","Yo! What up my glip glops!","It's fine, everything is fine. Theres an infinite number of realities Morty and in a few dozen of those I got lucky and turned everything back to normal.","Sometimes science is a lot more art, than science. A lot of people don't get that.","There is no god, Summer; gotta rip that band-aid off now you'll thank me later.","WUBBA LUBBA DUB DUBS!!!","Oh, I'm sorry Morty, are you the scientist or are you the kid who wanted to get laid?","This isn't Game of Thrones, Morty.","You're our boy dog, don't even trip.","He's not a hot girl. He can't just bail on his life and set up shop in someone else's.","I don't get it and I don't need to.","Pluto's a planet.","HI! I'M MR MEESEEKS! LOOK AT ME!","Existence is pain to a meeseeks Jerry, and we will do anything to alleviate that pain.","Well then get your shit together. Get it all together and put it in a backpack, all your shit, so it's together. ...and if you gotta take it somewhere, take it somewhere ya know? Take it to the shit store and sell it, or put it in a shit museum. I don't care what you do, you just gotta get it together... Get your shit together.","Aw, c'mon Rick. That doesn't seem so bad.","Aww, gee, you got me there Rick.","You're like Hitler, except...Hitler cared about Germany, or something.","Hello Jerry, come to rub my face in urine again?","Snuffles was my slave name, you can call me snowball because my fur is pretty and white.","Go home and drink, grandpa.","I'm the devil. What should I do when I fail? Give myself an ice cream?","Weddings are basically funerals with cake.","What about the reality where Hitler cured cancer, Morty? The answer is: Don't think about it.","Nobody exists on purpose. Nobody belongs anywhere. Everybody is going to die.","That just sounds like slavery with extra steps.","Keep Summer safe.","Where are my testicles, Summer?","Oh yeah, If you think my Rick is Dead, then he is alive. If you think you're safe, then he's coming for you.","Let me out, what you see is not the same person as me. My life's a lie. I'm not who you're looking. Let me out. Set me free. I'm really old. This isn't me. My real body is slowly dieing in a vat. Is anybody listening? Can anyone understand? Stop looking at me like that and actually help me. Help me. Help me I'm gunna die.","This sounds like something The One True Morty might say.","I'm more than just a hammer.","That's the difference between you and me, Morty. I never go back to the carpet store.","What is my purpose. You pass butter. Oh My God. Yeah, Welcome to the club pal.","Meeseeks are not born into this world fumbling for meaning, Jerry! We are created to serve a single purpose, for which we go to any lengths to fulfill.","It's a figure of speech, Morty! They're bureaucrats! I don't respect them. Just keep shooting, Morty! You have no idea what prison is like here!","Having a family doesn't mean that you stop being an individual.","Traditionally, science fairs are a father/son thing. Well, scientifically, traditions are an idiot thing.","No no, If I wanted to be sober, I wouldn’t have gotten drunk.","I hate to break it to you, but what people call 'love' is just a chemical reaction that compels animals to breed. It hits hard Morty then it slowly fades leaving you stranded in a failing marriage. I did it. Your parents are going to do it. Break the cycle Morty, rise above, focus on science.","I want that Mulan McNugget sauce, Morty!","Listen, I'm not the nicest guy in the universe, because I'm the smartest, and being nice is something stupid people do to hedge their bets.","Can somebody just let me out of here? If I die in a cage I lose a bet.","Uncertainty is inherently unsustainable. Eventually, everything either is or isn't.","The first rule of space travel kids is always check out distress beacons. Nine out of ten times it's a ship full of dead aliens and a bunch of free shit! One out of ten times it's a deadly trap, but... I'm ready to roll those dice!","Great, now I have to take over an entire planet because of your stupid boobs.","Oh Summer, haha first race war, huh?","Little tip, Morty. Never clean DNA vials with your spit.","So what if the most meaningful day in your life was a simulation operating at minimum complexity."]},"robin":{"quotes":["Holy Agility","Holy Almost","Holy Alphabet","Holy Alps","Holy Alter Ego","Holy Anagram","Holy Apparition","Holy Armadillo","Holy Armour Plate","Holy Ashtray","Holy Asp","Holy Astronomy","Holy Astringent Plum-like Fruit","Holy Audubon","Holy Backfire","Holy Ball And Chain","Holy Bank Balance","Holy Bankruptcy","Holy Banks","Holy Bargain Basements","Holy Barracuda","Holy Bat Logic","Holy Bat Trap","Holy Batman","Holy Benedict Arnold","Holy Bijou","Holy Bikini","Holy Bill Of Rights","Holy Birthday Cake","Holy Black Beard","Holy Blackout","Holy Blank Cartridge","Holy Blizzard","Holy Blonde Mackerel Ash","Holy Bluebeard","Holy Bouncing Boiler Plate","Holy Bowler","Holy Bullseye","Holy Bunions","Holy Caffeine","Holy Camouflage","Holy Captain Nemo","Holy Caruso","Holy Catastrophe","Holy Cat(s)","Holy Chicken Coop","Holy Chilblains","Holy Chocolate Eclair","Holy Cinderella","Holy Cinemascope","Holy Cliche","Holy Cliffhangers","Holy Clockwork","Holy Clockworks","Holy Cofax You Mean","Holy Coffin Nails","Holy Cold Creeps","Holy Complications","Holy Conflagration","Holy Contributing to the Delinquency of Minors","Holy Corpuscles","Holy Cosmos","Holy Costume Party","Holy Crack Up","Holy Crickets","Holy Crossfire","Holy Crucial Moment","Holy Cryptology","Holy D'artagnan","Holy Davy Jones","Holy Detonator","Holy Disappearing Act","Holy Distortion","Holy Diversionary Tactics","Holy Dr. Jekyll and Mr. Hyde","Holy Egg Shells","Holy Encore","Holy Endangered Species","Holy Epigrams","Holy Escape-hatch","Holy Explosion","Holy Fate-worse-than-death","Holy Felony","Holy Finishing-touches","Holy Fireworks","Holy Firing Squad","Holy Fishbowl","Holy Flight Plan","Holy Flip-flop","Holy Flood Gate","Holy Floor Covering","Holy Flypaper","Holy Fly Trap","Holy Fog","Holy Forecast","Holy Fork In The Road","Holy Fourth Amendment","Holy Fourth Of July","Holy Frankenstein","Holy Frankenstein It's Alive","Holy Fratricide","Holy Frogman","Holy Fruit Salad","Holy Frying Towels","Holy Funny Bone","Holy Gall","Holy Gambles","Holy Gemini","Holy Geography","Holy Ghost Writer","Holy Giveaways","Holy Glow Pot","Holy Golden Gate","Holy Graf Zeppelin","Holy Grammar","Holy Graveyards","Holy Greed","Holy Green Card","Holy Greetings-cards","Holy Guacamole","Holy Guadalcanal","Holy Gullibility","Holy Gunpowder","Holy Haberdashery","Holy Hailstorm","Holy Hairdo","Holy Hallelujah","Holy Halloween","Holy Hallucination","Holy Hamburger","Holy Hamlet","Holy Hamstrings","Holy Happenstance","Holy Hardest Metal In The World","Holy Harem","Holy Harshin","Holy Haziness","Holy Headache","Holy Headline","Holy Heart Failure","Holy Heartbreak","Holy Heidelberg","Holy Helmets","Holy Helplessness","Holy Here We Go Again","Holy Hi-fi","Holy Hieroglyphic","Holy High-wire","Holy Hijack","Holy Hijackers","Holy History","Holy Hoaxes","Holy Hole In A Donut","Holy Hollywood","Holy Holocaust","Holy Homecoming","Holy Homework","Holy Homicide","Holy Hoodwink","Holy Hoof Beats","Holy Hors D'Oeuvre","Holy Horseshoes","Holy Hostage","Holy Hot Foot","Holy Houdini","Holy Human Collectors Item","Holy Human Pearls","Holy Human Pressure Cookers","Holy Human Surfboards","Holy Hunting Horn","Holy Hurricane","Holy Hutzpa","Holy Hydraulics","Holy Hypnotism","Holy Hypodermics","Holy Ice Picks","Holy Ice Skates","Holy Iceberg","Holy Impossibility","Holy Impregnability","Holy Incantation","Holy Inquisition","Holy Interplanetary Yardstick","Holy Interruptions","Holy Iodine","Holy IT and T","Holy Jack In The Box","Holy Jackpot","Holy Jail Break","Holy Jaw Breaker","Holy Jelly Molds","Holy Jet Set","Holy Jigsaw Puzzles","Holy Jitter Bugs","Holy Joe","Holy Journey To The Center Of The Earth","Holy Jumble","Holy Jumpin' Jiminy","Holy Karats","Holy Key Hole","Holy Key Ring","Holy Kilowatts","Holy Kindergarten","Holy Knit One Purl Two","Holy Knock Out Drops","Holy Known Unknown Flying Objects","Holy Kofax","Holy Las Vegas","Holy Leopard","Holy Levitation","Holy Liftoff","Holy Living End","Holy Lodestone","Holy Long John Silver","Holy Looking Glass","Holy Love Birds","Holy Luther Burbank","Holy Madness","Holy Magic Lantern","Holy Magician","Holy Main Springs","Holy Marathon","Holy Mashed Potatoes","Holy Masquerade","Holy Matador","Holy Mechanical Armies","Holy Memory Bank","Holy Merlin Magician","Holy Mermaid","Holy Merry Go Around","Holy Mesmerism","Holy Metronome","Holy Miracles","Holy Miscast","Holy Missing Relatives","Holy Molars","Holy Mole Hill","Holy Mucilage","Holy Multitudes","Holy Murder","Holy Mush","Holy Naive","Holy New Year's Eve","Holy Nick Of Time","Holy Nightmare","Holy Non Sequiturs","Holy Oleo","Holy Olfactory","Holy One Track Bat Computer Mind","Holy Oversight","Holy Oxygen","Holy Paderewski","Holy Paraffin","Holy Perfect Pitch","Holy Pianola","Holy Pin Cushions","Holy Polar Front","Holy Polar Ice Sheet","Holy Polaris","Holy Popcorn","Holy Potluck","Holy Pressure Cooker","Holy Priceless Collection of Etruscan Snoods","Holy Pseudonym","Holy Purple Cannibals","Holy Puzzlers","Holy Rainbow","Holy Rats In A Trap","Holy Ravioli","Holy Razors Edge","Holy Recompense","Holy Red Herring","Holy Red Snapper","Holy Reincarnation","Holy Relief","Holy Remote Control Robot","Holy Reshevsky","Holy Return From Oblivion","Holy Reverse Polarity","Holy Rheostat","Holy Ricochet","Holy Rip Van Winkle","Holy Rising Hemlines","Holy Roadblocks","Holy Robert Louis Stevenson","Holy Rock Garden","Holy Rocking Chair","Holy Romeo And Juliet","Holy Rudder","Holy Safari","Holy Sarcophagus","Holy Sardine","Holy Scalding","Holy Schizophrenia","Holy Sedatives","Holy Self Service","Holy Semantics","Holy Serpentine","Holy Sewer Pipe","Holy Shamrocks","Holy Sherlock Holmes","Holy Show-Ups","Holy Showcase","Holy Shrinkage","Holy Shucks","Holy Skull Tap","Holy Sky Rocket","Holy Slipped Disc","Holy Smoke","Holy Smokes","Holy Smokestack","Holy Snowball","Holy Sonic Booms","Holy Special Delivery","Holy Spider Webs","Holy Split Seconds","Holy Squirrel Cage","Holy Stalactites","Holy Stampede","Holy Standstills","Holy Steam Valve","Holy Stew Pot","Holy Stomach Aches","Holy Stratosphere","Holy Stuffing","Holy Subliminal","Holy Sudden Incapacitation","Holy Sundials","Holy Surprise Party","Holy Switch A Roo","Holy Taj Mahal","Holy Tartars","Holy Taxation","Holy Taxidermy","Holy Tee Shot","Holy Ten Toes","Holy Terminology","Holy Time Bomb","Holy Tintinnabulation","Holy Tipoffs","Holy Titanic","Holy Tome","Holy Toreador","Holy Trampoline","Holy Transistors","Holy Travel Agent","Holy Trickery","Holy Triple Feature","Holy Trolls And Goblins","Holy Tuxedo","Holy Uncanny Photographic Mental Processes","Holy Understatements","Holy Underwritten Metropolis","Holy Unlikelihood","Holy Unrefillable Prescriptions","Holy Vat","Holy Venezuela","Holy Vertebrae","Holy Voltage","Holy Waste Of Energy","Holy Wayne Manor","Holy Weaponry","Holy Wedding Cake","Holy Wernher von Braun","Holy Whiskers","Holy Wigs","Holy Zorro"]},"rock_band":{"name":["Led Zeppelin","The Beatles","Pink Floyd","The Jimi Hendrix Experience","Van Halen","Queen","The Eagles","Metallica","U2","Bob Marley and the Wailers","The Police","The Doors","Stone Temple Pilots","Rush","Genesis","Prince and the Revolution","Yes","Earth Wind and Fire","The Bee Gees","The Rolling Stones","The Beach Boys","Soundgarden","The Who","Steely Dan","James Brown and the JBs","AC/DC","Fleetwood Mac","Crosby, Stills, Nash and Young","The Allman Brothers","ZZ Top","Aerosmith","Cream","Bruce Springsteen \u0026 The E Street Band","The Grateful Dead","Guns 'N Roses","Pearl Jam","Boston","Dire Straits","King Crimson","Parliament Funkadelic","Red Hot Chili Peppers","Bon Jovi","Dixie Chicks","Foreigner","David Bowie and The Spiders From Mars","The Talking Heads","Jethro Tull","The Band","The Beastie Boys","Nirvana","Rage Against The Machine","Sly and the Family Stone","The Clash","Tool","Journey","No Doubt","Creedence Clearwater Revival","Deep Purple","Alice In Chains","Orbital","Little Feat","Duran Duran","Living Colour","Frank Zappa and the Mothers of Invention","The Carpenters","Audioslave","The Pretenders","Primus","Blondie","Black Sabbath","Lynyrd Skynyrd","Sex Pistols","Isaac Hayes and the Movement","R.E.M.","Traffic","Buffalo Springfield","Derek and the Dominos","The Jackson Five","The O'Jays","Harold Melvin and the Blue Notes","Underworld","Thievery Corporation","Motley Crue","Janis Joplin and Big Brother and the Holding Company","Blind Faith","The Animals","The Roots","The Velvet Underground","The Kinks","Radiohead","The Scorpions","Kansas","Iron Maiden","Motorhead","Judas Priest","The Orb","The Cure","Coldplay","Slayer","Black Eyed Peas"]},"rupaul":{"queens":["Tyra Sanchez","Raven","Jujubee","Tatianna","Pandora Boxx","Jessica Wild","Sahara Davenport","Morgan McMichaels","Shangela Wadley","Raja","Manila Luzon","Alexis Mateo","Yara Sofia","Carmen Carrera","Delta Work","Stacy Layne Matthews","Mimi Imfurst","Sharon Needles","Chad Michaels","Phi Phi O'Hara","Latrice Royale","Kenya Michaels","Dida Ritz","Willam","Jiggly Caliente","Jinkx Monsoon","Alaska","Roxxxy Andrews","Detox","Coco Montrese","Alyssa Edwards","Ivy Winters","Bianca Del Rio","Adore Delano","Courtney Act","Darienne Lake","BenDeLaCreme","Joslyn Fox","Trinity K Bonet","Laganja Estranja","Milk","Gia Gunn","Violet Chachki","Ginger Minj","Pearl","Kennedy Davenport","Katya","Trixie Mattel","Miss Fame","Bob The Drag Queen","Kim Chi","Naomi Smalls","Chi Chi DeVayne","Derrick Barry","Thorgy Thor","Robbie Turner","Acid Betty","Sasha Velour","Peppermint","Shea Coulee","Trinity Taylor","Alexis Michelle","Nina Bonina Brown","Valentina","Farrah Moan","Aja","Cynthia Lee Fontaine"],"quotes":["Glamazon!","Put The Bass In Your Walk","Sashay Away","Don't F*ck It Up","Shante, You Stay","Shante, Shante, Shante","You Betta Work","Lip-Sync for Your Life","Extravaganza Eleganza","Let the music play","That's Funny, Tell Another One","Sissy That Walk","Don't Be Jealous Of My Boogie","You're Born Naked, The Rest Is Drag","Life Is About Using The Whole Box Of Crayons","When The Going Gets Tough, The Tough Reinvent","Hello Hello Hello!","Bring Back My Girls","Just Between Us Squirrel Friends","Get Out Your Library Cards","Silence...I've made my decision"]},"science":{"element":["Hydrogen","Helium","Lithium","Beryllium","Boron","Carbon","Nitrogen","Oxygen","Fluorine","Neon","Sodium","Magnesium","Aluminum","Silicon","Phosphorus","Sulfur","Chlorine","Argon","Potassium","Calcium","Scandium","Titanium","Vanadium","Chromium","Manganese","Iron","Cobalt","Nickel","Copper","Zinc","Gallium","Germanium","Arsenic","Selenium","Bromine","Krypton","Rubidium","Strontium","Yttrium","Zirconium","Niobium","Molybdenum","Technetium","Ruthenium","Rhodium","Palladium","Silver","Cadmium","Indium","Tin","Antimony","Tellurium","Iodine","Xenon","Cesium","Barium","Lanthanum","Cerium","Praseodymium","Neodymium","Promethium","Samarium","Europium","Gadolinium","Terbium","Dysprosium","Holmium","Erbium","Thulium","Ytterbium","Lutetium","Hafnium","Tantalum","Tungsten","Rhenium","Osmium","Iridium","Platinum","Gold","Mercury","Thallium","Lead","Bismuth","Polonium","Astatine","Radon","Francium","Radium","Actinium","Thorium","Protactinium","Uranium","Neptunium","Plutonium","Americium","Curium","Berkelium","Californium","Einsteinium","Fermium","Mendelevium","Nobelium","Lawrencium","Rutherfordium","Dubnium","Seaborgium","Bohrium","Hassium","Meitnerium","Darmstadtium","Roentgenium","Copernicium","Nihonium","Flerovium","Moscovium","Livermorium","Tennessine","Oganesson"],"scientist":["Isaac Newton","Albert Einstein","Neils Bohr","Charles Darwin","Louis Pasteur","Sigmund Freud","Galileo Galilei","Antoine Laurent Lavoisier","Johannes Kepler","Nicolaus Copernicus","Michael Faraday","James Clerk Maxwell","Claude Bernard","Franz Boas","Werner Heisenberg","Linus Pauling","Rudolf Virchow","Erwin Schrodinger","Ernest Rutherford","Paul Dirac","Andreas Vesalius","Tycho Brahe","Comte de Buffon","Ludwig Boltzmann","Max Planck","Marie Curie","William Herschel","Charles Lyell","Pierre Simon de Laplace","Edwin Hubble","Joseph J. Thomson","Max Born","Francis Crick","Enrico Fermi","Leonard Euler","Justus Liebig","Arthur Eddington","William Harvey","Marcello Malpighi","Christiaan Huygens","Carl Gauss (Karl Friedrich Gauss)","Albrecht von Haller","August Kekule","Robert Koch","Murray Gell-Mann","Emil Fischer","Dmitri Mendeleev","Sheldon Glashow","James Watson","John Bardeen","John von Neumann","Richard Feynman","Alfred Wegener","Stephen Hawking","Anton van Leeuwenhoek","Max von Laue","Gustav Kirchhoff","Hans Bethe","Euclid","Gregor Mendel","Heike Kamerlingh Onnes","Thomas Hunt Morgan","Hermann von Helmholtz","Paul Ehrlich","Ernst Mayr","Charles Sherrington","Theodosius Dobzhansky","Max Delbruck","Jean Baptiste Lamarck","William Bayliss","Noam Chomsky","Frederick Sanger","Lucretius","John Dalton","Louis Victor de Broglie","Carl Linnaeus","Jean Piaget","George Gaylord Simpson","Claude Levi-Strauss","Lynn Margulis","Karl Landsteiner","Konrad Lorenz","Edward O. Wilson","Frederick Gowland Hopkins","Gertrude Belle Elion","Hans Selye","J. Robert Oppenheimer","Edward Teller","Willard Libby","Ernst Haeckel","Jonas Salk","Emil Kraepelin","Trofim Lysenko","Francis Galton","Alfred Binet","Alfred Kinsey","Alexander Fleming","B. F. Skinner","Wilhelm Wundt","Archimedes"]},"seinfeld":{"character":["George Costanza","Kramer","Elaine Benes","Newman","Jerry Seinfeld","Frank Costanza","Morty Seinfeld","Estelle Costanza","Susan Ross","Helen Seinfeld","J Peterman","Uncle Leo","David Puddy","Justin Pitt","Kenny Bania","Crazy Joe Davola","Jackie Chiles","Jack Klompus","Ruthie Cohen","Tim Whatley","Sue Ellen","Bob Sacamano","Babs Kramer","Babu Bhatt","George Steinbrenner","Mickey Abbott","Mr. Lippman","Mr. Wilhelm","Russell Dalrymple"],"quote":["I'm not a lesbian. I hate men, but I'm not a lesbian.","You're gonna over-dry your laundry.","This isn't a good time.","That’s the true spirit of Christmas; people being helped by people other than me.","You’re becoming one of the glitterati.","Father, I’ve never done this before, so I’m not sure about what I’m supposed to do.","She’s one of those low-talkers. You can’t hear a word she’s saying!","Why do they make the condom packets so hard to open?","This woman hates me so much, I’m starting to like her.","I've driven women to lesbianism before, but never a mental institution.","You know I always wanted to pretend I was an architect","Borrowing money from a friend is like having sex. It just completely changes the relationship.","When you look annoyed all the time, people think that you're busy.","I spend so much time trying to get their clothes off, I never thought of taking mine off.","If you can't say something bad about a relationship, you shouldn't say anything at all.","I need the secure packaging of Jockeys. My boys needs a house!","The sea was angry that day, my friends, like an old man trying to send back soup in a deli...","Elaine, breaking up is like knocking over a Coke machine. You can’t do it in one push; you gotta rock it back and forth a few times and then it goes over.","Looking at cleavage is like looking at the sun. You don't stare at it. It's too risky. Ya get a sense of it and then you look away.","You have the chicken, the hen, and the rooster. The chicken goes with the hen... So who is having sex with the rooster?","I lie every second of the day. My whole life is a sham.","Just remember, when you control the mail, you control... information.","I don't think I've ever been to an appointment in my life where I wanted the other guy to show up.","You, my friend, have crossed the line between man and bum.","You should've seen her face. It was the exact same look my father gave me when I told him I wanted to be a ventriloquist.","Did you know that the original title for War and Peace was War, What Is It Good For?","Sex, that’s meaningless, I can understand that, but dinner; that’s heavy. That’s like an hour.","Jerry, just remember, it's not a lie if you believe it.","These pretzels are makin' me thirsty.","It became very clear to me sitting out there today that every decision I've made in my entire life has been wrong. My life is the complete opposite of everything I want it to be. Every instinct I have, in every aspect of life, be it something to wear, something to eat - it's all been wrong.","I had a dream last night that a hamburger was eating me.","I have been performing feats of strength all morning.","Hi, my name is George, I'm unemployed and I live with my parents.","I don't trust the guy. I think he regifted, then he degifted, and now he's using an upstairs invite as a springboard to a Super bowl sex romp.","Yes, I hope my parents die long before I do.","See, this is what the holidays are all about. Three buddies sitting around chewing gum.","Dolores!","I'll be back. We'll make out.","I'm sorry to bother you, but I'm a US postal worker and my mail truck was just ambushed by a band of backwoods mail-hating survivalists.","You very bad man, Jerry. Very bad man.","No soup for you!","Serenity now!","I'm out there Jerry, and I'm loving every minute of it!","I'm out of the contest!","You're killing independent George!","Not that there's anything wrong with that.","Yadda, yadda, yadda.","They're real, and they're spectacular.","She has man hands.","And you want to be my latex salesman.","He's a close talker.","It's a Festivus for the rest of us.","I want to be the one person who doesn't die with dignity.","You, my friend, have crossed the line between man and bum.","You were necking during Schindler's List?"]},"separator":" \u0026 ","shakespeare":{"as_you_like_it":["All the world 's a stage, and all the men and women merely players. They have their exits and their entrances; And one man in his time plays many parts.","Can one desire too much of a good thing?.","I like this place and willingly could waste my time in it.","How bitter a thing it is to look into happiness through another man's eyes!","Blow, blow, thou winter wind! Thou art not so unkind as man's ingratitude.","True is it that we have seen better days.","For ever and a day.","The fool doth think he is wise, but the wise man knows himself to be a fool."],"hamlet":["To be, or not to be: that is the question.","Neither a borrower nor a lender be; For loan oft loses both itself and friend, and borrowing dulls the edge of husbandry.","This above all: to thine own self be true.","Though this be madness, yet there is method in 't.","That it should come to this!.","There is nothing either good or bad, but thinking makes it so.","What a piece of work is man! how noble in reason! how infinite in faculty! in form and moving how express and admirable! in action how like an angel! in apprehension how like a god! the beauty of the world, the paragon of animals! .","The lady doth protest too much, methinks.","In my mind's eye.","A little more than kin, and less than kind.","The play 's the thing wherein I'll catch the conscience of the king.","And it must follow, as the night the day, thou canst not then be false to any man.","Brevity is the soul of wit.","Doubt that the sun doth move, doubt truth to be a liar, but never doubt I love.","Rich gifts wax poor when givers prove unkind.","Do you think I am easier to be played on than a pipe?","I will speak daggers to her, but use none.","When sorrows come, they come not single spies, but in battalions."],"king_richard_iii":["Now is the winter of our discontent.","A horse! a horse! my kingdom for a horse!.","Conscience is but a word that cowards use, devised at first to keep the strong in awe.","So wise so young, they say, do never live long.","Off with his head!","An honest tale speeds best, being plainly told.","The king's name is a tower of strength.","The world is grown so bad, that wrens make prey where eagles dare not perch."],"romeo_and_juliet":["O Romeo, Romeo! wherefore art thou Romeo?.","It is the east, and Juliet is the sun.","Good Night, Good night! Parting is such sweet sorrow, that I shall say good night till it be morrow.","What's in a name? That which we call a rose by any other name would smell as sweet.","Wisely and slow; they stumble that run fast.","Tempt not a desperate man.","For you and I are past our dancing days.","O! she doth teach the torches to burn bright.","It seems she hangs upon the cheek of night like a rich jewel in an Ethiope's ear.","See, how she leans her cheek upon her hand! O that I were a glove upon that hand, that I might touch that cheek!.","Not stepping o'er the bounds of modesty."]},"silicon_valley":{"apps":["Nip Alert","Astraphile","Panic-a-Tech","Spinder","Nucleus","Pegg'd","Clinkle","Tables","HooliChat","PiperChat","Not Hotdog","PeaceFare","CodeRag"],"characters":["Richard Hendricks","Erlich Bachman","Nelson \"Big Head\" Bighetti","Bertram Gilfoyle","Dinesh Chugtai","Monica Hall","Donald \"Jared\" Dunn","Gavin Belson","Jian Yang","Laurie Bream","Russ Hanneman","Jack \"Action Jack\" Barker","Keenan Feldspar","Ed Chen","Peter Gregory","Ron LaFlamme"],"companies":["Pied Piper","Hooli","Raviga Capital Management","Endframe","Bachmanity","Maleant Data Systems Solutions","Aviato","Coleman-Blair","Raviga","Yoyodyne","Intersite","Infotrode","Bream-Hall","SeeFood Technologies Inc","Retinabyte","VidClone Graphics","Entercross Systems","Turnwire"],"inventions":["Telehuman","Liquid Shrimp","Bit Soup","Audacious","Tres Comas Tequila","Pipey","Always Blue","Cold Duck","Skycrane","Octopus Recipes","Limp Biscuit","Hooli Box","Box Two","Table","Anton","BamBot","Human Heater"],"mottos":["Cloud-based, disruptive systems","Creating unique cross-platform technologies","Making the world a better place","Awesome world-changing compression company","So maybe the reason we share so much is because we understand that without sharing, we can't survive. And sharing is tables.","Forced adoption through aggressive guerrilla marketing","Powered by the spirit of exploration and the thrill of the pursuit of the unimaginable","We not only think outside of the box, we think outside of the box that box is in - and so on - until innovation is free of all boxes that would contain and constrain it","Our products are products, producing unrivaled results","Oh, danger will most certainly be proceeded in the face of. Right in its face. Right in it.","Isn't it time someone put the venture back into venture capital?","Are bandwidth costs harshing on your vibe?","The drink that doesn't give a fuck!"],"quotes":["I don't want to live in a world where someone else is making the world a better place better than we are.","I firmly believe we can only achieve greatness if first, we achieve goodness","Line ’em up, nuts to butts","Let me ask you. How fast do you think you could jerk off every guy in this room? Because I know how long it would take me. And I can prove it","It's weird. They always travel in groups of five. These programmers, there's always a tall, skinny white guy; short, skinny Asian guy; fat guy with a ponytail; some guy with crazy facial hair; and then an East Indian guy. It's like they trade guys until they all have the right group.","Jian-Yang, what're you doing? This is Palo Alto. People are lunatics about smoking here. We don't enjoy all the freedoms that you have in China.","Well, you just brought piss to a shit fight, you little cunt!","Hitler actually played the bassoon. So technically Hitler was the Hitler of music.","I simply imagine that my skeleton is me and my body is my house. That way I'm always home.","Gavin Belson started out with lofty goals too, but he just kept excusing immoral behavior just like this, until one day all that was left was a sad man with funny shoes... Disgraced, friendless, and engorged with the blood of a youthful charlatan.","And that, gentlemen, is scrum. Welcome to the next eight weeks of our lives.","Of course they know that you're not pitching Shazam. That already exists. This would be a Shazam... for food.","Compromise is the shared hypotenuse of the conjoined triangles of success.","Gentlemen, I just paid the palapa contractor. The palapa piper, so to speak. The dream is a reality. We'll no longer be exposed... to the elements.","I was gonna sleep last night, but, uh... I thought I had this solve for this computational trust issue I've been working on, but it turns out, I didn't have a solve. But it was too late. I had already drank the whole pot of coffee.","I extended my compression algorithm to support... get this... 12-bit color. Okay, so our users will be able to experience a 10 percent increase in image quality with absolutely no increase in server load whatsoever. Just-Just-Just... Just watch this. Before. After. Before. After.","You listen to me, you muscle-bound handsome Adonis: tech is reserved for people like me, okay? The freaks, the weirdos, the misfits, the geeks, the dweebs, the dorks! Not you!"],"urls":["http://raviga.com","http://breamhall.com","http://piedpiper.com","http://hooli.com","http://bachmanity.com","http://aviato.com","http://coderag.com","http://endframesystems.com","http://drinkhomicide.com"]},"simpsons":{"characters":["Homer Simpson","Marge Simpson","Bart Simpson","Lisa Simpson","Maggie Simpson","Akira","Ms. Albright","Aristotle Amadopolis","Atkins, State Comptroller","Mary Bailey","Birchibald \"Birch\" T. Barlow","Jasper Beardly","Benjamin","Doug","Gary","Bill","Marty","Blinky","Blue Haired Lawyer","Boobarella","Wendell Borton","Jacqueline Bouvier","Ling Bouvier","Patty Bouvier","Selma Bouvier","Kent Brockman","Bumblebee Man","Charles Montgomery Burns","Capital City Goofball","Carl Carlson","Cesar","Ugolin","Crazy Cat Lady","Superintendent Gary Chalmers","Shauna Chalmers","Charlie","Chase","Scott Christian","Comic Book Guy","Mr. Costington","Database","Declan Desmond","Disco Stu","Dolph","Lunchlady Doris","Duffman","Eddie","Lou","Ernst","Gunter","Fat Tony","Maude Flanders","Ned Flanders","Rod Flanders","Todd Flanders","Francesca","Frankie the Squealer","Professor John Frink","Baby Gerald","Ginger Flanders","Gino","Mrs. Glick","Gloria","Barney Gumble","Gil Gunderson","Judge Constance Harm","Herman Hermann","Bernice Hibbert","Dr. Julius Hibbert","Elizabeth Hoover","Lionel Hutz","Itchy","Scratchy","Jacques","Jimbo Jones","Joey","Rachel Jordan","Kang","Kodos","Princess Kashmir","Kearney Zzyzwicz","Kearney Zzyzwicz Jr.","Edna Krabappel","Rabbi Hyman Krustofski","Krusty the Clown","Cookie Kwan","Dewey Largo","Legs","Louie","Leopold","Lenny Leonard","Lewis","Helen Lovejoy","Reverend Timothy Lovejoy","Coach Lugash","Luigi","Lurleen Lumpkin","Otto Mann","Captain Horatio McCallister","Roger Meyers, Jr.","Troy McClure","Hans Moleman","Dr. Marvin Monroe","Nelson Muntz","Captain Lance Murdock","Bleeding Gums Murphy","Lindsey Naegle","Apu Nahasapeemapetilon","Manjula Nahasapeemapetilon","Sanjay Nahasapeemapetilon","Old Barber","Old Jewish Man","Patches Violet","Poor Violet","Arnie Pye","Poochie","Herbert Powell","Janey Powell","Lois Pennycandy","Ruth Powers","Martin Prince","Dr. J. Loren Pryor","Mayor \"Diamond Joe\" Quimby","Radioactive Man","The Rich Texan","Richard","Dr. Nick Riviera","Santa''s Little Helper","Sherri","Terri","Dave Shutton","Sideshow Bob","Sideshow Mel","Grampa Abraham Simpson","Amber Simpson","Mona Simpson","Agnes Skinner","Principal Seymour Skinner","Waylon Smithers","Snake Jailbird","Snowball","Judge Roy Snyder","Jebediah Springfield","Cletus Spuckler","Brandine Spuckler","Squeaky-Voiced Teen","Moe Szyslak","Drederick Tatum","Allison Taylor","Mr. Teeny","Cecil Terwilliger","Johnny Tightlips","Üter","Kirk Van Houten","Luann Van Houten","Milhouse Van Houten","Dr. Velimirovic","Chief Clancy Wiggum","Ralph Wiggum","Sarah Wiggum","Groundskeeper Willie","Wiseguy","Rainier Wolfcastle","Yes Guy","Artie Ziff"],"locations":["Springfield","Evergreen Terrace","Springfield Nuclear Power Plant","Kwik-E-Mart","The Android's Dungeon \u0026 Baseball Card Shop","Barney's Bowl-A-Rama","Costington's","KBBL Broadcasting","King Toot's","The Leftorium","Noiseland Video Arcade","Sprawl-Mart","Springfield Mall","Stoner's Pot Palace","Try-N-Save","Jake's Unisex Hairplace","The Gilded Truffle","Moe's Tavern","Krusty Burger","Lard Lad Donuts","Luigi's","The Frying Dutchman","The Singing Sirloin","The Happy Sumo","The Java Server","Pimento Grove","Springfield Elementary School","West Springfield Elementary School","Springfield Preparatory School","Springfield High School","Krustylu Studios","Sleep Eazy Motel","Springfield Retirement Castle","The Springfield City Hall","Springfield Courthouse","Five Corners","Krustyland","Shelbyville","Capital City","Brockway","Ogdenville","North Haverbrook","Cypress Creek"],"quotes":["Marriage is like a coffin and each kid is another nail.","It takes two to lie: one to lie and one to listen.","Life is just one crushing defeat after another until you just wish Flanders was dead.","You tried your best and you failed miserably. The lesson is: Never try.","If you pray to the wrong god, you might just make the right one madder and madder.","Kill my boss? Do I dare live out the American dream?","I'm not normally a praying man, but if you're up there, please save me, Superman!","D'oh!","That's it! You people have stood in my way long enough. I'm going to clown college!","Son, if you really want something in this life, you have to work for it. Now quiet! They're about to announce the lottery numbers.","What’s the point of going out? We’re just gonna wind up back home anyway.","Cheating is the gift man gives himself.","Books are useless! I only ever read one book, To Kill A Mockingbird, and it gave me absolutely no insight on how to kill mockingbirds!","Sorry, Mom, the mob has spoken.","Go out on a Tuesday? Who am I, Charlie Sheen?","To alcohol! The cause of, and solution to, all of life's problems.","Trust me, Bart, it's better to walk in on both your parents than on just one of them.","Oh, loneliness and cheeseburgers are a dangerous mix.","When will I learn? The answers to life’s problems aren’t at the bottom of a bottle, they’re on TV!"]},"slack_emoji":{"activity":[":running:",":walking:",":dancer:",":rowboat:",":swimmer:",":surfer:",":bath:",":snowboarder:",":ski:",":snowman:",":bicyclist:",":mountain_bicyclist:",":horse_racing:",":tent:",":fishing_pole_and_fish:",":soccer:",":basketball:",":football:",":baseball:",":tennis:",":rugby_football:",":golf:",":trophy:",":running_shirt_with_sash:",":checkered_flag:",":musical_keyboard:",":guitar:",":violin:",":saxophone:",":trumpet:",":musical_note:",":notes:",":musical_score:",":headphones:",":microphone:",":performing_arts:",":ticket:",":tophat:",":circus_tent:",":clapper:",":art:",":dart:",":8ball:",":bowling:",":slot_machine:",":game_die:",":video_game:",":flower_playing_cards:",":black_joker:",":mahjong:",":carousel_horse:",":ferris_wheel:",":roller_coaster:"],"celebration":[":ribbon:",":gift:",":birthday:",":jack_o_lantern:",":christmas_tree:",":tanabata_tree:",":bamboo:",":rice_scene:",":fireworks:",":sparkler:",":tada:",":confetti_ball:",":balloon:",":dizzy:",":sparkles:",":collision:",":mortar_board:",":crown:",":dolls:",":flags:",":wind_chime:",":crossed_flags:",":lantern:",":ring:",":heart:",":broken_heart:",":love_letter:",":two_hearts:",":revolving_hearts:",":heartbeat:",":heartpulse:",":sparkling_heart:",":cupid:",":gift_heart:",":heart_decoration:",":purple_heart:",":yellow_heart:",":green_heart:",":blue_heart:"],"custom":[":beryl:",":bowtie:",":crab:",":cubimal_chick:",":dusty_stick:",":feelsgood:",":finnadie:",":fu:",":goberserk:",":godmode:",":hurtrealbad:",":metal:",":neckbeard:",":octocat:",":piggy:",":pride:",":rage1:",":rage2:",":rage3:",":rage4:",":rube:",":simple_smile:",":slack:",":squirrel:",":suspect:",":taco:",":trollface:"],"emoji":["#{people}","#{nature}","#{food_and_drink}","#{celebration}","#{activity}","#{travel_and_places}","#{objects_and_symbols}","#{custom}"],"food_and_drink":[":tomato:",":eggplant:",":corn:",":sweet_potato:",":grapes:",":melon:",":watermelon:",":tangerine:",":lemon:",":banana:",":pineapple:",":apple:",":green_apple:",":pear:",":peach:",":cherries:",":strawberry:",":hamburger:",":pizza:",":meat_on_bone:",":poultry_leg:",":rice_cracker:",":rice_ball:",":rice:",":curry:",":ramen:",":spaghetti:",":bread:",":fries:",":dango:",":oden:",":sushi:",":fried_shrimp:",":fish_cake:",":icecream:",":shaved_ice:",":ice_cream:",":doughnut:",":cookie:",":chocolate_bar:",":candy:",":lollipop:",":custard:",":honey_pot:",":cake:",":bento:",":stew:",":egg:",":fork_and_knife:",":tea:",":coffee:",":sake:",":wine_glass:",":cocktail:",":tropical_drink:",":beer:",":beers:",":baby_bottle:"],"nature":[":seedling:",":evergreen_tree:",":deciduous_tree:",":palm_tree:",":cactus:",":tulip:",":cherry_blossom:",":rose:",":hibiscus:",":sunflower:",":blossom:",":bouquet:",":ear_of_rice:",":herb:",":four_leaf_clover:",":maple_leaf:",":fallen_leaf:",":leaves:",":mushroom:",":chestnut:",":rat:",":mouse2:",":mouse:",":hamster:",":ox:",":water_buffalo:",":cow2:",":cow:",":tiger2:",":leopard:",":tiger:",":rabbit2:",":rabbit:",":cat2:",":cat:",":racehorse:",":horse:",":ram:",":sheep:",":goat:",":rooster:",":chicken:",":baby_chick:",":hatching_chick:",":hatched_chick:",":bird:",":penguin:",":elephant:",":dromedary_camel:",":camel:",":boar:",":pig2:",":pig:",":pig_nose:",":dog2:",":poodle:",":dog:",":wolf:",":bear:",":koala:",":panda_face:",":monkey_face:",":see_no_evil:",":hear_no_evil:",":speak_no_evil:",":monkey:",":dragon:",":dragon_face:",":crocodile:",":snake:",":turtle:",":frog:",":whale2:",":whale:",":flipper:",":octopus:",":fish:",":tropical_fish:",":blowfish:",":shell:",":snail:",":bug:",":ant:",":honeybee:",":beetle:",":paw_prints:",":zap:",":fire:",":crescent_moon:",":sunny:",":partly_sunny:",":cloud:",":droplet:",":sweat_drops:",":umbrella:",":dash:",":snowflake:",":star2:",":star:",":stars:",":sunrise_over_mountains:",":sunrise:",":rainbow:",":ocean:",":volcano:",":milky_way:",":mount_fuji:",":japan:",":globe_with_meridians:",":earth_africa:",":earth_americas:",":earth_asia:",":new_moon:",":waxing_crescent_moon:",":first_quarter_moon:",":waxing_gibbous_moon:",":full_moon:",":waning_gibbous_moon:",":last_quarter_moon:",":waning_crescent_moon:",":new_moon_with_face:",":full_moon_with_face:",":first_quarter_moon_with_face:",":last_quarter_moon_with_face:",":sun_with_face:"],"objects_and_symbols":[":watch:",":iphone:",":calling:",":computer:",":alarm_clock:",":hourglass_flowing_sand:",":hourglass:",":camera:",":video_camera:",":movie_camera:",":tv:",":radio:",":pager:",":telephone_receiver:",":telephone:",":fax:",":minidisc:",":floppy_disk:",":cd:",":dvd:",":vhs:",":battery:",":electric_plug:",":bulb:",":flashlight:",":satellite:",":credit_card:",":money_with_wings:",":moneybag:",":gem:",":closed_umbrella:",":pouch:",":purse:",":handbag:",":briefcase:",":school_satchel:",":lipstick:",":eyeglasses:",":womans_hat:",":sandal:",":high_heel:",":boot:",":shoe:",":athletic_shoe:",":bikini:",":dress:",":kimono:",":womans_clothes:",":tshirt:",":necktie:",":jeans:",":door:",":shower:",":bathtub:",":toilet:",":barber:",":syringe:",":pill:",":microscope:",":telescope:",":crystal_ball:",":wrench:",":hocho:",":nut_and_bolt:",":hammer:",":bomb:",":smoking:",":gun:",":bookmark:",":newspaper:",":key:",":envelope:",":envelope_with_arrow:",":incoming_envelope:",":e-mail:",":inbox_tray:",":outbox_tray:",":package:",":postal_horn:",":postbox:",":mailbox_closed:",":mailbox:",":mailbox_with_mail:",":mailbox_with_no_mail:",":page_facing_up:",":page_with_curl:",":bookmark_tabs:",":chart_with_upwards_trend:",":chart_with_downwards_trend:",":bar_chart:",":date:",":calendar:",":low_brightness:",":high_brightness:",":scroll:",":clipboard:",":open_book:",":notebook:",":notebook_with_decorative_cover:",":ledger:",":closed_book:",":green_book:",":blue_book:",":orange_book:",":books:",":card_index:",":link:",":paperclip:",":pushpin:",":scissors:",":triangular_ruler:",":round_pushpin:",":straight_ruler:",":triangular_flag_on_post:",":file_folder:",":open_file_folder:",":black_nib:",":pencil2:",":pencil:",":lock_with_ink_pen:",":closed_lock_with_key:",":lock:",":unlock:",":mega:",":loudspeaker:",":sound:",":speaker:",":mute:",":zzz:",":bell:",":no_bell:",":thought_balloon:",":speech_balloon:",":children_crossing:",":mag:",":mag_right:",":no_entry_sign:",":no_entry:",":name_badge:",":no_pedestrians:",":do_not_litter:",":no_bicycles:",":non-potable_water:",":no_mobile_phones:",":underage:",":accept:",":ideograph_advantage:",":white_flower:",":secret:",":congratulations:",":u5408:",":u6e80:",":u7981:",":u6709:",":u7121:",":u7533:",":u55b6:",":u6708:",":u5272:",":u7a7a:",":sa:",":koko:",":u6307:",":chart:",":sparkle:",":eight_spoked_asterisk:",":negative_squared_cross_mark:",":white_check_mark:",":eight_pointed_black_star:",":vibration_mode:",":mobile_phone_off:",":vs:",":a:",":b:",":ab:",":cl:",":o2:",":sos:",":id:",":parking:",":wc:",":cool:",":free:",":new:",":ng:",":ok:",":up:",":atm:",":aries:",":taurus:",":gemini:",":cancer:",":leo:",":virgo:",":libra:",":scorpius:",":sagittarius:",":capricorn:",":aquarius:",":pisces:",":restroom:",":mens:",":womens:",":baby_symbol:",":wheelchair:",":potable_water:",":no_smoking:",":put_litter_in_its_place:",":arrow_forward:",":arrow_backward:",":arrow_up_small:",":arrow_down_small:",":fast_forward:",":rewind:",":arrow_double_up:",":arrow_double_down:",":arrow_right:",":arrow_left:",":arrow_up:",":arrow_down:",":arrow_upper_right:",":arrow_lower_right:",":arrow_lower_left:",":arrow_upper_left:",":arrow_up_down:",":left_right_arrow:",":arrows_counterclockwise:",":arrow_right_hook:",":leftwards_arrow_with_hook:",":arrow_heading_up:",":arrow_heading_down:",":twisted_rightwards_arrows:",":repeat:",":repeat_one:",":zero:",":one:",":two:",":three:",":four:",":five:",":six:",":seven:",":eight:",":nine:",":keycap_ten:",":1234:",":abc:",":abcd:",":capital_abcd:",":information_source:",":signal_strength:",":cinema:",":symbols:",":heavy_plus_sign:",":heavy_minus_sign:",":wavy_dash:",":heavy_division_sign:",":heavy_multiplication_x:",":heavy_check_mark:",":arrows_clockwise:",":tm:",":copyright:",":registered:",":currency_exchange:",":heavy_dollar_sign:",":curly_loop:",":loop:",":part_alternation_mark:",":heavy_exclamation_mark:",":question:",":grey_exclamation:",":grey_question:",":interrobang:",":x:",":o:",":100:",":end:",":back:",":on:",":top:",":soon:",":cyclone:",":m:",":ophiuchus:",":six_pointed_star:",":beginner:",":trident:",":warning:",":hotsprings:",":recycle:",":anger:",":diamond_shape_with_a_dot_inside:",":spades:",":clubs:",":hearts:",":diamonds:",":ballot_box_with_check:",":white_circle:",":black_circle:",":radio_button:",":red_circle:",":large_blue_circle:",":small_red_triangle:",":small_red_triangle_down:",":small_orange_diamond:",":small_blue_diamond:",":large_orange_diamond:",":large_blue_diamond:",":black_small_square:",":white_small_square:",":black_large_square:",":white_large_square:",":black_medium_square:",":white_medium_square:",":black_medium_small_square:",":white_medium_small_square:",":black_square_button:",":white_square_button:",":clock1:",":clock2:",":clock3:",":clock4:",":clock5:",":clock6:",":clock7:",":clock8:",":clock9:",":clock10:",":clock11:",":clock12:",":clock130:",":clock230:",":clock330:",":clock430:",":clock530:",":clock630:",":clock730:",":clock830:",":clock930:",":clock1030:",":clock1130:",":clock1230:"],"people":[":grinning:",":grin:",":joy:",":smiley:",":smile:",":sweat_smile:",":satisfied:",":innocent:",":smiling_imp:",":imp:",":wink:",":blush:",":relaxed:",":yum:",":relieved:",":heart_eyes:",":sunglasses:",":smirk:",":neutral_face:",":expressionless:",":unamused:",":sweat:",":pensive:",":confused:",":confounded:",":kissing:",":kissing_heart:",":kissing_smiling_eyes:",":kissing_closed_eyes:",":stuck_out_tongue:",":stuck_out_tongue_winking_eye:",":stuck_out_tongue_closed_eyes:",":disappointed:",":worried:",":angry:",":rage:",":cry:",":persevere:",":triumph:",":disappointed_relieved:",":frowning:",":anguished:",":fearful:",":weary:",":sleepy:",":tired_face:",":grimacing:",":sob:",":open_mouth:",":hushed:",":cold_sweat:",":scream:",":astonished:",":flushed:",":sleeping:",":dizzy_face:",":no_mouth:",":mask:",":smile_cat:",":joy_cat:",":smiley_cat:",":heart_eyes_cat:",":smirk_cat:",":kissing_cat:",":pouting_cat:",":crying_cat_face:",":scream_cat:",":footprints:",":bust_in_silhouette:",":busts_in_silhouette:",":baby:",":boy:",":girl:",":man:",":woman:",":family:",":couple:",":two_men_holding_hands:",":two_women_holding_hands:",":dancers:",":bride_with_veil:",":person_with_blond_hair:",":man_with_gua_pi_mao:",":man_with_turban:",":older_man:",":older_woman:",":cop:",":construction_worker:",":princess:",":guardsman:",":angel:",":santa:",":ghost:",":japanese_ogre:",":japanese_goblin:",":shit:",":skull:",":alien:",":space_invader:",":bow:",":information_desk_person:",":no_good:",":ok_woman:",":raising_hand:",":person_with_pouting_face:",":person_frowning:",":massage:",":haircut:",":couple_with_heart:",":couplekiss:",":raised_hands:",":clap:",":ear:",":eyes:",":nose:",":lips:",":kiss:",":tongue:",":nail_care:",":wave:",":thumbsup:",":thumbsdown:",":point_up:",":point_up_2:",":point_down:",":point_left:",":point_right:",":ok_hand:",":v:",":punch:",":fist:",":raised_hand:",":muscle:",":open_hands:",":pray:"],"travel_and_places":[":train:",":mountain_railway:",":steam_locomotive:",":monorail:",":bullettrain_side:",":bullettrain_front:",":train2:",":metro:",":light_rail:",":station:",":tram:",":bus:",":oncoming_bus:",":trolleybus:",":minibus:",":ambulance:",":fire_engine:",":police_car:",":oncoming_police_car:",":rotating_light:",":taxi:",":oncoming_taxi:",":red_car:",":oncoming_automobile:",":blue_car:",":truck:",":articulated_lorry:",":tractor:",":bike:",":busstop:",":fuelpump:",":construction:",":vertical_traffic_light:",":traffic_light:",":rocket:",":helicopter:",":airplane:",":seat:",":anchor:",":ship:",":speedboat:",":sailboat:",":aerial_tramway:",":mountain_cableway:",":suspension_railway:",":passport_control:",":customs:",":baggage_claim:",":left_luggage:",":yen:",":euro:",":pound:",":dollar:",":statue_of_liberty:",":moyai:",":foggy:",":tokyo_tower:",":fountain:",":european_castle:",":japanese_castle:",":city_sunrise:",":city_sunset:",":night_with_stars:",":bridge_at_night:",":house:",":house_with_garden:",":office:",":department_store:",":factory:",":post_office:",":european_post_office:",":hospital:",":bank:",":hotel:",":love_hotel:",":convenience_store:",":school:",":cn:",":de:",":es:",":fr:",":uk:",":it:",":jp:",":kr:",":ru:",":us:"]},"space":{"agency":["National Aeronautics and Space Administration","European Space Agency","German Aerospace Center","Indian Space Research Organization","China National Space Administration","UK Space Agency","Brazilian Space Agency","Mexican Space Agency","Israeli Space Agency","Italian Space Agency","Japan Aerospace Exploration Agency","National Space Agency of Ukraine","Russian Federal Space Agency","Swedish National Space Board"],"agency_abv":["NASA","AEM","AEB","UKSA","CSA","CNSA","ESA","DLR","ISRO","JAXA","ISA","CNES","NSAU","ROSCOSMOS","SNSB"],"company":["SpaceX","Blue Origin","Virgin Galactic","SpaceDev","Bigelow Aerospace","Orbital Sciences","JPL","NASA Jet Propulsion Laboratory"],"constellation":["Big Dipper","Litte Dipper","Orion","Loe","Gemini","Cancer","Canis Minor","Canis Major","Ursa Major","Ursa Minor","Virgo","Libra","Scorpius","Sagittarius","Lyra","Capricornus","Aquarius","Pisces","Aries","Leo Minor","Auriga"],"distance_measurement":["light years","AU","parsecs","kiloparsecs","megaparsecs"],"galaxy":["Milky Way","Andromeda","Triangulum","Whirlpool","Blackeye","Sunflower","Pinwheel","Hoags Object","Centaurus A","Messier 83"],"meteorite":["Aarhus","Abee","Adelie Land","Adhi Kot","Adzhi-Bogdo","Santa Rosa de Viterbo","Agen","Akbarpur","Albareto","Allan Hills 84001","Allan Hills A81005","Allegan","Allende","Ambapur Nagla","Andura","Angers","Angra dos Reis","Ankober","Anlong","Annaheim","Appley Bridge","Arbol Solo","Archie","Arroyo Aguiar","Assisi","Atoka","Avanhandava","Bacubirito","Baszkówka","Beardsley","Bellsbank","Bench Crater","Benton","Białystok","Blithfield","Block Island","Bovedy","Brachina","Brahin","Brenham","Buzzard Coulee","Campo del Cielo","Canyon Diablo","Cape York","Carancas","Chambord","Chassigny","Chelyabinsk","Chergach","Chinga","Chinguetti","Claxton","Coahuila","Cranbourne","D'Orbigny","Dronino","Eagle Station","Elbogen","Ensisheim","Esquel","Fukang","Gancedo","Gao–Guenie","Gay Gulch","Gebel Kamil","Gibeon","Goose Lake","Grant","Hadley Rille","Heat Shield Rock","Hoba","Homestead","Hraschina","Huckitta","Imilac","Itqiy","Kaidun","Kainsaz","Karoonda","Kesen","Krasnojarsk","L'Aigle","Lac Dodon","Lake Murray","Loreto","Los Angeles","Łowicz","Mackinac Island","Mbozi","Middlesbrough","Millbillillie","Mineo","Monte Milone","Moss","Mundrabilla","Muonionalusta","Murchison","Nakhla","Nantan","Neuschwanstein","Northwest Africa 7034","Northwest Africa 7325","Norton County","Novato","Northwest Africa 3009","Oileán Ruaidh (Martian)","Old Woman","Oldenburg","Omolon","Orgueil","Ornans","Osseo","Österplana 065","Ourique","Pallasovka","Paragould","Park Forest","Pavlovka","Peace River","Peekskill","Penouille","Polonnaruwa","High Possil","Příbram","Pultusk","Qidong","Richardton","Santa Vitoria do Palmar","Sayh al Uhaymir 169","Seymchan","Shelter Island","Shergotty","Sikhote-Alin","Sołtmany","Springwater","St-Robert","Stannern","Sulagiri","Sutter's Mill","Sylacauga","Tagish Lake","Tamdakht","Tenham","Texas Fireball","Tissint","Tlacotepec","Toluca","Treysa","Twannberg","Veliky Ustyug","Vermillion","Weston","Willamette","Winona","Wold Cottage","Yamato 000593","Yamato 691","Yamato 791197","Yardymly","Zagami","Zaisho","Zaklodzie"],"moon":["Moon","Luna","Deimos","Phobos","Ganymede","Callisto","Io","Europa","Titan","Rhea","Iapetus","Dione","Tethys","Hyperion","Ariel","Puck","Oberon","Umbriel","Triton","Proteus"],"nasa_space_craft":["Orion","Mercury","Gemini","Apollo","Enterprise","Columbia","Challenger","Discovery","Atlantis","Endeavour"],"nebula":["Lagoon Nebula","Eagle Nebula","Triffid Nebula","Dumbell Nebula","Orion Nebula","Ring Nebula","Bodes Nebula","Owl Nebula"],"planet":["Mercury","Venus","Earth","Mars","Jupiter","Saturn","Uranus","Neptune"],"star":["Sun","Proxima Centauri","Rigil Kentaurus","Barnards Star","Wolf 359","Luyten 726-8A","Luyten 726-8B","Sirius A","Sirius B","Ross 154","Ross 248","Procyon A","Procyon B","Vega","Rigel","Arcturus","Betelgeuse","Mahasim","Polaris"],"star_cluster":["Wild Duck","Hyades","Coma","Butterfly","Messier 7","Pleiades","Beehive Cluster","Pearl Cluster","Hodge 301","Jewel Box Cluster","Wishing Well Cluster","Diamond Cluster","Trumpler 10","Collinder 140","Liller 1","Koposov II","Koposov I","Djorgovski 1","Arp-Madore 1","NGC 6144","NGC 2808","NGC 1783","Messier 107","Messier 70","Omega Centauri","Palomar 12","Palomar 4","Palomar 6","Pyxis Cluster","Segue 3"]},"star_trek":{"character":["James Tiberius Kirk","Jean-Luc Picard","Benjamin Sisko","Kira Nerys","Odo","Jadzia Dax","Julian Bashir","Miles O'Brien","Quark","Jake Sisko","Kathryn Janeway","Chakotay","Tuvok","Tom Paris","B'Elanna Torres","Harry Kim","Seven of Nine","The Doctor","Neelix","Kes","Jonathan Archer","T'Pol","Charles Tucker III","Malcolm Reed","Travis Mayweather","Hoshi Sato","Phlox","Data","William T. Riker","Geordi La Forge","Worf","Beverly Crusher","Deanna Troi","Natasha Yar","Wesley Crusher","Spock","Leonard McCoy","Montgomery Scott","Hikaru Sulu","Pavel Chekov","Nyota Uhuru"],"location":["Qo'noS","Romulus","Bajor","Vulcan","Neutral Zone","Alpha Quadrant","Beta Quadrant","Delta Quadrant","Gamma Quadrant","Tau Ceti Prime","Wolf 359","Thalos VII","Cardassia","Trillius Prime","Badlands","Betazed","Risa","Deep Space Nine","Ferenginar","The Briar Patch","Khitomer"],"specie":["Breen","El-Aurian","Jem'Hadar","Kazon","Ocampa","Q","Ferengi","Klingon","Talaxian","Vidiian","Cardassian","Vulcan","Borg","Romulan","Vorta","Andorian","Bajoran","Betazoid"],"villain":["Q","Gorn","Khan Noonien Singh","Ru'afo","Maltz","Kruge","Ayel","Admiral Marcus","Martia","Lt. Valeris","V'ger","God of Sha Ka Ree","Admiral Dougherty","Nero","Krall","Tolian Soran","Shinzon","General Chang","Lursa","B'Etor","Borg Queen"]},"star_wars":{"alternate_character_spellings":{"admiral_ackbar":["akbar","ackbar","admiral ackbar","admiral akbar","admiral_ackbar"],"ahsoka_tano":["ahsoka","tano","ahsoka tano","ahsoka_tano"],"anakin_skywalker":["anakin","anakin skywalker","ani","ani skywalker","anakin_skywalker"],"asajj_ventress":["asajj","ventress","asajj ventress","anakin_skywalker"],"bendu":["the bendu","bendu"],"boba_fett":["boba fett","bobafett","boba_fett"],"c_3po":["c 3po","c3po","c3p0","c_3po"],"count_dooku":["dooku","count dooku","count_dooku"],"darth_caedus":["caedus","darth caedus","darth_caedus"],"darth_vader":["vader","darth vader","darth_vader"],"emperor_palpatine":["the emperor","sheev palpatine","emperor","palpatine","senator palpatine","darth sidious","sidious","emperor_palpatine"],"finn":["fn2187","fn-2187","fin"],"general_hux":["general hux","hux","general_hux"],"grand_admiral_thrawn":["thrawn","admiral thrawn","grand admiral thrawn","grand_admiral_thrawn"],"grand_moff_tarkin":["tarkin","grand moff tarkin","moff tarkin","grand_moff_tarkin"],"greedo":["greedo"],"han_solo":["han","solo","han solo","general han solo","general solo","han_solo"],"jabba_the_hutt":["jabba","jabba the hut","jabba the hutt","jabba_the_hutt"],"jar_jar_binks":["jar-jar","jar jar binks","jar-jar binks","the best character","jar_jar_binks"],"k_2so":["k2so","k-2so","k-2s0","k_2so"],"kylo_ren":["kylo","kylo ren","ben solo","ren","kylo_ren"],"lando_calrissian":["lando","lando calrissian","general lando","general lando calrissian","general calrissian","lando_calrissian"],"leia_organa":["leia","princess leia","leia skywalker","leia organa","general leia","senator leia","general leia organa","senator leia organa","leia organa solo","leia_organa"],"luke_skywalker":["luke","luke skywalker","luke_skywalker"],"mace_windu":["mace","mace windu","windu","master mace windu","mace_windu"],"maz_kanata":["maz","maz kanata","maz_kanata"],"obi_wan_kenobi":["obi kenobi","ben","ben kenobi","obi wan kenobi","obi-wan","obi wan","obi-wan kenobi","obi_wan_kenobi"],"padme_amidala":["senator amidala","queen amidala","padme","amidala","padme amidala","padme_amidala"],"qui_gon_jinn":["qui-gon","qui gon","qui-gon jinn","qui gon jinn","qui-gonn jin","qui gonn","master qui-gon","master qui gon","qui_gon_jinn"],"rey":["rey"],"shmi_skywalker":["shmi","shmi skywalker","shmi_skywalker"],"yoda":["master yoda","yoda"]},"call_numbers":["Leader","#"],"call_sign":["#{call_squadron} #{call_number}"],"call_squadrons":["Rogue","Red","Gray","Green","Blue","Gold","Black","Yellow","Phoenix"],"characters":["Padme Amidala","Jar Jar Binks","Borvo the Hutt","Darth Caedus","Boba Fett","Jabba the Hutt","Obi-Wan Kenobi","Darth Maul","Leia Organa","Sheev Palpatine","Kylo Ren","Darth Sidious","Anakin Skywalker","Luke Skywalker","Ben Solo","Han Solo","Darth Vader","Watto","Mace Windu","Yoda","Count Dooku","Sebulba","Qui-Gon Jinn","Chewbacca","Jango Fett","Lando Calrissian","Bail Organa","Wedge Antilles","Poe Dameron","Ki-Adi-Mundi","Nute Gunray","Panaka","Rune Haako","Rey","Finn","Supreme Leader Snoke","General Hux","Admiral Ackbar","Ahsoka Tano","Asajj Ventress","Bendu","Captain Phasma","Chirrut Imwe","Ezra Bridger","Galen Erso","Grand Moff Tarkin","Grand Admiral Thrawn","Greedo","Jyn Erso","Lyra Erso","Maz Kanata","Mon Mothma","Sabine Wren","Saw Gerrera","Savage Opress","Shmi Skywalker","Kanan Jarrus","Hera Syndulla","Rose Tico","Vice Admiral Holdo"],"droids":["2-1B","4-LOM","ASP","B2-RP","B1","BD-3000","C1-10P","FA-4","GH-7","GNK","LM-432","ID9","11-4D","2-1B","327-T","4-LOM","B4-D4","NR-N99","C-3PO","R2-D2","BB-8","R2-Q5","Super Battle Droid","Mouse Droid","Droideka","Buzz Droid","Magnaguard","Interrogation Droid","Vulture Droid","BB-9E","K-2SO"],"planets":["Alderaan","Ahch-To","Bespin","Cantonica","Coruscant","Cloud City","Crait","DQar","Dathomir","Dagobah","Death Star","Eadu","Endor","Felucia","Geonosis","Hoth","Hosnian Prime","Jakku","Jedha","Kamino","Kashyyyk","Lothal","Mandalore","Mustafar","Mygeeto","Naboo","Onderon","Ryloth","Scarif","Starkiller Base","Sullust","Takodana","Tatooine","Utapau","Yavin 4"],"quotes":{"admiral_ackbar":["It's a trap!","The Shield is down! Commence attack on the Death star's main reactor. ","We have no choice, General Calrissian! Our cruisers can't repel firepower of that magnitude!"],"ahsoka_tano":["Suicide is not the Jedi way, master.","Let's just say my master will always do what needs to be done. I'm not even sure how peacetime will agree with him.","Sorry to interrupt your playtime, Grumpy, but wouldn't you prefer a challenge? "],"anakin_skywalker":["I've got a bad feeling about this.","Just for once, let me look on you with my own eyes.","Jedi business, go back to your drinks!"],"asajj_ventress":["You're tenacious, Jedi.","Not even the dark side can give you that power."],"bendu":["Your presence is like a violent storm in this quiet world","An object can not make you good, or evil. The temptation of power, forbidden knowledge, even the desire to do good can lead some down that path. But only you can change yourself.","Once something is known, it cannot be unknown."],"boba_fett":["He's no good to me dead.","You can run, but you'll only die tired."],"c_3po":["I have a bad feeling about this.","R2-D2, you know better than to trust a strange computer!","I'm terribly sorry about all this. After all, he's only a Wookiee!","Don’t you call me a mindless philosopher, you overweight glob of grease!","We're doomed.","I suggest a new strategy, R2. Let the Wookiee win.","We seem to be made to suffer. It's our lot in life.","I'm backwards you filthy furball!"],"count_dooku":["Twice the pride, double the fall."],"darth_caedus":["You're smarter than a tree, aren't you?"],"darth_vader":["I find your lack of faith disturbing.","You are a member of the rebel alliance, and a traitor.","You are unwise to lower your defenses!","I am altering the deal. Pray I don't alter it any further.","Perhaps you think you're being treated unfairly?","The circle is now complete. When I left you, I was but the learner. Now I am the master.","Obi-Wan was wise to hide her from me. Now, his failure is complete. If you will not turn to the Dark Side… then perhaps she will.","Search your feelings, you know it to be true!","Impressive. Most impressive. Obi-Wan has taught you well. You have controlled your fear. Now, release your anger. Only your hatred can destroy me.","I hope so for your sake, the Emperor is not as forgiving as I am","Be careful not to choke on your aspirations, Director.","He is as clumsy as he is stupid.","You may use any methods necessary, but I want them alive. No disintegrations!","You have failed me for the last time, Admiral."],"emperor_palpatine":["Only at the end do you realize the power of the Dark Side.","Oh, I'm afraid the deflector shield will be quite operational when your friends arrive.","There is a great disturbance in the Force.","Give in to your anger. With each passing moment you make yourself more my servant.","Let the hate flow through you!","Your feeble skills are no match for the power of the Dark Side.","Your hate has made you powerful. Now fulfill your destiny, take you're father's place by my side.","So be it, Jedi.","The Force is strong with him. The son of Skywalker must not become a Jedi."],"finn":["Droid, please!","Sanitation","Solo, we'll figure it out. We'll use the Force.","I'm a big deal in the Resistance. Which puts a real target on my back."],"general_hux":["I won't have you question my methods.","Careful, Ren, that your personal interests not interfere with orders from Leader Snoke."],"grand_admiral_thrawn":["I will start my operations here, and pull the rebels apart piece by piece. They'll be the architects of their own destruction.","War is in your blood. I studied the art of war, worked to perfect it, but you? You were forged by it."],"grand_moff_tarkin":["Now, witness the power of this fully operational battle station.","The Jedi are extinct. Their fire has gone out of the universe. You, my friend, are all that's left of their religion."],"greedo":["Koona t'chuta Solo? (Going somewhere Solo?)","Soong peetch alay. (It's too late.)","Ee mara tom tee tok maky cheesa. (You should have paid him when you had the chance.)","Jabba won neechee kochba mu shanee wy tonny wya uska. (Jabba put a price on your head so large, every bounty hunter in the galaxy will be looking for you.)","Chosky nowy u chusu. (I'm lucky I found you first.)","El jaya kulpa intick kuny ku suwa. (If you give it to me, I might forget I found you.)","Semal hi teek teek. (Jabba's through with you.)","Sone guru ye buya nyah oo won spasteega koo shu coon bon duwa weeptee. (He has no time for smugglers who drop their shipments at the first sign of an Imperial cruiser.)","Talk Jabba. (Tell that to Jabba.)","Boompa kom bok nee aht am bompah. (He may only take your ship.)","Nuklee numaa (that's the idea.)","Ches ko ba tuta creesta crenko ya kolska! (This is something I've been looking forward to for a long time.)"],"han_solo":["It's the ship that made the Kessel Run in less than 12 parsecs.","She may not look like much, but she's got it where it counts, kid.","Never tell me the odds","Well, you said you wanted to be around when I made a mistake.","No reward is worth this.","Shut him up or shut him down.","I got a bad feeling about this.","I have a really bad feeling about this.","Ungh. And I thought they smelled bad on the outside.","I have a bad feeling about this.","Bounty hunters! We don't need this scum.","If they follow standard Imperial procedure, they'll dump their garbage before they go to light-speed.","Hokey religions and ancient weapons are no match for a good blaster at your side, kid."],"jabba_the_hutt":["Solo, la pa loiya Solo! (Solo, come out of there! Solo!)","Bone duwa pweepway? (Have you now?)","Han, ma bookie, keel-ee calleya ku kah. (Han, my boy, you disappoint me.)","Wanta dah moolee-rah... (Why haven't you paid me...)","Mon kee chees kreespa Greedo? (And why did you fry poor Greedo?)","Han, ma kee chee zay. (Han, I can't make exceptions.)","Hassa ba una kulkee malia... (What if everyone who smuggled for me...)","Lude eveela deesa... (drooped their cargo at the sight...)","sloan dwa spasteega el was nwo yana da gooloo? (of an Imperial starship?)","Han, ma bookie, baldo nee anna dodo da eena. (You're the best.)","See fa doi dee yaba... (So for an extra twenty percent...)","Dee do ee deen. (Okay, fifteen percent.)","Ee ya ba ma dookie massa... (But if you fail me again...)","Eek bon chee ko pa na green. (I'll put a price on your head so big...)","na meeto do buny dunko la cho ya. (you won't be able to get near a civilized system.)","Boska! (Come on!)"],"jar_jar_binks":["Ooh mooey mooey I love you!","Yoosa should follow me now, okeeday?","Yipe! How wude!","Ohh, maxi big da Force. Well dat smells stinkowiff.","Oh Gooberfish","Exsqueeze me","Mesa cause one, two-y little bitty axadentes, huh? Yud say boom de gasser, den crashin der bosses heyblibber, den banished.","Mesa called Jar-Jar Binks. Mesa your humble servant.","My forgotten, da Bosses will do terrible tings to me TERRRRRIBLE is me going back der!","Mesa day startin pretty okee-day with a brisky morning munchy, then BOOM! Gettin very scared and grabbin that Jedi and POW! Mesa here! Mesa gettin' very very scared!"],"k_2so":["I have a bad feeling about..."],"kylo_ren":["You need a teacher. I can show you the ways of the Force.","Show me again, grandfather, and I will finish what you started."],"lando_calrissian":["Why you slimy, double-crossing, no-good swindler. You've got a lot of guts coming here, after what you pulled.","How you doin' Chewbacca? Still hanging around with this loser?","But how could they be jamming us if they don't know that we're coming?"],"leia_organa":["You do have your moments. Not many, but you have them.","I have a bad feeling about this.","Would somebody get this big walking carpet out of my way?","Aren't you a little short for a Stormtrooper?","Help me Obi-Wan. You're my only hope","Why, you stuck-up, half-witted, scruffy-looking nerf herder!","Governor Tarkin, I should've expected to find you holding Vader's leash. I recognized your foul stench when I was brought on board.","Somebody has to save our skins. Into the garbage chute, flyboy!"],"luke_skywalker":["But I was going into Tosche Station to pick up some power converters!","I have a very bad feeling about this.","It's not impossible. I used to bullseye womp rats in my T-16 back home, they're not much bigger than two meters.","You know, that little droid is going to cause me a lot of trouble.","If you're saying that coming here was a bad idea, I'm starting to agree with you.","You'll find I'm full of surprises!","Your overconfidence is your weakness.","You serve your master well. And you will be rewarded.","Threepio, tell them if they don't do as you wish, you'll become angry and use your magic","I am a Jedi, like my father before me."],"mace_windu":["The senate will decide your fate.","Then our worst fears have been realized. We must move quickly if the Jedi Order is to survive."],"maz_kanata":["I assume you need something. Desperately."],"obi_wan_kenobi":["An elegant weapon for a more civilized age.","You don’t need to see his identification. These aren’t the droids you’re looking for.","You will never find a more wretched hive of scum and villainy. We must be cautious.","Who's the more foolish; the fool, or the fool who follows him?","I have a bad feeling about this.","Strike me down, and I will become more powerful than you could possibly imagine.","In my experience there is no such thing as luck.","The Force will be with you. Always.","That's no moon. It's a space station.","I felt a great disturbance in the Force. As if millions of voices suddenly cried out in terror and were suddenly silenced.","Use the Force, Luke."],"padme_amidala":["So this is how liberty dies. With thunderous applause.","Ani? My goodness, you've grown.","Anakin you're breaking my heart, you're going down a path I can't follow.","Hold me, like you did by the lake on Naboo; so long ago when there was nothing but our love. No politics, no plotting, no war.","I was not elected to watch my people suffer and die while you discuss this invasion in a committee!"],"qui_gon_jinn":["Remember your focus determines your reality."],"rey":["You will remove these restraints and leave this cell with the door open.","The garbage'll do"],"shmi_skywalker":["You can't stop change any more than you can stop the suns from setting.","The Republic doesn't exist out here. We must survive on our own."],"yoda":["Wars not make one great.","Truly wonderful, the mind of a child is.","That is why you fail.","A Jedi uses the Force for knowledge and defense, never for attack.","Adventure. Excitement. A Jedi craves not these things.","Fear is the path to the dark side... fear leads to anger... anger leads to hate... hate leads to suffering.","Judge me by my size, do you?","Do. Or do not. There is no try.","Luminous beings are we... not this crude matter.","Train yourself to let go of everything you fear to lose."]},"species":["Ewok","Hutt","Gungan","Ithorian","Jawa","Neimoidian","Sullustan","Wookiee","Mon Calamari","Bith","Dathomirian","Gamorreans","Kaminoan","Twi'lek","Porg"],"vehicles":["V-Wing Fighter","ATT Battle Tank","Naboo N-1 Starfighter","Republic Cruiser","Naboo Royal Starship","Gungan Bongo Submarine","Flash Speeder","Trade Federation Battleship","Millennium Falcon","Sith Infiltrator","AT-ST Walker","TIE Bomber","Imperial Shuttle","Sandcrawler","TIE Interceptor","Speeder Bike","Death Star","AT-AT Walker","Imperial Star Destroyer","X-Wing Fighter","A-Wing Fighter","GR-75 Transport","Imperial Interdictor","MTT","Phantom II","Republic Attack Gunship","Rey's Speeder","Ghost","U-Wing","Y-Wing Starfighter","First Order TIE Fighter","AT-M6 Walker","First Order Dreadnought","TIE Silencer","Resistance Bomber","Resistance Ski Speeder"],"wookiee_words":["wyaaaaaa","ruh","huewaa","muaa","mumwa","wua","ga","ma","ahuma","ooma","youw","kabukk","wyogg","gwyaaaag","roooarrgh","ur","ru","roo","hnn-rowr","yrroonn","nng","rarr"]},"stargate":{"characters":["Jack O'Neill","Teal'c","Daniel Jackson","Samantha Carter","Janet Frasier","George Hammond","Jonas Quinn","Cameron Mitchell","Vala Mal Doran","Kawalsky","Jacob Carter","Kasuf","Sha're","Skaara","Thor","Anubis","Apophis","Ba'al","Cronus","Hathor","Heru-ur","Klorel","Ra","Amonet","Osiris","Sokar","Bra'tac","Lantash","Selmak","Jolinar","Martouf","Cassandra","Harlan"],"planets":["Abydos","Altair","Asuras\"","Athos","Celestis","Chulak","Dakara","Earth","Langara","Lantea","Orilla","P3X-888","Sateda","Tollana","Vorash"],"quotes":["What is an Oprah?","Teal'c, look scary and take point.","Things will not calm down, Daniel Jackson. They will, in fact, calm up.","Undomesticated equines could not remove me.","General, request permission to beat the crap out of this man.","In my culture, I would be well within my rights to dismember you.","Hey, if you'd been listening, you'd know that Nintendos pass through everything!","You know, I've never been on a stakeout before. Shouldn't we have donuts or something?","It's always suicide mission this, save the planet that. No one ever just stops by to say hi anymore.","I would prefer not to consume bovine lactose at any temperature.","I am not Lucy.","I did not intend for my statement to be humorous.","Indeed.","You ended that sentence with a preposition. Bastard!"]},"superhero":{"descriptor":["A-Bomb","Abomination","Absorbing","Ajax","Alien","Amazo","Ammo","Angel","Animal","Annihilus","Ant","Apocalypse","Aqua","Aqualad","Arachne","Archangel","Arclight","Ares","Ariel","Armor","Arsenal","Astro Boy","Atlas","Atom","Aurora","Azrael","Aztar","Bane","Banshee","Bantam","Bat","Beak","Beast","Beetle","Ben","Beyonder","Binary","Bird","Bishop","Bizarro","Blade","Blaquesmith","Blink","Blizzard","Blob","Bloodaxe","Bloodhawk","Bloodwraith","Bolt","Bomb Queen","Boom Boom","Boomer","Booster Gold","Box","Brainiac","Brother Voodoo","Buffy","Bullseye","Bumblebee","Bushido","Cable","Callisto","Cannonball","Carnage","Cat","Century","Cerebra","Chamber","Chameleon","Changeling","Cheetah","Chromos","Chuck Norris","Clea","Cloak","Cogliostro","Colin Wagner","Colossus","Copycat","Corsair","Cottonmouth","Crystal","Curse","Cy-Gor","Cyborg","Cyclops","Cypher","Dagger","Daredevil","Darkhawk","Darkseid","Darkside","Darkstar","Dash","Deadpool","Deadshot","Deathlok","Deathstroke","Demogoblin","Destroyer","Doc Samson","Domino","Doomsday","Doppelganger","Dormammu","Ego","Electro","Elektra","Elongated Man","Energy","ERG","Etrigan","Evilhawk","Exodus","Falcon","Faora","Feral","Firebird","Firelord","Firestar","Firestorm","Fixer","Flash","Forge","Frenzy","Galactus","Gambit","Gamora","Garbage","Genesis","Ghost","Giganta","Gladiator","Goblin Queen","Gog","Goku","Goliath","Gorilla Grodd","Granny Goodness","Gravity","Groot","Guardian","Gardner","Hancock","Havok","Hawk","Heat Wave","Hell","Hercules","Hobgoblin","Hollow","Hope Summers","Hulk","Huntress","Husk","Hybrid","Hyperion","Impulse","Ink","Iron Fist","Isis","Jack of Hearts","Jack-Jack","Jigsaw","Joker","Jolt","Jubilee","Juggernaut","Junkpile","Justice","Kang","Klaw","Kool-Aid Man","Krypto","Leader","Leech","Lizard","Lobo","Loki","Longshot","Luna","Lyja","Magneto","Magog","Magus","Mandarin","Martian Manhunter","Match","Maverick","Maxima","Maya Herrera","Medusa","Meltdown","Mephisto","Mera","Metallo","Metamorpho","Meteorite","Metron","Mimic","Misfit","Mockingbird","Mogo","Moloch","Molten Man","Monarch","Moon Knight","Moonstone","Morlun","Morph","Multiple","Mysterio","Mystique","Namor","Namorita","Naruto Uzumaki","Nathan Petrelli","Niki Sanders","Nina Theroux","Northstar","Nova","Omega Red","Omniscient","Onslaught","Osiris","Overtkill","Penance","Penguin","Phantom","Phoenix","Plastique","Polaris","Predator","Proto-Goblin","Psylocke","Punisher","Pyro","Quantum","Question","Quicksilver","Quill","Ra's Al Ghul","Rachel Pirzad","Rambo","Raven","Redeemer","Renata Soliz","Rhino","Rick Flag","Riddler","Ripcord","Rocket Raccoon","Rogue","Ronin","Rorschach","Sabretooth","Sage","Sasquatch","Scarecrow","Scorpia","Scorpion","Sentry","Shang-Chi","Shatterstar","She-Hulk","She-Thing","Shocker","Shriek","Shrinking Violet","Sif","Silk","Silverclaw","Sinestro","Siren","Siryn","Skaar","Snowbird","Sobek","Songbird","Space Ghost","Spawn","Spectre","Speedball","Speedy","Spider","Spyke","Stacy X","Star-Lord","Stardust","Starfire","Steel","Storm","Sunspot","Swarm","Sylar","Synch","T","Tempest","Thanos","Thing","Thor","Thunderbird","Thundra","Tiger Shark","Tigra","Tinkerer","Titan","Toad","Toxin","Toxin","Trickster","Triplicate","Triton","Two-Face","Ultron","Vagabond","Valkyrie","Vanisher","Venom","Vibe","Vindicator","Violator","Violet","Vision","Vulcan","Vulture","Walrus","War Machine","Warbird","Warlock","Warp","Warpath","Wasp","Watcher","White Queen","Wildfire","Winter Soldier","Wiz Kid","Wolfsbane","Wolverine","Wondra","Wyatt Wingfoot","Yellow","Yellowjacket","Ymir","Zatanna","Zoom"],"name":["#{Superhero.prefix} #{Superhero.descriptor} #{Superhero.suffix}","#{Superhero.prefix} #{Superhero.descriptor}","#{Superhero.descriptor} #{Superhero.suffix}","#{Superhero.descriptor}"],"power":["Ability Shift","Absorption","Accuracy","Adaptation","Aerokinesis","Agility","Animal Attributes","Animal Control","Animal Oriented Powers","Animation","Anti-Gravity","Apotheosis","Astral Projection","Astral Trap","Astral Travel","Atmokinesis","Audiokinesis","Banish","Biokinesis","Bullet Time","Camouflage","Changing Armor","Chlorokinesis","Chronokinesis","Clairvoyance","Cloaking","Cold Resistance","Cross-Dimensional Awareness","Cross-Dimensional Travel","Cryokinesis","Danger Sense","Darkforce Manipulation","Death Touch","Density Control","Dexterity","Duplication","Durability","Echokinesis","Elasticity","Electrical Transport","Electrokinesis","Elemental Transmogrification","Empathy","Endurance","Energy Absorption","Energy Armor","Energy Beams","Energy Blasts","Energy Constructs","Energy Manipulation","Energy Resistance","Enhanced Hearing","Enhanced Memory","Enhanced Senses","Enhanced Sight","Enhanced Smell","Enhanced Touch","Entropy Projection","Fire Resistance","Flight","Force Fields","Geokinesis","Gliding","Gravitokinesis","Grim Reaping","Healing Factor","Heat Generation","Heat Resistance","Human physical perfection","Hydrokinesis","Hyperkinesis","Hypnokinesis","Illumination","Illusions","Immortality","Insanity","Intangibility","Intelligence","Intuitive aptitude","Invisibility","Invulnerability","Jump","Lantern Power Ring","Latent Abilities","Levitation","Longevity","Magic","Magic Resistance","Magnetokinesis","Matter Absorption","Melting","Mind Blast","Mind Control","Mind Control Resistance","Molecular Combustion","Molecular Dissipation","Molecular Immobilization","Molecular Manipulation","Natural Armor","Natural Weapons","Nova Force","Omnilingualism","Omnipotence","Omnitrix","Orbing","Phasing","Photographic Reflexes","Photokinesis","Physical Anomaly","Portal Creation","Possession","Power Absorption","Power Augmentation","Power Cosmic","Power Nullifier","Power Sense","Power Suit","Precognition","Probability Manipulation","Projection","Psionic Powers","Psychokinesis","Pyrokinesis","Qwardian Power Ring","Radar Sense","Radiation Absorption","Radiation Control","Radiation Immunity","Reality Warping","Reflexes","Regeneration","Resurrection","Seismic Power","Self-Sustenance","Separation","Shapeshifting","Size Changing","Sonar","Sonic Scream","Spatial Awareness","Stamina","Stealth","Sub-Mariner","Substance Secretion","Summoning","Super Breath","Super Speed","Super Strength","Symbiote Costume","Technopath/Cyberpath","Telekinesis","Telepathy","Telepathy Resistance","Teleportation","Terrakinesis","The Force","Thermokinesis","Thirstokinesis","Time Travel","Timeframe Control","Toxikinesis","Toxin and Disease Resistance","Umbrakinesis","Underwater breathing","Vaporising Beams","Vision - Cryo","Vision - Heat","Vision - Infrared","Vision - Microscopic","Vision - Night","Vision - Telescopic","Vision - Thermal","Vision - X-Ray","Vitakinesis","Wallcrawling","Weapon-based Powers","Weapons Master","Web Creation","Wishing"],"prefix":["The","Magnificent","Ultra","Supah","Illustrious","Agent","Cyborg","Dark","Giant","Mr","Doctor","Red","Green","General","Captain"],"suffix":["I","II","III","IX","XI","Claw","Man","Woman","Machine","Strike","X","Eyes","Dragon","Skull","Fist","Ivy","Boy","Girl","Knight","Wolf","Lord","Brain","the Hunter","of Hearts","Spirit","Strange","the Fated","Brain","Thirteen"]},"team":{"creature":["ants","bats","bears","bees","birds","buffalo","cats","chickens","cattle","dogs","dolphins","ducks","elephants","fishes","foxes","frogs","geese","goats","horses","kangaroos","lions","monkeys","owls","oxen","penguins","people","pigs","rabbits","sheep","tigers","whales","wolves","zebras","banshees","crows","black cats","chimeras","ghosts","conspirators","dragons","dwarves","elves","enchanters","exorcists","sons","foes","giants","gnomes","goblins","gooses","griffins","lycanthropes","nemesis","ogres","oracles","prophets","sorcerors","spiders","spirits","vampires","warlocks","vixens","werewolves","witches","worshipers","zombies","druids"],"mascot":["Raymond","Bailey","Rocky","Screech","Steely McBeam","Nordy","Hugo","Griz","Iceburgh","Mr. Redlegs","Benny the Bull","Big Red","Suns Gorilla","Pirate Parrot","Ragar the Viking","JazzBear","Wally the Green Monster","Burnie","K.C. Wolf","Sausages","Mr. Met","Youppi","The Raptor","Jaxson De Ville","Phanatic"],"name":["#{Address.state} #{creature}"],"sport":["baseball","basketball","football","hockey","rugby","lacrosse","soccer"]},"the_fresh_prince_of_bel_air":{"celebrities":["Quincy Jones","Jay Leno","Ronald Reagan","Dick Clark","Evander Holyfield","Isaiah Thomas","Heavy D","Don Cornelius","Kadeem Hardison","Hugh M. Hefner","Kareem Abdul-Jabbar","Bo Jackson","Ken Griffey Jr.","Al B. Sure!","John Ridley","Doctor Dré","Regis Philbin","William Shatner","B. B. King","Kim Fields","Arthel Neville","Oprah Winfrey","Donal J. Trump","Leeza Gibbons","Susan Powter","Tempestt Bledsoe","Kathie Lee Gifford","Garcelle Beauvais","Bree Walker"],"characters":["Will Smith","Philip Banks","Carlton Banks","Ashley Banks","Hilary Banks","Vivian Banks","Nicky Banks","Geoffrey Butler","Jazz","Vy Smith","Hattie Banks","Lisa Wilkes","Jackie Ames","Henry Furth","Trevor","Tyriq","Ice Tray","Dee Dee","Kellogg Lieberbaum","Coach Smiley","Judge Carl Robertson"],"quotes":["Girl, you look so good, I would marry your brother just to get in your family.","In west Philadelphia born and raised, on the playground was where I spent most of my days.","Might I say you rate a perfect 10 on my niftiness meter?","Will, there's something you should know: Sometimes... parents just don't understand.","Word up. This is gonna be cold, stupid on the serious tip.","Any time you see a white guy in jail, you know he did something bad.","Yo whassup, Jazz?","I'd love to get a hold of you during a blackout.","Your mouth is saying 'get out', but your eyes are saying 'get busy'.","Come on baby, I'm saying bing bang bloozy, you and me in the jacuzzi. Whassup?","I love a woman who's hard to get.","Let's go get some barbecue and get busy.","No way. Dude's got a gun. Next thing you know, I got six warning shots in my back.","Miss Hilary, you can't go through life quitting everything. You never achieve anything unless you stick with something.","That must be jam, 'cause jelly don't shake like that.","Need some help with your African-American studies? We can go to my place and let freedom ring.","Well, someone has her rude hat on tonight.","Girl, if God created anything less beautiful than you, I hope He kept it for Himself.","Maybe I sometimes say things that are selfish and self-centered, but that's who I am, dammit.","I found that any game can be made interesting if you put some money on it.","Carlton, I think you've been deprived of oxygen at birth.","Hit the road, you little tramp!","Sarcasm? Whatever do you mean?","Between you and the humpty dance, I'll have to get a metal plate on my butt.","Looks like you eat here often.","My brother, you wanna take this outside?!?","Opera? I thought she said Oprah.","All this legal stuff won't work. The only legal phrase these people understand is 'will the defendant please rise.'","Courage is being the way you are no matter what anybody says about you. Will teases me, but you don't see me goin' 'Yo, yo, yo, homey, yo.'","Well you're so ugly that...uuhh...baby, you so fine.","Ashley, look how much you've grown! Hilary, look how much you've grown! Carlton... hi.","Ashley, if you found out the only person in the world who would go out with was mentally deranged, you'd go to bed too.","All I see is you guys getting a fancy ride, a fancy ride in a free car.","Oh, please, Vivian. You'd believe that boy if he told you that he was a big rap star whose album just went platinum.","You've heard of the Batmobile, get a load of the Rapmobile!","Hello darling...NO photographs!","I'm from Philly. We had to save up to be poor.","Carlton, skiing is for white guys named Sven, and O.J. Simpson.","The system doesn't work. You have to blow the door down. Looks to me like you forgot that.","Hurt me, hurt me! Whoa, whoa, whoa, whoa. What's up, baby?","Whoa, whoa, whoa, now, baby, I noticed you noticing me and I just want to put you on notice that I noticed you too.","I just want to let you know that I might let you consider being with me.","Girl. I know your feet must be tired 'cause you been running through my mind all day. Come 'ere!","Carlton, come on. Just because the baby is cute doesn't mean you're not the father.","If I keep the motorcycle, I'm a pimp. If I give it back, I'm a damn fool. Oh, well, pimp it is!","I always knew Will was gonna be the downfall of this family, but no one ever listens to me.","Mirror, mirror, on the wall, Jean Claude Van Damn, I'm fine!","Go, Will! Go, Will! Go, Will!","My situation does not define who I am. I define who I am.","I guess I can kiss heaven goodbye because it has got to be sin to look this good.","You know what they say: Behind every successful man is a woman... or if you want to switch positions that's okay with me, too.","Will is not a coat that you hang in the closet then pick it up when you're ready to wear it! His life goes on! He's not supposed to be there for you, you're supposed to be there for him!","I so rarely have a woman scream my name. I was rather enjoying it.","Don't tell me, 'cause if I know I can't say that I don't know when you get busted and Uncle Phil starts rounding up the usual suspects. And I am the usual suspects.","What kind of idiot picks a password no one can guess?","What is that, like the theme of this family? 'When in doubt, blame Will.'","Well, you know, because guys grow beards and some women don't.","I'm young and I'm restless. And I've only got one life to live, so I've got to follow my guiding light and search for tomorrow.","There's a beautiful woman talking to me, but I don't expect you to understand that!","EARTHQUAKE!","Of all the rooms to burn in your uncle's home... the kitchen! Are you mad, boy?","I exploit people everyday, but it's Thanksgiving so I'm taking a day off.","Oh, don't worry, Carlton, we're all uncomfortable with your nudity.","Oh, Geoffrey, I'm gonna miss you. Oh, we have to have a special going away dinner for you. What do you wanna make?","Well, it's got ceiling-to-floor doors, and wall-to-wall floors.","I'm definitely gonna miss you, C."]},"the_thick_of_it":{"characters":["Malcolm Tucker","Hugh Abbot","Nicola Murray","Oliver Reeder","Cliff Lawton","Dan Miller","Geoff Holhurst","Jamie MacDonald","Julius, Rt Hon The Lord Nicholson of Arnage","Nick Hanway","Tom Davis","Clare Ballentine","Ben Swain","Ed Atkins","John Duggan","Steve Fleming","Helen Hatley","Sam Cassidy","Terri Coverley","Robyn Murdoch","Peter Mannion","Dr Stewart Pearson","Fergus Williams","Emma Florence Messinger","Philip Bartholomew Cornelius Smith","Glenn Cullen","Adam Kenyon","Cal Richards","Mary Drake","Lord Goolding","Baroness Sureka","Simon Weir","Matthew Hodge","The PM","Tom Davis","JB","Pat Morrissey","Douglas Tickel"],"departments":["Number 10","DoSAC","Shadow Cabinet","Department of Defense","House of Lords","Education Select Committee","Department of Immigration","Department of Education","Department of Fisheries","Cabinet Office"],"positions":["General Elections Advisor","Director of Communications","Former Media Adviser to the Leader of the Opposition","MP","Secretary of State for Social Affairs","Secretary of State for Social Affairs and Citizenship","Former Leader of the Opposition","Director of Communications for the Opposition","Policy Adviser to the Leader of the Opposition","Special Adviser/Junior Policy Adviser to the Secretary of State, DoSAC","Backbench MP","Junior Minister","Minister of State for Defense","Shadow Cabinet Minister","Senior Press Officer","Head of Advanced Implementation Unit","Spin Doctor","Chair","Minister of State for Immigration","Minister of State at the Department of Education","Press Officer","Party Press Officer","Chief Whip","Special Adviser to the Leader of the Opposition","Personal Assistant","Minister for Fisheries","Policy Adviser to the Shadow Secretary of State","Researcher for the Shadow Secretary of State","Adviser, Fourth Sector Initiative","Chief Strategist","Minister of State","Prime Minister of the United Kingdom"]},"twin_peaks":{"characters":["Albert Rosenfield","Andrew Packard","Andy Brennan","Annie Blackburn","Audrey Horne","Ben Horne","Bernard Renault","Big Ed Hurley","Blackie O'Reilly","Bobby Briggs","Catherine Martell","Chet Desmond","Dale Cooper","Denise Bryson","Dick Tremayne","Doc Hayward","Donna Hayward","Dougie Milford","Dr Jacoby","Eileen Hayward","Evelyn Marsh","Gersten Hayward","Gordon Cole","Hank Jennings","Harold Smith","Harriet Hayward","Hawk Hill","Jacques Renault","James Hurley","Jean Renault","Jerry Horne","John Justice Wheeler","Johnny Horne","Josie Packard","Killer BOB","Lana Budding Milford","Laura Palmer","Leland Palmer","Leo Johnson","Lil the dancer","Lucy Moran","MIKE","Maddy Ferguson","Major Briggs","Mayor Milford","Mike Nelson","Mr Tojamura","Mrs Tremond","Nadine Hurley","Norma Jennings","Pete Martell","Phillip Gerard","Phillip Jeffries","Pierre Tremond","Ronette Pulaski","Sam Stanley","Sarah Palmer","Shelly Johnson","Sheriff Truman","Teresa Banks","The Giant","The Log Lady","The Man from Another Place","Thomas Eckhardt","Windom Earle"],"locations":["Big Ed's Gas Farm","Black Lake","Black Lodge","Blue Pine Lodge","Bookhouse","Calhoun Memorial Hospital","Cemetery","Dead Dog Farm","Deer Meadow","Double-R Diner","Easter Park","FBI Office","Fat Trout Trailer Park","Ghostwood National Forest","Glastonbury Grove","Great Northern Hotel","Haps Diner","High School","Horne's Department Store","Log Lady's Cabin","One Eyed Jack's","Owl Cave","Packard Sawmill","Palmer House","Railroad Car","Roadhouse","Ronette's Bridge","Sheriff's Department","Timber Falls Motel","Town Hall","Twin Peaks Savings \u0026 Loan","White Lodge","Wind River"],"quotes":["She's dead... Wrapped in plastic.","There was a fish in the percolator!","You know, this is — excuse me — a damn fine cup of coffee!","Black as midnight on a moonless night.","Through the darkness of future's past, the magician longs to see. One chants out between two worlds... \"Fire... walk with me.\"","You may think I've gone insane... but I promise. I will kill again.","That gum you like is going to come back in style.","Where we're from, the birds sing a pretty song, and there's always music in the air.","Will this sadness that makes me cry my heart out — will it ever end? The answer, of course, is yes. One day the sadness will end.","Every day, once a day, give yourself a present.","Do you want to know what the ultimate secret is? Laura did. The secret of knowing who killed you.","COOPER, YOU REMIND ME TODAY OF A SMALL MEXICAN CHIHUAHUA.","J'ai une âme solitaire.","There's nothing quite like urinating in the open air.","Sometimes jokes are welcome. Like the one about the kid who said: \"I enjoyed school. It was just the principal of the thing.\"","Cooper, you may be fearless in this world, but there are other worlds.","MAY A SMILE BE YOUR UMBRELLA. WE'VE ALL HAD OUR SOCKS TOSSED AROUND.","Windom Earle's mind is like a diamond. It's cold, and hard, and brilliant.","I don't wanna talk. I wanna shoot.","I have no idea where this will lead us. But I have a definite feeling it will be a place both wonderful and strange.","Pie. Whoever invented the pie? Here was a great person.","Audrey, there are many cures for a broken heart. But nothing quite like a trout's leap in the moonlight.","It has been a pleasure speaking to you.","Wow, Bob, wow.","How's Annie? How's Annie? How's Annie?","The owls are not what they seem.","Damn fine coffee! And hot!","Harry, is that bag smiling?","YOU ARE WITNESSING A FRONT THREE-QUARTER VIEW OF TWO ADULTS SHARING A TENDER MOMENT"]},"umphreys_mcgee":{"song":["1000 Places to See Before You Die","10th Grade","13 Days","1348","2nd Self","2x2","40's Theme","930","A Mild Sedative","Ahab","Alex's House","All in Time","All Things Ninja","Amble On","Anchor Drops","Andy's Last Beer","Angular Momentum","Atmosfarag","Attachments","Auf Wiedersehen","August","B.Onion","Baby Honey Sugar Darlin","Bad Friday","Bad Poker","Bathing Digits","Believe the Lie","Blue Echo","Bob","Booth Love","Breaker","Bridgeless","Bright Lights Big City","Bullhead City","Bus Call","Catshot","Cemetery Walk","Cemetery Walk II","Chicago","Conduit","Comma Later","Conduit","Constellations","Crucial Taunt","Cummins Lies","Cut off","Cut the Cable","Day Nurse","Dear Lord","Deeper","Den","Depth Charge","Der Bluten Kat","DeWayne","Dim Sun","Divisions","Domino Theory","Dough Bro","Downtrodden","Draconian","Dream Team","Drink My Drank","Drums","Duck Butter","Dump City","Eat","Educated Guess","Empty the Tank","End of the Road","Example 1","FDR","FF","Final Word","Flamethrower","Fly Like a Beagle","Fool's Gold","Forks","Front Porch","Front Port","Full Frontal","Funk Improv","Funk Jam","G-Song","Gents","Gesture Under a Mitten","Get in the Van","Glory","Go to Hell","Gobbler's Knob","Gone for Good","Goonville","Got Your Milk Right Here","Gravity's Real","Great American","Gulf Stream","Gurgle","Gut Strut","Hajimemashite","Hangover","Headphones \u0026 Snowcones","Higgins","Hindsight","Hourglass","Hours","Hurt Bird Bath","In the Black","In the Kitchen","In Violation of Yes","Intentions Clear","JaJunk","Jared","Jekyll \u0026 Hyde","Jose","Kabump","Kat's Tune","Keefer","Kimble","Kula","Larceny","Last Call","Last Man Swerving","Le Blitz","Leave Me Las Vegas","Liberty Echo","Lift \u0026 Separate","Liquid","Little Gift","Loose Ends","Lord Bail Ship","Lucid State","Mad Love","Made to Measure","Mail Package","Make it Right","Mamu","Mantis","Mantis Ghetts","Memoris of Home","Miami Virtue","Miss Tinkle's Overture","Moogasaurus Rex","Morning Song","Much Obliged","Muff II The Revenge","MuffburgerSandwich","Mulche's Odyssey","Mullet Over","Nachos for Two","Nemo","Never Cease","Night Nurse","Nipple Trix","No Comment","Non-Compliance","Nopener","North Route","Nothing Too Fancy","Ocean Billy","October Rain","Oesque","Onward and Upward","Orfeo","Out of Order","Padgett's Profile","Partyin Peeps","Passing","Pay the Snucka","Phil's Farm","Pick your Nose","Piranhas","Plunger","PonchEstrada","Pooh Doggie","Preamble","Professor Wormbog","Prophecy Now","Proverbial","Prowler","Puppet String","Push the Booth Deeper","Push the Pig","QBert","Raymond","Red Room Disco","Red Tape","Remind Me","Resolution","REW","Ride On Pony","Ringo","Rise To the Top","Rising Bird","Robot World","Rocker","Rocker Part 2","Roctopus","Room To Breathe","Roulette","Salamander Strut","Scaffolding Melee","Search 4","Similar Skin","Skin the Cat","Skip","Slacker","Slow","Sludge and Death","Smell the Mitten","Snake Juice","Sociable Jimmy","Soul Food","Space Funk Booty","Speak Up","Spires","St. Hubbins March 2","Spires","Stanton","Stinko's Ascension","Susanah","Sweetness","Syncopated Strangers","Take it to Church","Tango Mike","The Bottom Half","The Crooked One","The Empire State","The Floor","The Fussy Dutchman","The Fuzz","The Haunt","The Linear","The Other Side of Things","The Pequod","The Plot Thickens","The Triple Wide","The Weight Around","There's No Crying in Mexico","Theresa","Thin Air","Through the Cracks","Tribute to the Spinal Shaft","Turn and Dub","Turn and Run","Uncle Wally","Uncommon","Until We Meet Again","Utopian Fir","Vibe","Visions","Waist Down","Walletsworth","Wappy Sprayberry","Water","Web Tangle","Weed Rap","Wellwishers","White Man's Moccasins","White Pickle","Wife Soup","Wizard Burial Ground","Women Wine and Song","Words","Yoga Pants","You Got the Wrong Guy","Zeroes and Ones"]},"university":{"name":["#{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name}","#{University.prefix} #{Address.state} #{University.suffix}"],"prefix":["The","Northern","North","Western","West","Southern","South","Eastern","East"],"suffix":["University","Institute","College","Academy"]},"v_for_vendetta":{"characters":["V","Evey Hammond","Conrad Heyer","Adam Susan","Derek Almond","Eric Finch","Roger Dascombe","Dominic Stone","Lewis Prothero","Helen Heyer","Rosemary Almond","Dr. Delia Surridge","Bishop Anthony Lilliman","Peter Creedy","Valerie Page","Gordon","Alistair \"Ally\" Harper","Brian Etheridge","Guy Fawkes","Chancellor Adam Sutler"],"quotes":["A building is a symbol, as is the act of destroying it. Symbols are given power by people. Alone, a symbol is meaningless, but with enough people, blowing up a building can change the world.","A fake ID works better than a Guy Fawkes mask.","A man after my own heart.","A man does not threaten innocent civilians! He's what every gutless freedom hating terrorist is, a goddamn coward!","A man does not wear a mask!","A revolution without dancing is a revolution not worth having!","After what happened. After what they did. I thought about killing myself. I knew that one day you'd come for me. I didn't know what they were going to do. I swear to you. Read my journal.","Anarchy in the UK!","And thus I clothe my naked villainy, with old odd ends stolen forth from holy writ and seem a saint when most I play the devil.","Are you going to kill me now?","At last, we finally meet. I have something for you, Chancellor; a farewell gift. For all the things you've done, for the things you might have done, and for the only thing you have left.","Because it's the only way you're ever going to stop me!","Beneath this mask there is more than flesh. Beneath this mask there is an idea, Mr. Creedy. And ideas are bulletproof.","Bollocks. Whatchya gonna do, huh? We've swept this place. You've got nothing. Nothing but your bloody knives and your fancy karate gimmicks. We have guns.","But on this most auspicious of nights, permit me then, in lieu of the more commonplace sobriquet, to suggest the character of this dramatis persona.","By sun-up if you're not the sorriest piece of ass in all'a London... you'll certainly be the sorest!","By the power of truth, I, while living, have conquered the universe.","Conceal me what I am, and be my aid For such disguise as haply shall become The form of my intent.","Defiant to the end, huh? You won't cry like him, will you? You're not afraid of death. You're like me.","Do you have any idea how long it would take to rebuild this facility?","Don't run from it, Evey. You've been running all your life.","Every day, gentlemen. Every day that brings us closer to November. Every day that man remains free is one more failure. 347 days, gentlemen. 347 failures!","Everybody is special. Everybody. Everybody is a hero, a lover, a fool, a villain. Everybody. Everybody has their story to tell.","Evey, please. There is a face beneath this mask but it's not me. I'm no more that face than I am the muscles beneath it or the bones beneath them.","Evey? E-V. Of course you are","Gentlemen, I want this terrorist found... and I want him to understand what terror really means.","God is in the rain.","He cared more about revenge than he did about her.","He was Edmond Dantés... and he was my father. And my mother... my brother... my friend. He was you... and me. He was all of us.","I am instructed to inform you that you have been convicted by special tribunal and that unless you are ready to offer your cooperation you are to be executed. Do you understand what I'm telling you?","I can assure you I mean you no harm.","I can't feel anything anymore!","I dare do all that may become a man. Who dares do more is none.","I know you may never forgive me... but nor will you understand how hard it was for me to do what I did. Every day I saw in myself everything you see in me now. Every day I wanted to end it, but each time you refused to give in, I knew I couldn't.","I might have killed the fingerman who attacked you, but I heard no objection then.","I promise you it will be like nothing you have ever seen.","I remember them arguing at night. Mum wanted to leave the country. Dad refused. He said if we ran away, they would win. Win, like it was a game.","I suspect if they do find this place, a few bits of art will be the least of my worries.","I told you, only truth. For 20 years, I sought only this day. Nothing else existed... until I saw you. Then everything changed. I fell in love with you Evey. And to think I no longer believed I could.","I want anyone caught with one of those masks arrested!","I want this country to realize that we stand on the edge of oblivion. I want every man, woman and child to understand how close we are to chaos. I want everyone to remember why they need us!","I wish I believed that was possible. But every time I've seen this world change, it's always been for the worse.","I wish I wasn't afraid all the time, but... I am.","I worried about myself for a while... but then one day I was a market and a friend, someone I'd worked with at the BTN, got in line behind me. I was so nervous that when the cashier asked me for my money, I dropped it. My friend picked it up and handed it to me. She looked at me right in the eyes... didn't recognize me. I guess whatever you did to me worked better than I imagined.","I'll tell you what I wish. I wish I had been there! I wish I had the chance for a face-to-face. Just one chance, that's all I'd need!","I'm a musician of sorts, and on my way to give a very special performance.","I'm afraid that won't work either. Now, you have to understand, Evey. I don't want this for either of us, but I couldn't see any other way. You were unconscious, and I had to make a decision. If I had left you there, right now, you'd be in one of Creedy's interrogation cells. They'd imprison you, torture you, and, in all probability, kill you in the pursuit of finding me. After what you did, I couldn't let that happen, so I picked you up and carried you to the only place I knew you'd be safe: here, to my home.","I'm dizzy. I need air. Please, I need to be outside.","I'm not questioning your powers of observation; I'm merely remarking upon the paradox of asking a masked man who he is.","I'm sorry, but Mr. Deitrich's dead. I thought they'd arrest him, but when they found a Koran in his house, they had him executed.","I'm upset? You just said you killed Lewis Prothero!","I've not come for what you've hoped to do. I've come for what you did.","I, like God, do not play with dice and do not believe in coincidence.","If he does, and something happens to that building, the only thing that will change, the only difference that it will make, is that tomorrow morning, instead of a newspaper, I will be reading Mr. Creedy's resignation!","If our own government was responsible for the deaths of almost a hundred thousand people... would you really want to know?","If you accept, put an 'x' on your front door.","Is it meaningless to apologize?","Is that what you really think, or what they would want you to think?","It is to Madame Justice that I dedicate this concerto, in honor of the holiday that she seems to have taken from these parts, and in recognition of the impostor that stands in her stead. Tell me Evey, do you know what day it is?","It's funny. I was given one of your roses today. I wasn't sure you were the terrorist until I saw it. What a strange coincidence that I should be given one today.","It's my home. I call it the Shadow Gallery.","Knowledge, like air, is vital to life. Like air, no one should be denied it.","Listen to me, you bleeding sod, England prevails because I say it does! And so does every lazy bum on this show, and that includes you! Find another DOP, or find yourself another job!","Look, all they want is one little piece of information. Just give them something... anything.","Love your rage, not your cage.","May I inquire as to how you have avoided detection?","My father was a writer. You would've liked him. He used to say that artists use lies to tell the truth, while politicians use them to cover the truth up.","No one will ever forget that night and what it meant for this country. But I will never forget the man and what he meant to me.","No, what you have are bullets, and the hope that when your guns are empty I'm no longer be standing, because if I am you'll all be dead before you've reloaded.","No. I shouldn't have done that. I must have been out of my mind.","Not so funny now is it, funny man?","Now that's done with. It's time to have a look at your face. Take off your mask.","Now, this is only an initial report, but at this time, it's believed that during this heroic raid, the terrorist was shot and killed.","Oh please, have mercy!","Oh, not tonight Bishop... not tonight!","One thing is true of all governments - their most reliable records are tax records.","Penny for the Guy?","People should not be afraid of their governments. Governments should be afraid of their people.","She blinks a lot when she's reading a story she knows is false.","Spare us your professional annotations, Mr. Finch. They are irrelevant.","Stealing implies ownership. You can't steal from the censor; I merely reclaimed them.","Strength through unity! Unity through faith!","Sutler can no longer trust you, can he, Mr. Creedy? And we both know why. After I destroy Parliament, his only chance will be to offer them someone else. Some other piece of meat. And who will that be? You, Mr. Creedy. A man as smart as you has probably considered this. A man as smart as you probably has a plan. That plan is the reason Sutler no longer trusts you. It's the reason why you're being watched right now, why there are eyes and ears in every room of this house and a tap on every phone.","Sutler. Come now, Mr. Creedy, you knew this was coming. You knew that one day, it'd be you or him. That's why Sutler's been kept underground, for 'security purposes'. That's why there are several of your men close to Sutler. Men that could be counted on. All you have to do is say the word.","Tell me... do you like music, Mr. Finch?","Thank you... but I'd rather die behind the chemical sheds.","That's it! See, at first I thought it was hate, too. Hate was all I knew, it built my world, it imprisoned me, taught me how to eat, how to drink, how to breathe. I thought I'd die with all my hate in my veins. But then something happened. It happened to me... just as it happened to you.","The Ghost of Christmas past.","The only thing that you and I have in common, Mr. Creedy, is we're both about to die.","The problem is, he knows us better than we know ourselves. That's why I went to Larkhill, last night.","The time has come for me to meet my maker and to repay him in kind for all that he's done.","Then you have no fear anymore. You're completely free.","There are 872 songs on here. I've listened to them all... but I've never danced to any of them.","There are no coincidences, Delia... only the illusion of coincidence.","There is no court in this country for men like Prothero.","There's no certainty - only opportunity.","This country needs more than a building right now. It needs hope.","This so called V and his accomplice Evey Hammond, neo-demagogues spouting their message of hate, a delusional and aberrant voice delivering a terrorist's ultimatum... An ultimatum that was met with swift, surgically precise justice! The moral of this story ladies and gentleman is... Good guys win, bad guys lose, and as always, England prevails!","Tonight's your big night. Are you ready for it?... Are we ready for it?","Tonight, I will speak directly to these people and make the situation perfectly clear to them. The security of this nation depends on complete and total compliance. Tonight, any protester, any instigator or agitator, will be made example of!","Vi Veri Veniversum Vivus Vici","Violence can be used for good.","Wait! Here comes the crescendo!","We are being buried beneath the avalanche of your inadequacies, Mr. Creedy!","We're oft to blame, and this is too much proved, that with devotion's visage and pious action we do sugar on the devil himself.","We're under siege here, the whole city's gone mad!","What usually happens when people without guns stand up to people with guns.","What was done to me created me. It's a basic principle of the Universe that every action will create an equal and opposing reaction.","What was true in that cell is just as true now. What you felt in there has nothing to do with me.","Who is but the form following the function of what and what I am is a man in a mask.","Why should I trust you?","Would you prefer a lie or the truth?","Yes, Evey. I am V. At last you know the truth. You're stunned, I know. It's hard to believe isn't it, that beneath this wrinkled, well-fed exterior there lies a dangerous killing machine with a fetish for Fawkesian masks. ¡Viva la revolución!","You did what you thought was right.","You got to me? You did this to me? You cut my hair? You tortured me? You tortured me! Why?","You mean, after what you've done? God, what have I done? I Maced that detective. Why did I do that?","You said they were looking for you. If they know where you work, they certainly know where you live.","You said you wanted to live without fear. I wish there'd been an easier way, but there wasn't.","You show me ID, or I'll get Storm Saxon on your ass.","You wear a mask for so long, you forget who you were beneath it.","You were in the cell next to her. That's what it's all about... you're getting back at them for what they did to her... and to you.","You're insane!","You've been formally charged with three counts of murder, the bombing of government property, conspiracy to commit terrorism, treason, and sedition. The penalty for which is death by firing squad. You have one chance and only one chance to save your life. You must tell us the identity or whereabouts of codename V. If your information leads to his capture, you will be released from this facility immediately. Do you understand what I'm telling you? You can return to your life, Miss Hammond. All you have to do is cooperate.","You... it is you!","Your own father said that artists use lies to tell the truth. Yes, I created a lie. But because you believed it, you found something true about yourself.","Your powers of observation continue to serve you well."],"speeches":["Good evening, London. Allow me first to apologize for this interruption. I do, like many of you, appreciate the comforts of every day routine- the security of the familiar, the tranquility of repetition. I enjoy them as much as any bloke. But in the spirit of commemoration, whereby those important events of the past, usually associated with someone's death or the end of some awful bloody struggle, a celebration of a nice holiday, I thought we could mark this November the 5th, a day that is sadly no longer remembered, by taking some time out of our daily lives to sit down and have a little chat. There are of course those who do not want us to speak. I suspect even now, orders are being shouted into telephones, and men with guns will soon be on their way. Why? Because while the truncheon may be used in lieu of conversation, words will always retain their power. Words offer the means to meaning, and for those who will listen, the enunciation of truth. And the truth is, there is something terribly wrong with this country, isn't there? Cruelty and injustice, intolerance and oppression. And where once you had the freedom to object, to think and speak as you saw fit, you now have censors and systems of surveillance coercing your conformity and soliciting your submission. How did this happen? Who's to blame? Well certainly there are those more responsible than others, and they will be held accountable, but again truth be told, if you're looking for the guilty, you need only look into a mirror. I know why you did it. I know you were afraid. Who wouldn't be? War, terror, disease. There were a myriad of problems which conspired to corrupt your reason and rob you of your common sense. Fear got the best of you, and in your panic you turned to the now high chancellor, Adam Sutler. He promised you order, he promised you peace, and all he demanded in return was your silent, obedient consent. Last night I sought to end that silence. Last night I destroyed the Old Bailey, to remind this country of what it has forgotten. More than four hundred years ago a great citizen wished to embed the fifth of November forever in our memory. His hope was to remind the world that fairness, justice, and freedom are more than words, they are perspectives. So if you've seen nothing, if the crimes of this government remain unknown to you, then I would suggest you allow the fifth of November to pass unmarked. But if you see what I see, if you feel as I feel, and if you would seek as I seek, then I ask you to stand beside me one year from tonight, outside the gates of Parliament, and together we shall give them a fifth of November that shall never, ever be forgot.","I know there's no way I can convince you this is not one of their tricks, but I don't care, I am me. My name is Valerie, I don't think I'll live much longer and I wanted to tell someone about my life. This is the only autobiography I'll ever write, and god, I'm writing it on toilet paper. I was born in Nottingham in 1985, I don't remember much of those early years, but I do remember the rain. My grandmother owned a farm in Tuttlebrook, and she use to tell me that god was in the rain. I passed my 11th lesson into girl's grammar; it was at school that I met my first girlfriend, her name was Sara. It was her wrists. They were beautiful. I thought we would love each other forever. I remember our teacher telling us that is was an adolescent phase people outgrew. Sara did, I didn't. In 2002, I fell in love with a girl named Christina. That year I came out to my parents. I couldn't have done it without Chris holding my hand. My father wouldn't look at me, he told me to go and never come back. My mother said nothing. But I had only told them the truth, was that so selfish? Our integrity sells for so little, but it is all we really have. It is the very last inch of us, but within that inch, we are free. I'd always known what I wanted to do with my life, and in 2015 I starred in my first film, 'The Salt Flats'. It was the most important role of my life, not because of my career, but because that was how I met Ruth. The first time we kissed, I knew I never wanted to kiss any other lips but hers again. We moved to a small flat in London together. She grew Scarlet Carsons for me in our window box, and our place always smelled of roses. Those were there best years of my life. But America's war grew worse, and worse. And eventually came to London. After that there were no roses anymore. Not for anyone. I remember how the meaning of words began to change. How unfamiliar words like 'collateral' and 'rendition' became frightening. While things like Norse Fire and The Articles of Allegiance became powerful, I remember how different became dangerous. I still don't understand it, why they hate us so much. They took Ruth while she was out buying food. I've never cried so hard in my life. It wasn't long till they came for me. It seems strange that my life should end in such a terrible place, but for three years, I had roses, and apologized to no one. I shall die here. Every inch of me shall perish. Every inch, but one. An Inch, it is small and it is fragile, but it is the only thing the world worth having. We must never lose it or give it away. We must never let them take it from us. I hope that whoever you are, you escape this place. I hope that the world turns and that things get better. But what I hope most of all is that you understand what I mean when I tell you that even though I do not know you, and even though I may never meet you, laugh with you, cry with you, or kiss you. I love you. With all my heart, I love you. -Valerie","Listen to me, Evey. This may be the most important moment of your life. Commit to it. They took your parents from you. They took your brother from you. They put you in a cell and took everything they could take except your life. And you believed that was all there was, didn't you? The only thing you had left was your life, but it wasn't, was it? You found something else. In that cell you found something that mattered more to you than life. It was when they threatened to kill you unless you gave them what they wanted... you told them you'd rather die. You faced your death, Evey. You were calm. You were still. Try to feel now what you felt then.","My fellow Englishmen: tonight our country, that which we stand for, and all we hold dear, faces a grave and terrible threat. This violent and unparalleled assault on our security will not go undefended... or unpunished. Our enemy is an insidious one, seeking to divide us and destroy the very foundation of our great nation. Tonight, we must remain steadfast. We must remain determined. But most of all, we must remain united. Those caught tonight in violation of curfew will be considered in league with our enemy and prosecuted as a terrorist without leniency or exception. Tonight, I give you my most solemn vow: that justice will be swift, it will be righteous, and it will be without mercy.","Our story begins, as these stories often do, with a young up-and-coming politician. He's a deeply religious man and a member of the conservative party. He is completely single-minded convictions and has no regard for the political process. Eventually, his party launches a special project in the name of 'national security'. At first, it is believed to be a search for biological weapons and it is pursued regardless of its cost. However, the true goal of the project is power, complete and total hegemonic domination. The project, however, ends violently... but the efforts of those involved are not in vain, for a new ability to wage war is born from the blood of one of their victims. Imagine a virus - the most terrifying virus you can, and then imagine that you and you alone have the cure. But if your ultimate goal is power, how best to use such a weapon? It is at this point in our story that along comes a spider. He is a man seemingly without a conscience; for whom the ends always justify the means and it is he who suggests that their target should not be an enemy of the country but rather the country itself. Three targets are chosen to maximize the effect of the attack: a school, a tube station, and a water-treatment plant. Several hundred die within the first few weeks. Until at last the true goal comes into view. Before the St. Mary's crisis, no one would have predicted the outcome of the elections. No one. But after the election, lo and behold, a miracle. Some believed that it was the work of God himself, but it was a pharmaceutical company controlled by certain party members made them all obscenely rich. But the true genius of the plan was the fear. A year later, several extremists are tried, found guilty, and executed while a memorial is built to canonize their victims. Fear became the ultimate tool of this government. And through it our politician was ultimately appointed to the newly created position of High Chancellor. The rest, as they say, is history.","Remember, remember, the Fifth of November, the Gunpowder Treason and Plot. I know of no reason why the Gunpowder Treason should ever be forgot... But what of the man? I know his name was Guy Fawkes and I know, in 1605, he attempted to blow up the Houses of Parliament. But who was he really? What was he like? We are told to remember the idea, not the man, because a man can fail. He can be caught, he can be killed and forgotten, but 400 years later, an idea can still change the world. I've witnessed first hand the power of ideas, I've seen people kill in the name of them, and die defending them... but you cannot kiss an idea, cannot touch it, or hold it... ideas do not bleed, they do not feel pain, they do not love... And it is not an idea that I miss, it is a man... A man that made me remember the Fifth of November. A man that I will never forget.","So I read that the former United States is so desperate for medical supplies that they have allegedly sent several containers filled with wheat and tobacco. A gesture, they said, of good will. You wanna know what I think? Well, you're listening to my show, so I will assume you do... I think it's high time we let the colonies know what we really think of them. I think its payback time for a little tea party they threw for us a few hundred years ago. I say we go down to those docks tonight and dump that crap where everything from the Ulcered Sphincter of Arse-erica belongs! Who's with me? Who's bloody with me? Did you like that? USA... Ulcered Sphincter of Arse-erica, I mean what else can you say? Here was a country that had everything, absolutely everything. And now, 20 years later, is what? The world's biggest leper colony. Why? Godlessness. Let me say that again... Godlessness. It wasn't the war they started. It wasn't the plague they created. It was Judgement. No one escapes their past. No one escapes Judgement. You think he's not up there? You think he's not watching over this country? How else can you explain it? He tested us, but we came through. We did what we had to do. Islington. Enfield. I was there, I saw it all. Immigrants, Muslims, homosexuals, terrorists. Disease-ridden degenerates. They had to go. Strength through unity. Unity through faith. I'm a God-fearing Englishman and I'm goddamn proud of it!","Voilà! In view, a humble vaudevillian veteran, cast vicariously as both victim and villain by the vicissitudes of Fate. This visage, no mere veneer of vanity, is a vestige of the vox populi, now vacant, vanished. However, this valorous visitation of a by-gone vexation, stands vivified and has vowed to vanquish these venal and virulent vermin vanguarding vice and vouchsafing the violently vicious and voracious violation of volition. The only verdict is vengeance; a vendetta, held as a votive, not in vain, for the value and veracity of such shall one day vindicate the vigilant and the virtuous. Verily, this vichyssoise of verbiage veers most verbose, so let me simply add that it's my very good honor to meet you and you may call me V."]},"vehicle":{"manufacture":[["MARQUESS ELECTRIC CAR COMPANY","15E",null],["AJAX MANUFACTURING COMPANY, INC.","1A9","396"],["DAIMLERCHRYSLER CORPORATION","1B6",null],["BAY EQUIPMENT \u0026 REPAIR","1B9","290"],["CHOPPER GUY'S, INC.","1C9","564"],["COMMERCIAL MOBILE SYSTEMS","1C9","ACA"],["FORD MOTOR COMPANY","1F1",null],["AMERICAN TRANSPORTATION CORPORATION","1F8",null],["FMC CORP","1F9","041"],["GENERAL MOTORS CORPORATION","1G8",null],["AUTOMOTRIZ PEYCHA, S.A. DE C.V.","3A9","068"],["REGIOBUS, S.A. DE C.V.","3R9","097"],["Interstate West Corporation","4RA",null],["HONDA MANUFACTURING OF ALABAMA","5FS",null],["IMECA S.R.L.","8C9","ME1"],["FIAT DIESEL BRASIL S/A","9BE",null],["WOODGATE HOLDINGS LIMITED","DLA",null],["SOMACOA (STE. MALGACHE DE","GA1",null],["ISUZU MOTORS LIMITED","J81",null],["HYUNDAI MOTOR CO LTD","KPH",null],["SSANGYONG MOTOR COMPANY","KPL",null],["HUBEI CHILE AUTOMOBILE CO.LTD","L1C",null],["SICHUAN LESHAN BUS WORKS","LLD",null],["HERO HONDA MOTORS LTD","MB4",null],["AEON MOTOR CO., LTD.","RF3",null],["CHYONG HORNG ENTERPRISE CO., LTD.","RF4",null],["YULON MOTOR CO., LTD.","RF5",null],["DIN-LI METAL INDUSTRIAL CO LTD","RFW",null],["JAGUAR CARS LTD","SAJ",null],["LAND ROVER GROUP LTD","SAL",null],["ROVER GROUP LTD","SAR",null],["ZAKLAD BUDOWY I REMONTOW NACZEP WIE","SU9","WL1"],["SANOCKA FABRYKA AUTOBUSOW SFA","SUA",null],["Z.P.U.P.S. TRAMP TRAIL","SUB",null],["WYTWORNIA POJAZDOW MELEX","SXM",null],["MOWAG","TAM",null],["CSEPEL AUTOGYAR","TRC",null],["AUTOMOBILES TALBOT","VF4",null],["IVECO UNIC SA","VF5",null],["RENAULT VEHICULES INDUSTRIELS","VF6",null],["KIBO KOMMUNALMASCHINEN GMBH \u0026 CO.KG","W09","K10"],["BMW MOTORSPORT GMBH","WBS",null],["P. BARTHAU STAHLBAU","WBT",null],["BMW AG","WBW",null],["DAIMLERCHRYLSER AG","WD2",null],["DAIMLERCHRYSLER AG","WD3",null],["MANDOS S.A.","XF9","D41"]],"year":["A","L","Y","B","M","1","C","N","2","D","P","3","E","R","4","F","S","5","G","T","6","H","V","7","J","W","8","K","X","9"]},"venture_bros":{"character":["Hank Venture","Dean Venture","Thaddeus S. Venture","Brock Samson","H.E.L.P.E.R","Sereant Hatred","Princess Tinyfeet","Dermott Fictel-Venture","Dr. Jonas Venture Jr.","Triana Orpheus","Pete White","Master Billy Quizboy","Barond Ünderbheit","Pirate Captain","Dr. Byron Orpheus","Jefferson Twilight","The Alchemist","Dr. Jonas Venture Sr","The Action Man","Colonel Horace Gentleman","Kano","Otto Aquarius","Dr. Entmann","Swifty","Hector","Ook Ook","General Timothy Treister","Mister Doe","Mister Cardholder","Gen. Hunter Gathers","Shore Leave","Mile High Pilot","Dr.Vulcano","Headshot","Amber Gold","Afterburner","Shuttle Cock","Slap Chop","Bum Rush","Tank Top","Snoopy","The Monarch","Dr. Girlfriend","Phantom Limb","Henchman 21","The Viceroy","Gary","Doc Hammer","Henchman 24","Speedy","Tim-Tom","Kevin","Watch","Ward","Dr. Henry Killinger","The Sovereign","Monstroso","Torrid","Truckules","The Intangible Fancy","The Investors","Augustus St. Cloud","Vendata","Wild Fop","Red Mantle","Boggles, the Clue Clown","Dr. Phineas Phage","Dr. Z","Monseñor","Don Hell","Dragoon","Steppenwolf","Mommy Longlegs","The Nerve","Wide Wale","Doctor Dugong","Brick Frog","Flying Squid","Vespertina","Sri Lankan Devil Bird","Haranguetan","Sunsational","Galacticon","Battleaxe","Copy-Cat","Think Tank","The Doom Factory","Wes Warhammer","Frigid","Eenie-Meanie","Serpentine","Shehemoth","Gerard the Gorilla","Trashenstein","Ultra Violent","Billy Maim","Red Death","Col Lloyd Venture","Eugen Sandow","Aleister Crowley","Fantômas","Oscar Wilde","Samuel Clemens","Professor Richard Impossible","Manservant","Fat Chance","Lyndon Bee","Radical Left","Zero","Girl Hitler","Catclops","Manic 8-ball","Eunuchs","King Gorilla","Mr. Monday","Tigeriffic","White Noise","Dr. Septapus","Tiny Joseph","Teddy","Cuckoo Clocker","Big Time","Maybe Man","Scaramantula","Brainulo","Manotaur","Tiger Shark","SPHINX Commander","The Countess","Wind Song","Diamond Backdraft","Storm Front","Crime-o-dile","Scorpio","Molotov Cocktease","Col. Bud Manstrong","Lt. Anna Baldavich","The Master","Myra Brandish","Gen. Manhowers","Dr. Tara Quymn","Venturestein","The Outrider","Tatyana","Brown Widow","Sirena Ong","Sally Impossible","Rocket Impossible","Ro-Boy Z","Captain Sunshine","Wonder Boy","Wonderboy 5","Barbie-Q","U.S. Steel","Brown Thrasher"],"organization":["Team Venture","Venture Industries","The Guild of Calamitous Intent","The Fluttering Horde","The Order of the Triad","Office of Secret Intelligence","Impossible Industries","Ünderland Troops","Conjectural Technologies","State University","The Blackhearts Elimination Society","The Soul Mates","S.P.H.I.N.X","The Revenge Society","The Brimstone Assemnbly","Crusaders Action League"],"quote":["Monarchs..don't sting..","Go ahead. Take it from me","Are these they?","I dare you to make less sense","I am a ghost living inside the head of a robot","Truly only a face a mother can love","I am, how you say, Russian Guyovich","But he's in Depehce Mode!","Ow! My arm came off! I can't belive that happened","Mecha-Shiva!","It's in Sanskri, and a dialect I'm not familiar with. I'm not sure I can read it","Colonel Gentleman's good names for an imaginary friend","No I started it years ago in a moment of passion! And I'll end it the same way right here in front of Brock, H.E.L.P.eR., and God!","I'm all out of gun food!","So just what are you trying to say, little man? You don't like Zep?","I am General Treister's son. You saved my father's life. He spoke of you as a god... and you did not disappoint.","If you had a lady like my wife, you'd be in an alternate universe where dogs talk and birds have human pets.","On three we give him the ol' rochambeau!","They fought with Spaghetti-O's and meatballs?","We're gonna get our asses kicked. We didn't have a breakfast!","Smurfs don't lay eggs! I won't tell you this again! Papa Smurf has a f-ing beard! They're mammals!","Double damnit","Ya live by the ghost...ya die by the ghost.","BRRRRRRRRICKFROG!!!","And this.... is my magic murder bag.","The guy from Labyrinth just turned into a bird!","Revenge like gazpacho soup, is best served cold, precise and merciless.","Augh! Ghost pirate!!","Two heads are better than one!","My name....IS REVENGE!","Go Team Venture!","Sometimes I would pretend I was the Batman","They hit me with a truck","... As The hard-rocking quartet of Ace Freely, Gene Simmons, Peter Kris and... THE BAT","Ah, but we two souls have shared a cheese sandwich more than twice, and the stitched together quilt of your stony silence forms a tapestry of quiet desperation."],"vehicle":["Adrian","The Cocoon","Gargantua-1","Gargantua-2","Hover Bikes","Monarchmobile","TVC-15","Ventronic","Venturemobile","X-1","X-2","X-3","Morphomobile","Haranguetank","The Mighty Khafra"]},"witcher":{"characters":["Triss Merigold","Shani","Philippa Eilhart","Dandelion","King Radovid","King Foltest","King Henselt","King Demavend","Zoltan Chivay","Thaler","Ciri","Yennefer of Vengerberg","Keira Metz","Anna Strenger","Birna Bran","Jenge Frett","Uma","Vernon Roche","Ves","Donar an Hindar","Dudu Biberveldt","Emhyr van Emreis","Emiel Regis Rohellec Terzieff-Godefroy","Eredin","Caranthir","Imlerith","Nithral","Olgierd von Everec","Skjall","Sigismund Dijkstra","Avallac'h","Pavetta","Whoreson Junior","The Bloody Baron","Johnny","Gaunter O'Dimm","Vilgefortz","Iorveth","Fringilla Vigo","Morvran Voorhis","Crach an Craite","Jan Calveit","Francesca Findabair","Carthia van Canten","Sabrina Glevissig","Calanthe","Roach","Ermion","Priscilla","Margarita Laux-Antille","Milva","Maria Louisa La Valette","Stefan Skellen","Assire var Anahid","Mousesack","Hjalmar an Craite","Yarpen Zigrin","Dethmold","Eithné","Isengrim","Yaevinn","Nenneke","Jan Natalis","Bran an Tuirseach","Menno Coehoorn","Schirrú","Milton de Peyrac-Peyran","Vattier de Rideaux","Palmerin de Launfal","Tibor Eggebracht","Esterad Thyssen","Joachim de Wett","Brouver Hoog","Aglaïs","Xarthisius","Aelirenn","Adam Pangratt","Sweers","Sheldon Skaggs","Carduin","Albrich","Zyvik","Saskia","Sigrdrifa","Addario Bach"],"locations":["Aedd Gynvael","Aldersberg","Beauclair","Cidaris","Cintra","Gors Velen","Maribor","Novigrad","Oxenfurt","Tretogor","Vengerberg","Vizima","Ard Carraigh","Bremervoord","Brugge","Claremont","Creyden","Fen Aspra","Hengfors","Lan Exeter","Pont Vanis","Lyria","Maecht","Malleore","Metinna","Nilfgaard","Neunreuth","Rakverelin","Rivia","Thurn","Acorn Bay","Anchor","Assengard","Attre","Ban Ard","Ban Gleán","Barefield","Belhaven","Blaviken","Brenna","Breza","Burdorff","Caelf","Carreras","Craag An","Crinfrid","Daevon","Dillingen","Dorian","Druigh","Dudno","Duén Canell","Dun Dâre","Ellander","Eysenlaan","Fano","Foam","Forgeham","Fox Hollow","Ghelibol","Glyswen","Gulet","Hochebuz","Jealousy","Kaczan","Kagen","Kerack","Kernow","Klucz","Knotweed Meadow","Little Marsh","Lower Posada","Malhoun","Mirt","Murivel","New Ironworks","Porog","Riedbrune","Rinde","Roggeveen","Tegamo","Tigg","Tridam","Tyffi","Unicorn","Upper Posada","Vattweir","Vole","White Bridge","Zavada","Armeria","Baldhorn","Ban Gleán","Beauclair","Bodrog","Carcano","Castel Ravello","Darn Dyffra","Darn Rowan","Darn Ruach","Dillingen","Dorndal","Drakenborg","Fen Aspra","Glevitzingen","Gwendeith","Hagge","Houtborg","Kaer Morhen","Kaer Trolde","Leyda","Loc Grim","Mayena","Mirt","Montecalvo","Montsalvat","Nastrog","Razwan","Red Binduga","Rocayne","Rhys-Rhun","Riedbrune","Rozrog","Sarda","Scala","Schwemmland","Spalla","Stygga","Tigg","Vartburg","Vedette","Vidort","Winneburg","Zurbarran","Est Haemlet","Loc Muinne","Shaerrawedd"],"monsters":["Archespore","Berserker","Botchling","Lubberkin","Ulfhedinn","Werewolf","The Toad Prince","Basilisk","Cockatrice","Forktail","Royal Wyvern","Shrieker","Silver Basilisk","Slyzard Matriarch","Slyzard","Dragon of Fyresdal","Wyvern","Djinn","Earth Elemental","Fire Elemental","Gargoyle","Golem","Hound of the Wild Hunt","Ice Elemental","Pixie","Apiarian Phantom","Therazane","Ekhidnae","Erynias","Griffin","Harpy","Melusine","Opinicus","Salma","Siren","Succubus","Arachas","Arachnomorph","Endrega Drone","Endrega Warrior","Endrega Worker","Giant Centipede","Kikimore","Kikimore Worker","Pale Widow","Abaya","Alghoul","Drowner","Foglet","Ghoul","Grave Hag","Ignis Fatuus","Mourntart","Mucknixer","Rotfiend","Scurver","Spotted Wight","Water Hag","Wight","Cloud Giant","Cyclopse","Golyat","Hagubman","Ice Giant","Ice Troll","Nekker","Rock Troll","Wham-a-Wham","Chort","Crone","Doppler","Fiend","Fugas","Godling","Grottore","Howler","Imp","Kernun","Leshen","Morvudd","Shaelmaar","Spriggan","Sylvan","The Caretaker","Barghests","Ethereal","Hym","Longlocks","Nightwraith","Noonwraith","Penitent","Plague Maiden","Umbra","Wraith","Alp","Bruxa","Ekimmara","Gael","Garkain","Higher Vampire","Katakan"],"quotes":["Just five more minutes… Is it 1358 yet? No? Then fuck off!","Finish all your business before you die. Bid loved ones farewell. Write your will. Apologize to those you’ve wronged. Otherwise, you’ll never truly leave this world.","Hide the wenches, Witcher's coming!!","Oh year... the Elder Blood can be fiery","Damn, Eskel... you got an hourglass figure","No Lollygagin'!","You get what you get and be happy with it","I'll stick me boot so far up yer arse your tongue'll taste like wench twat"],"schools":["Wolf","Griffin","Cat","Viper","Manticore","Bear"],"witchers":["Geralt of Rivia","Coën","Vesemir","Eskel","Lambert","Letho of Gulet","Ciri","George of Kagen","Jerome Moreau","Auckes","Serrit","Kolgrim","Ivar Evil-Eye","Junod of Belhaven","Gerd"]},"world_of_warcraft":{"hero":["Gul'dan","Durotan","Khadgar","Orgrim Doomhammer","Medivh","Blackhand","Anduin Lothar","Garona Halforcen","Antonidas","King Llane Wrynn","Moroes","Lady Taria","Jaina Proudmoore","Illidan Stormrage","Kael'thas Sunstrider","Archimonde","Kil'jaeden","Mannoroth","Ner'zhul","Sargeras","Balnazzar","Magtheridon","Mal'Ganis","Brann Bronzebeard","Muradin Bronzebeard","Sylvanas Windrunner","Malfurion Stormrage","Millhouse Manastorm","Anduin Lothar","Arthas Menthil","Bolvar Fordragon","Uther the Lightbringer","Varian Wrynn"],"quotes":["An'u belore delen'na.","Anaria Shola.","Bal'a dash, malanore.","Glory to the Sin'dorei.","Our enemies will fall!","State your business.","The dark times will pass.","The Eternal Sun guides us.","Victory lies ahead!","We will persevere!","What business have you?","Yes?","Death to all who oppose us!","Farewell.","Hold your head high.","Keep your wits about you.","Remember the Sunwell.","Sela'ma ashal'anore!","Shorel'aran.","Stay the course","The reckoning is at hand!","Time is of the essense.","We will have justice!","Ah, you have a death wish.","I do not suffer fools easily.","I had little patience to begin with!","Mind yourself.","Not very intelligent, are you?","Run away pest!","These are dark times indeed.","Why do you linger?","You waste my time.","Choose wisely.","Do not loiter.","Everything has a price.","I have one of a kind items","What do you seek?","Your gold is welcome here.","Glory to the Sin'dorei.","State your Business!","Anu'belore Dela'na.","The Eternal Sun guides us.","What Business have you?","Victory lies ahead.","Our enemies will fall.","Anaria'shoala.","You waste my time.","I had little patience to begin with.","It is a wonder you have lived this long.","Ah, you have a death wish.","I sell only the finest goods.","Your gold is welcome here.","Everything has a price.","Do not loiter."]},"yoda":{"quotes":["Use your feelings, Obi-Wan, and find him you will.","Already know you that which you need.","Adventure. Excitement. A Jedi craves not these things.","At an end your rule is, and not short enough it was!","Around the survivors a perimeter create.","Soon will I rest, yes, forever sleep. Earned it I have. Twilight is upon me, soon night must fall.","Not if anything to say about it I have","Through the Force, things you will see. Other places. The future - the past. Old friends long gone.","Ow, ow, OW! On my ear you are!","The dark side clouds everything. Impossible to see the future is.","Size matters not. Look at me. Judge me by my size, do you? Hmm? Hmm. And well you should not. For my ally is the Force, and a powerful ally it is. Life creates it, makes it grow. Its energy surrounds us and binds us. Luminous beings are we, not this crude matter. You must feel the Force around you; here, between you, me, the tree, the rock, everywhere, yes. Even between the land and the ship.","Younglings, younglings gather ’round.","Luminous beings are we - not this crude matter.","Clear your mind must be, if you are to find the villains behind this plot.","Always two there are, no more, no less. A master and an apprentice.","Do. Or do not. There is no try.","Much to learn you still have my old padawan. ... This is just the beginning!","Good relations with the Wookiees, I have.","Ready are you? What know you of ready? For eight hundred years have I trained Jedi. My own counsel will I keep on who is to be trained. A Jedi must have the deepest commitment, the most serious mind. This one a long time have I watched. All his life has he looked away - to the future, to the horizon. Never his mind on where he was. Hmm? What he was doing. Hmph. Adventure. Heh. Excitement. Heh. A Jedi craves not these things. You are reckless.","Truly wonderful, the mind of a child is.","Always pass on what you have learned.","Once you start down the dark path, forever will it dominate your destiny, consume you it will.","Mudhole? Slimy? My home this is!","Yes, a Jedi’s strength flows from the Force. But beware of the dark side. Anger, fear, aggression; the dark side of the Force are they. Easily they flow, quick to join you in a fight. If once you start down the dark path, forever will it dominate your destiny, consume you it will, as it did Obi-Wan’s apprentice.","Do not assume anything Obi-Wan. Clear your mind must be if you are to discover the real villains behind this plot.","Death is a natural part of life. Rejoice for those around you who transform into the Force. Mourn them do not. Miss them do not. Attachment leads to jealously. The shadow of greed, that is.","Like fire across the galaxy the Clone Wars spread. In league with the wicked Count Dooku, more and more planets slip. Against this threat, upon the Jedi Knights falls the duty to lead the newly formed army of the Republic. And as the heat of war grows, so, to, grows the prowess of one most gifted student of the Force.","Hmm. In the end, cowards are those who follow the dark side.","Strong is Vader. Mind what you have learned. Save you it can.","Pain, suffering, death I feel. Something terrible has happened. Young Skywalker is in pain. Terrible pain","Difficult to see. Always in motion is the future...","You will find only what you bring in.","Feel the force!","Reckless he is. Matters are worse.","That is why you fail.","Your weapons, you will not need them.","To answer power with power, the Jedi way this is not. In this war, a danger there is, of losing who we are."]},"zelda":{"characters":["Abe","Agahnim","Akh Va'quot","Alder","Anju","Anju's Mother","Aryll","Astrid","Aveil","Baby Goron","Bagu","Barta","Beedle","Belari","Beth","Biggoron","Bipin","Bipin and Blossom's son","Blade Brothers","Blaino","Blossom","Bombers","Borlov","Bosh Kala","Bow-Wow","Brocco","Bugut","Cado","Calip","Captain","Carlov","Carpenters","Chaas Qeta","Champions","Chef Bear","Cheval","Chio","Christine","Ciela","Colin","Comedians","Cotera","Crazy Tracy","Cucco Keeper","Curiosity Shop Guy","Cyclos","Daag Chokah","Dah Kaso","Daka Tuss","Dalia","Damia","Dampe","Dampé","Dan Hesho","Daphnes Nohansen Hyrule","Daqa Koth","Darmani III","Darton","Daruk","Darunia","Daz","Decci","Deities","Dekki","Deku Royalty","Deku Tree Sprout","Dento","Deppi","Dimitri","Din","Doc Bandam","Dorian","Dr.Troy","Eddo","Ember","Embry","Epona","Ezlo","Fado","Fairies","Fairy","Fairy Queen","Farore","Festari","Fishermen","Fishman","Flat","Forest Minish","Fortune Teller","Ganon","Ganondorf","Garadon","Garill","Gentari","Ghost","Gibdo Man","Golden Chief Cylos","Gongoron","Gorman","Goron Elder","Grandma","Grandma Ulrira","Great Deku Tree","Great Fairies","Great Fairy","Great Moblin","Greta","Grog","Gruve","Guru-Guru","Ha Dahamar","Happy Mask Salesman","Hetsu","Hila Rao","Hino","Hurdy Gurdy Man","Hylia","Ilia","Impa","Indigo-Go's","Ingo","Isha","Ja Baij","Jabun","Jee Noh","Jitan Sa'mi","Joel","Joute","Ka'o Makagh","Ka'o Muakagh","Kaam Ya'tak","Kaepora Gaebora","Kafei","Kah Mael","Kalm Yu'ogh","Kam Urog","Kamaro","Kass","Katah Chuki","Kaya Wan","Kayo","Keaton","Keh Namut","Keo Ruug","Kiki","Killer Bees","King Daltus","King Dorephan","King Zora","King of Hyrule","King of Red Lions","Knights of Hyrule","Kohga","Komali","Koume and Kotake","Kuhn Sidajj","Lakna Rokee","Laruto","Lasli","Leaf","Lenzo","Liana","Librari","Linebeck","Link","Link (Goron)","Link's Uncle","Lord Jabu-Jabu","Louise","Maag Halan","Maca","Mad Batter","Madam Aroma","Madam MeowMeow","Magda","Maggie and her father","Main Antagonist","Majora's Mask (Boss)","Makar","Maku Tree","Malena","Malo","Malon","Marot","Mamamu Yan","Mamu","Manbo","Maple","Marathon Man","Marin","Martha","Mayor Dotour","Mayor Hagen","Medigoron","Melari","Mellie","Mesa","Midna","Mido","Mikau","Mila and her father","Mils","Mina","Mipha","Misae Suma","Mo'a Keet","Monkey","Moosh","Mountain Minish","Mr. Barten","Mr. Write","Mrs. Marie","Mrs. Ruul","Mutoh","Muwo Jeem","Muzu","Myahm Agana","Nabooru","Nanna","Natie","Navi","Nayru","Ne'ez Yohma","Neri","Nightmare","No'Ez Yohma","Noya Neha","Nyave","Nyeve","Oakif","Old Lady from Bomb Shop","Old Man","Old Men","Old Wayfarer","Old Woman","Olkin","Oman Au","Onox","Ooccoo","Orca","Oshus","Owa Daim","Owl","Padok","Paya","Pamela","Papahl and family","Patch","Percy","Photographer","Pina","Plen","Plikango","Poe salesman","Postman","Potho","Prince Ralis","Prince Sidon","Prince of Hyrule","Princess Ruto","Princess Zelda","Professor Shikashi","Pumaag Nitae","Purah","Queen Ambi","Queen Rutela","Quill","Qukah Nata","Rabbits","Ralph","Rauru","Reagah","Ree Dahee","Rem","Renado","Rensa","Revali","Rhoam Bosphoramus Hyrule","Richard","Ricky","Riju","Rik","Rito Chieftain","Robbie","Rola","Romani and Cremia","Rosa","Rosa Sisters","Rose","Rota Ooh","Ruul","Sages","Sagessa","Sahasrahla","Sakon","Sale","Salvatore","Saria","Sayge","Schule Donavitch","Sha Warvo","Shae Loya","Shai Utoh","Sharp","Shee Vaneer","Sheh Rata","Sheik","Sheikah Monk","Shibo","Shiro","Shop Keeper","Shopkeeper","Shrine Maidens","Simon","Skull Kid","Smith","Soh Kofi","Sokra","Sophie","Sorelia","Sprinn","Steen","Stockwell","Sturgeon","Subrosian Queen","Sue-Belle","Symin","Syrup","Ta'log Naeg","Ta'loh Naeg","Tael","Tahno O'ah","Talo","Talon","Tarin","Tasho","Tasseren","Tatl","Teba","Teller of Treasures","Telma","Tena Ko'sah","Tetra","The Pirates","Tingle","Toffa","Toh Yahsa","Tokkey","Tona","Torfeau","Toto","Toto Sah","Tott","Town Minish","Traveling Merchants","Trissa","Turtle","Twinrova","Tye","Ulrira","Urbosa","Vaati","Valoo","Vasu","Veran","Vilia","Viscen","Wahgo Katta","Walrus","Walton","Wheaton and Pita","Wind Fish","Wolf Link","Yah Rin","Yammo","Yeta","Yeto","Yiga Clan","Yunobo","Zalta Wa","Zant","Zauz","Ze Kasho","Zelda","Zephos","Zill","Zooki","Zunari"],"games":["A Link to the Past","Breath of the Wild","Four Swords","Link's Awakening","Majora's Mask","Ocarina of Time","Oracle of Seasons - Oracle of Ages","Phantom Hourglass","The Legend of Zelda","The Minish Cap","The Wind Waker","Twilight Princess","Zelda II: Adventure of Link"],"items":["Blue Ring","Red Ring","Wooden Sword","White Sword","Magical Sword","Small Shield","Magical Shield","Boomerang","Magical Boomerang","Bomb","Book of Magic","Magical Rod","Arrow","Silver Arrow","Bow","Raft","Stepladder","Heart Container","Blue Candle","Red Candle","Recorder","Power Bracelet","Magical Key","Food","Life Potion","2nd Potion","Magic Container","1-up Doll","Candle","Hammer","Handy Glove","Boots","Flute","Cross","Trophy","Water of Life","Fighter's Sword","Master Sword","Tempered Sword","Golden Sword","Fighter's Shield","Red Shield","Mirror Shield","Magic Hammer","Pendant of Courage","Pendant of Wisdom","Pendant of Power","Zora's Flippers","Super Bomb","Bottle","Quake Medallion","Ether Medallion","Bombos Medallion","Bug-Catching Net","Piece of Heart","Cane of Somaria","Cane of Byrna","Power Glove","Titan's Mitt","Magic Cape","Book of Mudora","Hookshot","Fire Rod","Ice Rod","Pegasus Boots","Magic Mirror","Sword","Shield","Roc's Feather","Power Bracelet L-2","Magic Powder","Shovel","Flippers","Magic Potion","Kokiri Sword","Giant's Knife","Biggoron's Sword","Deku Shield","Hylian Shield","Kokiri Tunic","Zora Tunic","Goron Tunic","Fairy Ocarina","Ocarina of Time","Silver Scale","Golden Scale","Deku Seed","Deku Seeds Bullet Bag","Fairy Slingshot","Fairy Bow","Quiver","Bomb Bag","Goron's Bracelet","Silver Gauntlets","Golden Gauntlets","Din's Fire","Farore's Wind","Nayru's Love","Longshot","Megaton Hammer","Kokiri Boots","Iron Boots","Hover Boots","Gold Skulltula Tokens","Odd Mushroom","Odd Potion","Poacher's Saw","World's Finest Eye Drops","Eyeball Frog","Red Potion","Green Potion","Blue Potion","Fairy","Keaton Mask","Goron Mask","Zora Mask","Gerudo Mask","Mask of Truth","Deku Nuts","Deku Sticks","Spiritual Stones","Fire Arrow","Ice Arrow","Light Arrow","Lens of Truth","Razor Sword","Gilded Sword","Great Fairy's Sword","Hero's Shield","Bombers' Notebook","Hero's Bow","Postman's Hat","Blast Mask","Great Fairy's Mask","Giant's Mask","Romani's Mask","Bunny Hood","Bremen Mask","Garo's Mask","Gibdo Mask","Captain's Hat","Don Gero's Mask","Deku Mask","Fierce Deity's Mask","Kafei's Mask","Couple's Mask","All-Night Mask","Mask of Scents","Circus Leader's Mask","Noble Sword","Wooden Shield","Iron Shield","Gasha Seed","Seed Rings","Seed Satchel","Ember Seed","Scent Seed","Gale Seed","Pegasus Seed","Mystery Seed","Harp of Ages","Bombchu","Strange Flute","Ricky's Flute","Moosh's Flute","Dimitri's Flute","Seed Shooter","Switch Hook","Mermaid Suit","Long Hook","Rod of Seasons","Bombs","Slingshot","Hyper Slingshot","Magnetic Gloves","Roc's Cape","Four Sword","Gnat Hat","Bow-Wow","Hero's Sword","Power Bracelets","Hero's Charm","Deku Leaf","Skull Hammer","Bottles","Wind Waker","Sail","Telescope","Grappling Hook","Magic Armor","Tingle Tuner","Picto Box","Deluxe Picto Box","Arrows","Moon Pearl","Smith's Sword","Picori Sword/White Sword/Four Sword","Light Arrows","Remote Bombs","Gust Jar","Cane of Pacci","Mole Mitts","Flame Lantern","Ocarina of Wind","Grip Ring","Ordon Sword","Ordon Shield","Hawkeye","Gale Boomerang","Clawshot","Double Clawshots","Spinner","Ball and Chain","Dominion Rod","Fishing Rod","Water Bombs","Bomblings","Horse Call","Oshus's Sword","Phantom Sword","Phantom Hourglass","Pure Metals","Regal Necklace","Recruit's Sword","Lokomo Sword","Lokomo Song","Spirit Flute","Whirlwind","Whip","Sand Wand","Tears of Light","Bow of Light","Compass of Light","Stamp Book","Shield of Antiquity","Recruit Uniform","Engineer's Clothes","Engineer Certificate","Practice Sword","Sailcloth","Adventure Pouch","Goddess Sword","Banded Shield","Braced Shield","Divine Shield","Fortified Shield","Goddess Shield","Reinforced Shield","Sacred Shield","Scattershot","Big Bug Net","Beetle","Hook Beetle","Quick Beetle","Tough Beetle","Digging Mitts","Gust Bellows","Goddess's Harp","Water Dragon's Scale","Iron Bow","Sacred Bow","Fireshield Earrings","Mogma Mitts","Forgotten Sword","Master Sword Lv2","Master Sword Lv3","Green Tunic","Blue Mail","Red Mail","Stamina Scroll","Bell","Lost Maiamai","Master Ore","Nice Bow","Tornado Rod","Nice Tornado Rod","Nice Hammer","Nice Bombs","Nice Hookshot","Sand Rod","Nice Sand Rod","Nice Fire Rod","Nice Ice Rod","Nice Boomerang","Lamp","Super Lamp","Super Net","Scoot Fruit","Foul Fruit"],"locations":["Akkala Ancient Tech Lab","East Akkala Stable","Lomei Labyrinth Island","Skull Lake","South Akkala Stable","Tarrey Town","Ze Kasho Shrine","Applean Forest","Central Tower","Gleeok Bridge","Hyrule Castle","Hyrule Castle Town Ruins","Kam Yatakh Shrine","Outpost Ruins","Outskirt Stable","Riverside Stable","Rota Ooh Shrine","Sacred Ground Ruins","Safula Hill","Serenne Stable","Tabantha Bridge Stable","Wetland Stable","Afromsia Coast","Camphor Pond","Chaas Qeta Shrine","Cliffs of Quince","Deepback Bay","Ebon Mountain","Equestrian Riding Course","Fir River","Firly Plateau","Firly Pond","Fort Hateno","Ginner Woods","Hateno Bay","Hateno Beach","Hateno Tower","Hateno Village","Kam Urog Shrine","Kitano Bay","Lake Jarrah","Lake Sumac","Lanayru Bluff","Lanayru Heights","Lanayru Promenade","Lanayru Range","Lanayru Road - East Gate","Lanayru Road - West Gate","Loshlo Harbor","Madorna Mountain","Mapla Point","Marblod Plain","Midla Woods","Mount Lanayru","Myahm Agana Shrine","Naydra Snowfield","Necluda Sea","Nirvata Lake","Ovli Plain","Phalian Highlands","Pierre Plateau","Purifier Lake","Quatta's Shelf","Rabia Plain","Retsam Forest","Robred Dropoff","Solewood Range","Tenoko Island","Trotter's Downfall","Walnot Mountain","Zelkoa Pond","Abandoned North Mine","Bridge of Eldin","Broca Island","Cephla Lake","Darb Pond","Darunia Lake","Death Caldera","Death Mountain","Death Mountain Summit","Eldin Canyon","Eldin's Flank","Eldin Great Skeleton","Eldin Mountains","Eldin Tower","Foothill Stable","Gero Pond","Goro Cove","Gollow River","Gorko Lake","Gorko Tunnel","Goron City","Goron Hot Springs","Goronbi Lake","Goronbi River","Gortram Cliff","Gut Check Rock","Isle of Rabac","Lake Darman","Lake Ferona","Lake Intenouch","Maw of Death Mountain","Medingo Pool","Southern Mine","Stolock Bridge","Trilby Valley","Damel Forest","Darybon Plains","Dracozu Lake","Dracozu River","Faron Grasslands","Faron Sea","Faron Woods","Finra Woods","Floria Falls","Fural Plain","Guchini Plain","Harker Lake","Herin Lake","Harfin Valley","Highland Stable","Ibara Butte","Keelay Plain","Komo Shoreline","Lake Floria","Lake Hylia","Lake of the Horse God","Lakeside Stable","Laverra Beach","Malanya Spring","Menoat River","Mount Floria","Nautelle Wetlands","Nette Plateau","Oseira Plains","Papetto Grove","Parache Plains","Puffer Beach","Riola Spring","Sarjon Woods","Spring of Courage","Tobio's Hollow","Zokassa Ridge","Zonai Ruins","Arbiter's Grounds","East Barrens","East Gerudo Ruins","Dragon's Exile","Gerudo Desert Gateway","Gerudo Town","Great Cliffs","Great Gerudo Skeleton","Karusa Valley","Northern Icehouse","Palu Wasteland","Sand-Seal Rally","Southern Oasis","Toruma Dunes","West Barrens","West Gerudo Ruins","Birida Lookout","Champion's Gate","Cliffs of Ruvara","Daval Peak","East Gerudo Mesa","Gerudo Canyon","Gerudo Canyon Pass","Gerudo Canyon Stable","Gerudo Summit","Hemaar's Descent","Koukot Plateau","Laparoh Mesa","Meadela's Mantle","Mount Agaat","Mount Granajh","Mount Nabooru","Mystathi's Shelf","Nephra Hill","Risoka Snowfield","Rutimala Hill","Sapphia's Table","South Lomei Labyrinth","Spectacle Rock","Statue of the Eighth Heroine","Stalry Plateau","Taafei Hill","Vatorsa Snowfield","Yarna Valley","Yiga Clan Hideout","Zirco Mesa","Korok Forest","Lost Woods","Thims Bridge","Woodland Stable","Woodland Tower","Great Plateau","Eastern Abbey","Forest of Spirits","Great Plateau Tower","Hopper Pond","Ja Baij Shrine","Keh Namut Shrine","Mount Hylia","Oman Au Shrine","Owa Daim Shrine","River of the Dead","Shrine of Resurrection","Temple of Time","Woodcutter's House","Hebra Tower","Snowfield Stable","Lanayru Wetlands","Mount Lanayru","Ralis Pond","Veiled Falls","Zora's Domain","Ancient Columns","Cuho Mountain","Dronoc's Pass","Hebra Plunge","Kolami Bridge","Lake Totori","Nero Hill","Passer Hill","Piper Ridge","Rayne Highlands","Rito Village","Rito Stable","Rospro Pass","Strock Lake","Tabantha Tower","Ash Swamp","Batrea Lake","Big Twin Bridge","Blatchery Plain","Bonooru's Stand","Bosh Kala Shrine","Bubinga Forest","Deya Lake","Dueling Peaks","Dueling Peaks Stable","Dueling Peaks Tower","East Post Ruins","Floret Sandbar","Fort Hateno","Hickaly Woods","Hila Rao Shrine","Hills of Baumer","Horwell Bridge","Hylia River","Kakariko Bridge","Kakariko Village","Lake Siela","Lantern Lake","Mable Ridge","Mount Rozudo","Nabi Lake","Oakle's Navel","Pillars of Levia","Popla Foothills","Proxim Bridge","Ree Dahee Shrine","Sahasra Slope","Scout's Hill","South Nabi Lake","Spring of Courage","Squabble River","West Nabi Lake"]}},"flash":{"actions":{"create":{"notice":"%{resource_name} was successfully created."},"destroy":{"alert":"%{resource_name} could not be destroyed.","notice":"%{resource_name} was successfully destroyed."},"update":{"notice":"%{resource_name} was successfully updated."}}},"general":{"busy":"The server is still processing your request. If you leave this page, the changes will be lost! Are you sure you want to continue?","cancel":"Cancel","close":"Close","comment_placeholder":"Your Message","comment_placeholder_new":"Add new comment…","create":"Create","edit":"Edit","error":"An error has occurred, please try again later.","file":{"blank":"You didn't select any file","choose":"Choose File","no_file_chosen":"No file chosen","processing":"File is still being processed and cannot be downloaded yet.","size_exceeded":"File size must be less than %{file_size} MB.","total_size":"You can upload max %{size} MB of files at one time. Please remove one or more files and try to submit again.","upload_failure":"Upload connection error. Try again or contact the administrator.","uploading":"If you leave this page, the file(s) that is/are currently uploading will not be saved! Are you sure you want to continue?"},"filter":"Filter:","module":{"one":"task","other":"tasks"},"more_comments":"More comments","no_comments":"No comments!","no_name":"(no name)","no_teams":{"text":"It seems you're not a member of any team.","title":"Your dashboard is empty!"},"private":"private","public":"public","query":{"length_too_long":"Search query is too long (maximum is %{max_length} characters)","length_too_short":"Search query is too short (minimum is %{min_length} characters)","wrong_query":"All words in search query are either too short (minimum is %{min_length} characters) or too long (maximum is %{max_length} characters)"},"save":"Save","search":"Search","text":{"length_too_long":"is too long (maximum is %{max_length} characters)","length_too_long_general":"is too long","length_too_short":"is too short (minimum is %{min_length} characters)","not_blank":"can't be blank"},"update":"Update"},"global_activities":{"activity_group":{"experiment":"Experiment","exports":"Exports","inventories":"Inventories","projects":"Projects","protocol_repository":"Protocol repository","reports":"Reports","task":"Task","task_inventory":"Task inventory","task_protocol":"Task protocol","task_results":"Task results","team":"Team"},"activity_name":{"add_comment_to_module":"Task comment added","add_comment_to_project":"Project comment added","add_comment_to_result":"Result comment added","add_comment_to_step":"Task step comment added","add_result":"Result added","add_step_to_protocol_repository":"Step added","add_task_tag":"Task tag added","archive_experiment":"Experiment archived","archive_module":"Task archived","archive_project":"Project archived","archive_protocol_in_repository":"Protocol archived","archive_result":"Result archived","assign_repository_record":"Task inventory assigned","assign_user_to_module":"User assigned to Task","assign_user_to_project":"User assigned to Project","change_module_description":"Task description edited","change_project_visibility":"Project visibility changed","change_task_due_date":"Task due date changed","change_user_role_on_project":"User role changed on Project","change_users_role_on_team":"Users role changed on team","check_step_checklist_item":"Task step checklist completed","clone_experiment":"Experiment copied as template","clone_module":"Task copied","complete_step":"Task step completed","complete_task":"Task completed","copy_inventory":"Inventory copied","copy_inventory_item":"Inventory item copied","copy_protocol_in_repository":"Protocol copied","create_column_inventory":"Inventory column created","create_experiment":"Experiment created","create_inventory":"Inventory created","create_item_inventory":"Inventory item created","create_module":"Task created","create_project":"Project created","create_protocol_in_repository":"Protocol created","create_report":"Report created","create_step":"Task step added","delete_column_inventory":"Inventory column deleted","delete_inventory":"Inventory deleted","delete_item_inventory":"Inventory item deleted","delete_module_comment":"Task comment deleted","delete_project_comment":"Project comment deleted","delete_report":"Report deleted","delete_result_comment":"Result comment deleted","delete_step_comment":"Task step comment deleted","delete_step_in_protocol_repository":"Step deleted","destroy_result":"Result deleted","destroy_step":"Task step deleted","edit_authors_in_protocol_repository":"Authors edited","edit_column_inventory":"Inventory column edited","edit_description_in_protocol_repository":"Description edited","edit_experiment":"Experiment edited","edit_item_inventory":"Inventory item edited","edit_keywords_in_protocol_repository":"Keywords edited","edit_module_comment":"Task comment edited","edit_project_comment":"Project comment edited","edit_report":"Report edited","edit_result":"Result edited","edit_result_comment":"Result comment edited","edit_step":"Task step edited","edit_step_comment":"Task step comment edited","edit_step_in_protocol_repository":"Step edited","edit_task_tag":"Task tag edited","edit_wopi_file_on_result":"Office online file on result edited","edit_wopi_file_on_step":"Office online file on task step edited","edit_wopi_file_on_step_in_repository":"Office online file on step edited","export_inventory_items":"Inventory items exported","export_projects":"Projects exported","export_protocol_from_task":"Export protocol from task","export_protocol_in_repository":"Protocol exported","import_protocol_in_repository":"Protocol imported from file","invite_user_to_team":"User invited to team","load_protocol_to_task_from_file":"Task protocol loaded from file","load_protocol_to_task_from_repository":"Task protocol loaded from repository","move_experiment":"Experiment moved","move_protocol_in_repository":"Protocol moved","move_task":"Task moved","remove_task_due_date":"Task due date removed","remove_task_tag":"Task tag removed","remove_user_from_team":"User removed from team","rename_inventory":"Inventory renamed","rename_project":"Project renamed","rename_task":"Task renamed","restore_experiment":"Experiment restored","restore_module":"Task restored","restore_project":"Project restored","restore_protocol_in_repository":"Protocol restored from archive","set_task_due_date":"Task due date set","unassign_repository_record":"Task inventory unassigned","unassign_user_from_module":"User removed from Task","unassign_user_from_project":"User removed from Project","uncheck_step_checklist_item":"Task step checklist uncompleted","uncomplete_step":"Task step uncompleted","uncomplete_task":"Task uncompleted","update_protocol_in_repository_from_task":"Protocol updated from task","update_protocol_in_task_from_repository":"Task protocol updated from repository","user_leave_team":"User left team"},"content":{"add_comment_to_module_html":"%{user} commented on task %{my_module}.","add_comment_to_project_html":"%{user} commented on project %{project}.","add_comment_to_result_html":"%{user} commented on result %{result}.","add_comment_to_step_html":"%{user} commented on protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","add_result_html":"%{user} added %{type_of_result} result %{result}.","add_step_to_protocol_repository_html":"%{user} created protocol %{protocol}'s step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e in Protocol repository.","add_task_tag_html":"%{user} added tag \u003cstrong\u003e%{tag}\u003c/strong\u003e to task %{my_module}.","archive_experiment_html":"%{user} archived experiment %{experiment}.","archive_module_html":"%{user} archived task %{my_module}.","archive_project_html":"%{user} archived project %{project}.","archive_protocol_in_repository_html":"%{user} archived protocol %{protocol} in Protocol repository.","archive_result_html":"%{user} archived %{type_of_result} result %{result}.","assign_repository_record_html":"%{user} assigned inventory item(s) %{record_names} from inventory %{repository} to task %{my_module}.","assign_user_to_module_html":"%{user} assigned user %{user_target} to task %{my_module}.","assign_user_to_project_html":"%{user} assigned user %{user_target} with user role %{role} to project %{project}.","change_module_description_html":"%{user} edited task %{my_module}'s description.","change_project_visibility_html":"%{user} changed project %{project}'s visibility to %{visibility}.","change_task_due_date_html":"%{user} changed due date %{my_module_duedate} on task %{my_module}.","change_user_role_on_project_html":"%{user} changed %{user_target}'s role on project %{project} to %{role}.","change_users_role_on_team_html":"%{user} changed user %{user_changed}'s role in team %{team} to %{role}.","check_step_checklist_item_html":"%{user} completed checklist item \u003cstrong\u003e%{checkbox}\u003c/strong\u003e (%{num_completed}/%{num_all} completed) in protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","clone_experiment_html":"%{user} copied experiment %{experiment_new} from experiment %{experiment_original} as template.","clone_module_html":"%{user} copied task %{my_module_new} from task %{my_module_original} as template.","complete_step_html":"%{user} completed protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module} (%{num_completed}/%{num_all} completed).","complete_task_html":"%{user} completed task %{my_module}.","copy_inventory_html":"%{user} copied inventory %{repository_new} from inventory %{repository_original} as template","copy_inventory_item_html":"%{user} copied inventory item %{repository_row_new} from inventory item %{repository_row_original}","copy_protocol_in_repository_html":"%{user} copied protocol %{protocol_new} from protocol %{protocol_original} as a template","create_column_inventory_html":"%{user} created column %{repository_column} in inventory %{repository}.","create_experiment_html":"%{user} created experiment %{experiment}.","create_inventory_html":"%{user} created inventory %{repository}.","create_item_inventory_html":"%{user} created inventory item %{repository_row}.","create_module_html":"%{user} created task %{my_module}.","create_project_html":"%{user} created project %{project}.","create_protocol_in_repository_html":"%{user} created protocol %{protocol} in Protocol repository.","create_report_html":"%{user} created report \u003cstrong\u003e%{report}\u003c/strong\u003e.","create_step_html":"%{user} created protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","delete_column_inventory_html":"%{user} deleted column %{repository_column} in inventory %{repository}.","delete_inventory_html":"%{user} deleted inventory %{repository}.","delete_item_inventory_html":"%{user} deleted inventory item %{repository_row}.","delete_module_comment_html":"%{user} deleted comment on task %{my_module}.","delete_project_comment_html":"%{user} deleted comment on project %{project}.","delete_report_html":"%{user} deleted report \u003cstrong\u003e%{report}\u003c/strong\u003e.","delete_result_comment_html":"%{user} deleted comment on result %{result}.","delete_step_comment_html":"%{user} deleted comment on protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","delete_step_in_protocol_repository_html":"%{user} deleted protocol %{protocol}'s step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e in Protocol repository.","destroy_result_html":"%{user} deleted %{type_of_result} result %{result}.","destroy_step_html":"%{user} deleted protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","edit_authors_in_protocol_repository_html":"%{user} edited protocol %{protocol}'s authors in Protocol repository.","edit_column_inventory_html":"%{user} edited column %{repository_column} in inventory %{repository}.","edit_description_in_protocol_repository_html":"%{user} edited protocol %{protocol}'s description in Protocol repository.","edit_experiment_html":"%{user} edited experiment %{experiment}.","edit_item_inventory_html":"%{user} edited inventory item %{repository_row}.","edit_keywords_in_protocol_repository_html":"%{user} edited protocol %{protocol}'s keywords in Protocol repository.","edit_module_comment_html":"%{user} edited comment on task %{my_module}.","edit_project_comment_html":"%{user} edited comment on project %{project}.","edit_report_html":"%{user} edited report \u003cstrong\u003e%{report}\u003c/strong\u003e.","edit_result_comment_html":"%{user} edited comment on result %{result}.","edit_result_html":"%{user} edited %{type_of_result} result %{result}.","edit_step_comment_html":"%{user} edited comment on protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","edit_step_html":"%{user} edited protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module}.","edit_step_in_protocol_repository_html":"%{user} edited protocol %{protocol}'s step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e in Protocol repository.","edit_wopi_file_on_result_html":"%{user} edited Office online file %{asset_name} on result %{result}: %{action}.","edit_wopi_file_on_step_html":"%{user} edited Office online file %{asset_name} on protocol's step %{step_position} %{step} on task %{my_module}: %{action}.","edit_wopi_file_on_step_in_repository_html":"%{user} edited Office online file %{asset_name} on protocol %{protocol}'s step %{step_position} %{step} in Protocol repository: %{action}.","export_inventory_items_html":"%{user} exported inventory item(s) from %{repository}.","export_projects_html":"%{user} exported project(s) %{projects} to .zip.","export_protocol_from_task_html":"%{user} exported protocol from task %{my_module}","export_protocol_in_repository_html":"%{user} exported protocol %{protocol} from Protocol repository.","import_protocol_in_repository_html":"%{user} imported protocol %{protocol} to Protocol repository from file.","invite_user_to_team_html":"%{user} invited user %{user_invited} to team %{team} with user role %{role}.","load_protocol_to_task_from_file_html":"%{user} loaded protocol to task %{my_module} from file.","load_protocol_to_task_from_repository_html":"%{user} loaded protocol to task %{my_module} from Protocol repository %{protocol_repository}.","move_experiment_html":"%{user} moved experiment %{experiment} from project %{project_original} to project %{project_new}.","move_protocol_in_repository_html":"%{user} moved protocol %{protocol} from %{storage} in Protocol repository.","move_task_html":"%{user} moved task %{my_module} from experiment %{experiment_original} to experiment %{experiment_new}.","remove_task_due_date_html":"%{user} removed due date %{my_module_duedate} on task %{my_module}.","remove_task_tag_html":"%{user} removed tag \u003cstrong\u003e%{tag}\u003c/strong\u003e from task %{my_module}.","remove_user_from_team_html":"%{user} removed user %{user_removed} from team %{team}.","rename_inventory_html":"%{user} renamed inventory %{repository}.","rename_project_html":"%{user} renamed project %{project}.","rename_task_html":"%{user} renamed task %{my_module}.","restore_experiment_html":"%{user} restored experiment %{experiment}.","restore_module_html":"%{user} restored task %{my_module} from archive.","restore_project_html":"%{user} restored project %{project} from archive.","restore_protocol_in_repository_html":"%{user} restored protocol %{protocol} from archive in Protocol repository.","set_task_due_date_html":"%{user} set due date %{my_module_duedate} on task %{my_module}.","unassign_repository_record_html":"%{user} unassigned inventory item(s) %{record_names} from inventory %{repository} to task %{my_module}.","unassign_user_from_module_html":"%{user} removed user %{user_target} from task %{my_module}.","unassign_user_from_project_html":"%{user} removed user %{user_target} with user role %{role} from project %{project}.","uncheck_step_checklist_item_html":"%{user} uncompleted checklist item \u003cstrong\u003e%{checkbox}\u003c/strong\u003e (%{num_completed}/%{num_all} completed) in protocol's step %{step_position} %{step} on task %{my_module}.","uncomplete_step_html":"%{user} uncompleted protocol's step %{step_position} \u003cstrong\u003e%{step}\u003c/strong\u003e on task %{my_module} (%{num_completed}/%{num_all} completed).","uncomplete_task_html":"%{user} uncompleted task %{my_module}.","update_protocol_in_repository_from_task_html":"%{user} updated protocol %{protocol_repository} in Protocol repository with version from task %{my_module}.","update_protocol_in_task_from_repository_html":"%{user} updated protocol on task %{my_module} with version from Protocol repository %{protocol_repository}.","user_leave_team_html":"%{user} left team %{team}"},"index":{"activity":"Activity created","activity_type":"Activity type","all_activities":"All activities","all_activities_btn":"Select All Activities","all_teams_btn":"Deselect All Teams","all_users_btn":"Deselect All Users","clear":"Clear","clear_filters":"Clear filters","content_generation_error":"Failed to render activity content with id: %{activity_id}","custom_dates_label":"Select custom dates","deselect_all_objects":"Deselect All Objects","from_label":"Select end date","l_activities":"activities","last_month":"Last month","last_week":"Last week","no_name":"(unnamed)","object":"Object","period_label":"Activity created: ","select_activity_types":"Select Activity types","select_objects":"Select Objects","select_teams":"Select Teams","select_users":"Select Users","teams":"Team","this_month":"This month","this_week":"This week","to_label":"Select start date","today":"Today","user":"User","yesterday":"Yesterday"},"subject_name":{"experiment":"Experiment","mymodule":"Task","project":"Project","protocol":"Protocol","report":"Report","repository":"Inventory","result":"Result","step":"Step"}},"head":{"title":"SciNote | %{title}"},"helpers":{"label":{"team":{"name":"Team name"},"user":{"avatar":"Avatar","full_name":"Full name","initials":"Initials"}},"page_entries_info":{"entry":{"one":"entry","other":"entries","zero":"entries"},"more_pages":{"display_entries":"Displaying %{entry_name} \u003cb\u003e%{first}\u0026nbsp;-\u0026nbsp;%{last}\u003c/b\u003e of \u003cb\u003e%{total}\u003c/b\u003e in total"},"one_page":{"display_entries":{"one":"Displaying \u003cb\u003e1\u003c/b\u003e %{entry_name}","other":"Displaying \u003cb\u003eall %{count}\u003c/b\u003e %{entry_name}","zero":"No %{entry_name} found"}}},"select":{"prompt":"Please select"},"submit":{"create":"Create %{model}","submit":"Save %{model}","update":"Update %{model}"}},"invite_users":{"errors":{"recaptcha":"reCAPTCHA verification failed, please try again"},"input_subtitle":"Input one or multiple emails, confirm each email with ENTER key.","invite_admin":"As Administrators","invite_btn":"Invite Users","invite_guest":"As Guests","invite_to_team_heading":"Invite users to my team:","invite_user":"As Normal Users","no_team":{"heading":"Invite more people to start using SciNote.","title":"Invite users to SciNote"},"results":{"heading":"Invitation results:","too_many_emails":"Only invited first %{nr} emails. To invite more users, ","user_created":"User succesfully invited to SciNote.","user_created_invited_to_team":"User successfully invited to SciNote and team %{team} as %{role}.","user_exists":"User is already a member of SciNote.","user_exists_and_in_team":"User is already a member of SciNote and team %{team} as %{role}.","user_exists_invited_to_team":"User was already a member of SciNote - successfully invited to team %{team} as %{role}.","user_exists_unconfirmed_invited_to_team":"User is already a member of SciNote but is not confirmed yet - successfully invited to team %{team} as %{role}.","user_invalid":"Invalid email."},"to_team":{"heading":"Invite more people to team %{team} and start using SciNote.","title":"Invite users to team %{team}"}},"left_menu_bar":{"activities":"Activities","projects":"Projects","reports":"Reports","repositories":"Inventories","settings":"Settings","support":"Support","support_links":{"support":"Support Center","tutorials":"Video tutorials","webinars":"Webinars"},"templates":"Protocols"},"libraries":{"index":{"head_title":"Inventories","no_libraries":{"create_new_button":"New Inventory","no_permission_title":"You don't have permission to create new inventory. Please contact your team administrator.","text":"You don't have any inventories.","title":"Please create your first Inventory"}},"manange_modal_column":{"colum_type":"Column type","dropdown_item_descirption":"Dropdown items should be separated by comma.","edit":{"title":"Edit %{name} Column"},"labels":{"dropdown":"Dropdown","file":"File","text":"Text"},"new":{"title":"Add New Column"}},"repository_columns":{"create":{"success_flash":"Column %{name} was successfully created."},"destroy":{"error_flash":"Something went wrong! Please try again later.","success_flash":"Column %{name} was successfully deleted."},"head_title":"%{repository} | Manage Columns","index":{"back_to_repository_html":"\u003cspan class='fas fa-arrow-left'\u003e\u003c/span\u003e Back to %{repository}","delete_column":"Delete","edit_column":"Edit","manage_column":"Manage Columns","new_column":"New Column","no_column":"No columns"},"no_permissions":"You don't have permissions on that repository","repository_list_items_limit":"Dropdown items limit reached max. %{limit}","update":{"success_flash":"Column %{name} was successfully updated."}},"show":{"head_title":"Inventories | %{library}"}},"marvinjs":{"new_sketch":"New sketch"},"my_modules":{"activities":{"head_title":"%{project} | %{module} | Activity","more_activities":"More activities","no_activities":"There are no activities for this task."},"buttons":{"complete":"Complete Task","uncomplete":"Uncomplete Task"},"complete_modal":{"description":"You have completed all steps in the task. Would you like to mark entire task as completed?","leave_uncompleted":"Leave task in progress"},"description":{"label":"Description","title":"Edit task %{module} description"},"due_date":{"label":"Due date","title":"Edit task %{module} due date"},"modals":{"assign_repository_record":{"message":"Do you want to assign %{size} items only to this task, or assign them to this task \u0026 downstream tasks in the workflow as well?","task_and_downstream":"Task \u0026 Downstream","title":"Assign %{repository_name} items to task %{my_module_name}","unassign_message":"Do you want to unassign %{size} items only from this task, or unassign them from this task \u0026 downstream tasks in the workflow as well?","unassign_title":"Unassign %{repository_name} items from task %{my_module_name}"}},"module_archive":{"archive_timelabel":"archived on %{date}","archived_on":"Archived on","archived_on_title":"Result archived on %{date} at %{time}.","confirm_delete":"Are you sure you want to permanently delete result?","delete_flash":"Sucessfully removed result \u003cstrong\u003e%{result}\u003c/strong\u003e from task \u003cstrong\u003e%{module}\u003c/strong\u003e.","head_title":"%{project} | %{module} | Archive","no_archived_results":"No archived results!","option_delete":"Delete","option_download":"Download","restored_flash":"Task %{module} restored successfully!"},"module_header":{"create_new_tag":"create new","description_label":"Description","due_date":"Due date:","empty_description_edit_label":"Click here to enter Task Description (optional)","manage_tags":"Manage tags","no_description":"No description","no_tags":"click here to add Task Tags (optional)","start_date":"Start date:","tags":"Tags:"},"protocols":{"buttons":{"copy_to_repository":"Copy To Protocol Repository","export":"Export Protocol","load_protocol":"Load Protocol","load_protocol_from_file":"from computer","load_protocol_from_repository":"from repository"},"confirm_link_update_modal":{"revert_btn_text":"Revert","revert_message":"Are you sure you want to revert the task protocol to the repository version? This will override any local changes you made.","revert_title":"Revert protocol","unlink_btn_text":"Unlink","unlink_message":"Are you sure you want to unlink the task protocol from the repository version? This will stop any tracking of changes.","unlink_title":"Unlink protocol","update_parent_message":"Are you sure you want to update the repository protocol with this version? This will override any other changes made in the repository version.","update_parent_title":"Update repository version","update_self_message":"Are you sure you want to update this protocol with the version from the repository? This will override any local changes you made.","update_self_title":"Update from repository"},"copy_to_repository_modal":{"confirm":"Copy","error_400":"Due to unknown error, protocol could not be copied to repository.","link_label":"Link task to this protocol repository","link_text":"\u003cstrong\u003eWarning!\u003c/strong\u003e\u0026nbsp;This will unlink the currently linked protocol.","name_label":"Repository protocol name","name_placeholder":"My protocol","title":"Copy to protocol repository","type_label":"Copy to","type_private":"My protocols","type_public":"Team protocols","type_text":"You can make a copy of a protocol and save it to Team protocols or My protocols. Team protocols are visible to all team members, My protocols are for personal usage only."},"head_title":"%{project} | %{module} | Protocols","load_from_file_error":"Failed to load the protocol from file.","load_from_file_error_locked":"Failed to load the protocol from file. One or more files are currently being edited.","load_from_file_flash":"Successfully loaded the protocol from the file.","load_from_file_invalid_error":"The file you provided is invalid or has an invalid extension.","load_from_file_protocol_general_error":"Failed to load the protocol from file. It is likely that certain fields (protocol and individual step titles and names) contain too many or too few characters.(max is %{max} and min is %{min})","load_from_file_size_error":"Failed to load the protocol from file. Limit is %{size}Mb.","load_from_repository_error":"Failed to load the protocol from the repository.","load_from_repository_error_locked":"Failed to load the protocol from the repository. One or more files in the protocol are currently being edited.","load_from_repository_flash":"Successfully loaded the protocol from the repository.","load_from_repository_modal":{"confirm_message":"Are you sure you wish to load protocol from repository? This action will overwrite the current protocol in the task and unlink it from repository. The current protocol will remain unchanged in repository.","import_to_linked_task_rep":"Are you sure you wish to load protocol from repository? This action will overwrite the current protocol in the task and unlink it from repository. The current protocol will remain unchanged in repository.","load":"Load","tab_archive":"Archived protocols","tab_private":"My protocols","tab_public":"Team protocols","text":"Choose the protocol to be loaded to the task.","text2":"This action will overwrite the current protocol in the task and unlink it from repository. The current protocol will remain unchanged in repository.","thead_added_by":"Added by","thead_created_at":"Created at","thead_keywords":"Keywords","thead_name":"Name","thead_nr_of_linked_children":"No. of linked tasks","thead_published_by":"Published by","thead_published_on":"Published at","thead_updated_at":"Last modified at","title":"Load protocol from repository"},"protocol_status_bar":{"added_by":"Added by","added_by_tooltip":"Added at %{ts}","btns":{"revert":"Revert protocol","revert_title":"Revert the protocol to the repository version. This will discard any local changes.","unlink":"Unlink protocol","unlink_title":"Unlink this protocol from the parent in the repository","update_parent":"Update repository version","update_parent_title":"Update the repository protocol with this version","update_self":"Update from repository","update_self_title":"Update this protocol with the version stored in the repository"},"btns_linked_no_diff":{"text":"This protocol is linked with the version stored in the protocol repository.","title":"Linked"},"btns_newer_than_parent":{"text":"This \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{self_ts}'\u003eversion\u003c/a\u003e of protocol is newer than the \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{parent_ts}'\u003eversion\u003c/a\u003e stored in protocol repository.","title":"Newer version in task"},"btns_parent_and_self_newer":{"text":"There is a newer \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{parent_ts}'\u003eversion\u003c/a\u003e of this protocol in the repository. This \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{self_ts}'\u003eversion\u003c/a\u003e of protocol is newer than the version stored in protocol repository.","title":"Newer version in repository and task"},"btns_parent_newer":{"text":"There is a newer \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{parent_ts}'\u003eversion\u003c/a\u003e of \u003ca href='#' data-toggle='tooltip' data-placement='below' title='Last modified at %{self_ts}'\u003ethis protocol\u003c/a\u003e in the repository.","title":"Newer version in repository"},"btns_unlinked":{"text":"This protocol is not stored in the protocol repository.","title":"Unlinked"},"empty_description_edit_label":"Click here to enter Protocol Description (optional)","keywords":"Keywords","no_description":"no description","no_keywords":"no keywords","private_desc":"This protocol is private; it is only visible to you.","private_parent":"(private)","private_protocol_desc":"The parent protocol is private. Only its author can manage it.","public_desc":"This protocol is public; everyone from team can see it.","unlinked":"(unlinked)"},"revert_error":"Failed to revert protocol.","revert_error_locked":"Failed to revert protocol. One or more files in the protocol are currently being edited.","revert_flash":"Protocol was successfully reverted to protocol version.","unlink_error":"Failed to unlink protocol.","unlink_flash":"Protocol was successfully unlinked.","update_from_parent_error":"Failed to update the protocol with the version in the repository.","update_from_parent_error_locked":"Failed to update the protocol with the version in the repository. One or more files in the protocol are currently being edited.","update_from_parent_flash":"Version in the repository was successfully updated.","update_parent_error":"Failed to update repository version of the protocol.","update_parent_error_locked":"Failed to update repository version of the protocol. One or more files in the protocol are currently being edited.","update_parent_flash":"Protocol in repository was successfully updated with the version from the task."},"repository":{"export":"Export","head_title":"%{project} | %{module} | Inventory %{repository}"},"results":{"add_label":"Add new result:","archive_confirm":"Are you sure to archive result?","collapse_label":"Collapse All","comment_title":"%{user} at %{time}:","comments_tab":"Comments","empty_name":"Add title","expand_label":"Expand All","head_title":"%{project} | %{module} | Results","info_tab":"Info","new_asset_result":"File","new_table_result":"Table","new_text_result":"Text","options":{"archive_title":"Archive result","comment_title":"Comments","edit_title":"Edit result","new_comment":"New comment","no_comments":"No comments"},"published_asset":"uploaded a file on %{timestamp}.","published_on":"Published on \u003cem\u003e%{timestamp}\u003c/em\u003e by \u003cem\u003e%{user}\u003c/em\u003e","published_table":"entered a table on %{timestamp}.","published_text":"entered a text on %{timestamp}."},"samples":{"head_title":"%{project} | %{module} | Sample inventory"},"states":{"completed":"Completed on","completed_on":"Task completed (%{date})","due_soon":"due soon","in_progress":"In progress","overdue":"overdue","state_label":"Status:"}},"nav":{"activities":{"none":"No activities!"},"advanced_search":"Advanced search","label":{"account":"Account","activities":"Activities","calendar":"Calendar","info":"Info","notifications":"Notifications","projects":"Home","protocols":"Protocols","repositories":"Inventories","scinote":"SciNote","search":"Search","teams":"Teams"},"search":"Search for something...","search_button":"Go!","team_switch_title":"Switch team","title":"SciNote","user":{"about":"About SciNote","logout":"Log out","settings":"Settings"},"user_greeting":"Hi, %{full_name}"},"nav2":{"all_projects":{"all":"All","archive":"Archived","index":"Active"},"experiments":{"archive":"Archived tasks","canvas":"Tasks"},"modules":{"activities":"Activity","archive":"Archived results","repositories":"Inventories","results":"Results","samples":"Samples","steps":"Protocols"},"projects":{"activities":"Activity","archive":"Archived experiments","reports":"Reports","samples":"Samples","show":"Experiments"}},"notifications":{"assign_user_to_team":"\u003ci\u003e%{assigned_user}\u003c/i\u003e was added as %{role} to team \u003cstrong\u003e%{team}\u003c/strong\u003e by \u003ci\u003e%{assigned_by_user}\u003c/i\u003e.","checklist_title":"%{user} mentioned you in a checklist on step %{step}.","deliver":{"download_link":"Download link:","download_text":"Click the link to download the file.","email_body_1":"The export of SciNote data that you requested is ready!","email_body_2":"You can find the link to download the file below or in your SciNote notifications. Please keep in mind that the link will expire in 7 days for security reasons.","email_subject":"Your SciNote export is ready!"},"email_settings":"E-mail notifications","email_title":"You've received a SciNote notification!","experiment_annotation_message_html":"Project: %{project} | Experiment: %{experiment}","experiment_annotation_title":"%{user} mentioned you in experiment %{experiment}.","form":{"assignments":"Assignment","assignments_description":"Assignment notifications appear whenever you get assigned to a team, project, task.","notification_email":"Notify me via email","notification_scinote":"Show in SciNote","recent_notification":"Recent changes","recent_notification_description":"Recent changes notifications appear whenever there is a change on a task you are assigned to.","system_message":"What's New in SciNote","system_message_description":"You will be notified about new SciNote features, releases and improvements you can benefit from."},"my_module_annotation_message_html":"Project: %{project} | Experiment: %{experiment} | Task: %{my_module}","my_module_comment_annotation_title":"%{user} mentioned you in a comment on task %{my_module}.","no_notifications":"No notifications.","no_recent":"No recent notifications.","project_annotation_message_html":"Project: %{project}","project_comment_annotation_title":"%{user} mentioned you in a comment on project %{project}.","protocol_step_annotation_message_html":"Protocol: %{protocol}","repository_annotation_message_html":"Item: %{record} | Column: %{column}","repository_annotation_title":"%{user} mentioned you in Column: %{column} of Item %{record} in Inventory %{repository}","result_annotation_message_html":"Project: %{project} | Experiment: %{experiment} | Task: %{my_module}","result_annotation_title":"%{user} mentioned you in result %{result}.","result_comment_annotation_title":"%{user} mentioned you in a comment on result %{result}.","sample_annotation_message_html":"Sample: %{sample} | Column: %{column}","sample_annotation_title":"%{user} mentioned you in Column: %{column} of Sample %{sample}","show_all":"Show all notifications","show_more":"Show more notifications","start_work_on_next_task":"\u003ci\u003e%{user}\u003c/i\u003e has completed the task \u003cstrong\u003e%{module}\u003c/strong\u003e. You can now start working on the next task in the workflow.","start_work_on_next_task_message":"Project: %{project} | Experiment: %{experiment} | Task: %{my_module}","step_annotation_message_html":"Project: %{project} | Experiment: %{experiment} | Task: %{my_module} | Step: %{step}","step_comment_annotation_title":"%{user} mentioned you in a comment on step %{step}.","step_description_title":"%{user} mentioned you in a description on step %{step}.","task_completed":"%{user} completed task %{module}. %{date} | Project: %{project} | Experiment: %{experiment}","title":"Notifications","types":{"assignment":"Assignment","deliver":"Exportable content","recent_changes":"Recent changes","system_message":"SciNote system message"},"unassign_user_from_team":"\u003ci\u003e%{unassigned_user}\u003c/i\u003e was removed from team \u003cstrong\u003e%{team}\u003c/strong\u003e by \u003ci\u003e%{unassigned_by_user}\u003c/i\u003e."},"number":{"currency":{"format":{"delimiter":",","format":"%u%n","precision":2,"separator":".","significant":false,"strip_insignificant_zeros":false,"unit":"$"}},"format":{"delimiter":",","precision":3,"separator":".","significant":false,"strip_insignificant_zeros":false},"human":{"decimal_units":{"format":"%n %u","units":{"billion":"Billion","million":"Million","quadrillion":"Quadrillion","thousand":"Thousand","trillion":"Trillion","unit":""}},"format":{"delimiter":"","precision":3,"significant":true,"strip_insignificant_zeros":true},"storage_units":{"format":"%n %u","units":{"byte":{"one":"Byte","other":"Bytes"},"eb":"EB","gb":"GB","kb":"KB","mb":"MB","pb":"PB","tb":"TB"}}},"percentage":{"format":{"delimiter":"","format":"%n%"}},"precision":{"format":{"delimiter":""}}},"projects":{"activity":{"visibility_hidden":"Project members only","visibility_visible":"All team members"},"archive":{"error_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e not archived.","head_title":"Projects Archive","success_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e successfully archived."},"create":{"success_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e successfully created."},"experiment_archive":{"archived_on":"Archived on","archived_on_title":"Experiment archived on %{date} at %{time}.","created_on":"Created on","created_on_title":"Experiment created on %{date} at %{time}.","head_title":"%{project} | Archived experiments","last_modified_on":"Last modified on","last_modified_on_title":"Experiment last modified on %{date} at %{time}.","no_archived_experiments":"No archived experiments!","restore_option":"Restore"},"export_projects":{"error_text_p1_html":"It looks like you have exceeded your daily export limit. The number of exports is \u003cstrong\u003elimited to %{limit} requests per day \u003c/strong\u003e- you currently have 0 export requests left.","error_text_p2_html":"Please repeat the desired action \u003cstrong\u003etomorrow\u003c/strong\u003e, when your daily limit will reset back to %{limit} export requests.","error_title":"Export denied","export_button":"Export projects","modal_submit":"Export","modal_text_p1_html":"You are about to export \u003cstrong\u003e%{num_projects} project/s in %{team}\u003c/strong\u003e team. Projects will be exported in a .zip file format. It may take anywhere from 5 minutes up to several hours, depending on the file size. Please also note that any new data in the projects from this point will not be included in the exported file.","modal_text_p2_html":"When export is ready, you will receive a confirmation e-mail and the \u003cstrong\u003e link \u003c/strong\u003e to your .zip file will appear in your \u003cstrong\u003eSciNote notifications\u003c/strong\u003e. For security reasons, the link will \u003cstrong\u003eexpire in 7 days\u003c/strong\u003e.","modal_text_p3_html":"Please note that the number of exports is limited to %{limit} requests per day. After you confirm this export you will have %{num} left.","modal_title":"Export projects","success_flash":"Export request received. Your export request is being processed."},"index":{"active":"Active","activity_tab":"Activity","all_filter":"All","archive":"Archive","archive_confirm":"Are you sure you want to archive this project?","archive_option":"Archive","archived":"Archived","back_to_projects_index":"Back to home","comment_placeholder":"Your Message","comment_tab":"Comments","content_loading":"Loading...","delete_user":"Remove user from project","delete_user_confirm":"Are you sure you wish to remove user %{user} from project %{project}?","edit_option":"Edit","edit_user":"Edit role","head_title":"Home","hidden":"Project members only","manage_users":"Manage users","modal_edit_project":{"modal_title":"Edit project %{project}","submit":"Save"},"modal_manage_users":{"contact_admins":"To invite additional users to team %{team}, contact its administrator/s.","create":"Add","invite_users_details":"to team %{team}.","invite_users_link":"Invite users","modal_title_html":"Manage users for \u003cspan id='manage-users-modal-project'\u003e%{name}\u003c/span\u003e","no_users":"No users!","select_user_role":"Select Role"},"modal_new_project":{"create":"Create","modal_title":"Create new project","name":"Project name","name_placeholder":"My project","team":"Team","visibility":"Visible to:","visibility_hidden":"Project members only","visibility_visible":"All team members"},"module_one_day_due_html":"Task \u003cem\u003e%{module}\u003c/em\u003e is due in less than 1 day.","module_overdue_days":{"one":"1 day","other":"%{count} days"},"module_overdue_html":"Task \u003cem\u003e%{module}\u003c/em\u003e is overdue (%{days}).","more_comments":"More Comments","new":"New Project","new_comment":"New comment","no_activities":"No activities!","no_archived_projects":"No archived projects!","no_comments":"No comments!","no_notifications":"No notifications!","no_projects":{"create_new_button":"New Project","no_permission_title":"You don't have permission to create new project. Please contact your team administrator.","text":"You don't have any active projects.","title":"Please create your Project"},"no_users":"No users!","notifications_tab":"Notifications","options_header":"Options","restore_option":"Restore","sort":"Sort by","sort_atoz":"From A to Z","sort_new":"Newest first","sort_old":"Oldest first","sort_ztoa":"From Z to A","start_date":"Start date:","team_filter":"Show projects from","user_full_name":"User: ","user_project":"%{user} joined on %{timestamp}.","user_role":"Role: ","users_tab":"Users","visibility_private":"Project is visible to project members only.","visibility_public":"Project is visible to all team members.","visible":"All team members"},"reports":{"elements":{"all":{"move_down":"Move report element down","move_up":"Move report element up","remove":"Remove report element from the report","sort_asc":"Sort report element contents by oldest on top","sort_desc":"Sort report element contents by newest on top"},"experiment":{"no_description":"No description","no_tags":"No tags","user_time":"Experiment created on %{timestamp}."},"modals":{"add":"Add","experiment_contents":{"experiment_tab":"Experiment content","head_title":"Add contents to experiment %{experiment}","module_tab":"Task content","results_tab":"Results content","steps_tab":"Protocols content"},"experiment_contents_inner":{"instructions":"Select tasks to include in the report","no_modules":"The experiment contains no tasks"},"module_contents":{"head_title":"Add contents to task %{module}","module_tab":"Task content","results_tab":"Results content","steps_tab":"Protocols content"},"module_contents_inner":{"activity":"Activity","check_all":"All tasks content","completed_steps":"Completed","instructions":"Select the information from your task that you would like to include to your report.","no_results":"Task contains no results","no_steps":"Task has no steps","result_assets":"Files","result_tables":"Tables","result_texts":"Texts","results":"Results","samples":"Samples","steps":"Steps","uncompleted_steps":"Uncompleted"},"project_contents":{"content_tab":"Choose content","head_title":"Add contents to report","tasks_tab":"Choose tasks"},"project_contents_inner":{"instructions":"To create a project report select one or multiple experiment. You can include an entire experiment or individual experimental tasks.","no_module_group":"No workflow","no_modules":"The project contains no tasks"},"result_contents":{"head_title":"Add contents to result %{result}"},"result_contents_inner":{"check_all":"All results content","comments":"Comments","instructions":"Include result/s comments in the report?"},"save_report":{"description":"Report description","description_placeholder":"My report description...","head_title":"Save report","name":"Report name","name_placeholder":"My report","save":"Save"},"step_contents":{"head_title":"Add contents to step %{step}","results_tab":"Results content","step_tab":"Step content"},"step_contents_inner":{"assets":"Files","check_all":"All protocols steps content","checklists":"Checklists","comments":"Comments","instructions":"Select the information from task protocol step/s to include in the report","no_assets":"Step contains no uploaded files","no_checklists":"Step contains no checklists","no_tables":"Step contains no tables","tables":"Tables"}},"module":{"due_date":"Due date: %{due_date}","no_description":"No description","no_due_date":"No due date","no_tags":"No tags","protocol":{"user_time":"Protocol created on %{timestamp}."},"tags_header":"Task tags:","user_time":"Task created on %{timestamp}."},"module_activity":{"name":"Activity of task %{my_module}","no_activity":"No activities","sidebar_name":"Activity"},"module_repository":{"name":"%{repository} of task %{my_module}","no_items":"No items","table_name":"[ %{name} ]"},"module_samples":{"name":"Samples of task %{my_module}","no_samples":"No samples","sidebar_name":"Samples"},"new_element":{"title":"Add new report element/s here"},"project_header":{"title":"Report for project %{project}","user_time":"Project created on %{timestamp}."},"result_asset":{"file_name":"[ %{file} ]","user_time":"Uploaded by %{user} on %{timestamp}."},"result_comments":{"comment_prefix":"%{user} on %{date} at %{time}:","name":"Comments for result %{result}","no_comments":"No comments","sidebar_name":"Comments"},"result_table":{"table_name":"[ %{name} ]","user_time":"Created by %{user} on %{timestamp}."},"result_text":{"user_time":"Created by %{user} on %{timestamp}."},"step":{"completed":{"user_time":"Completed by %{user} on %{timestamp}."},"no_description":"No description","sidebar_name":"Step %{pos}: %{name}","step_pos":"Step %{pos}:","uncompleted":{"user_time":"Created by %{user} on %{timestamp}."}},"step_asset":{"file_name":"[ %{file} ]","sidebar_name":"File %{file}","user_time":"File uploaded on %{timestamp}."},"step_checklist":{"checklist_name":"[ %{name} ]","user_time":"Checklist created on %{timestamp}."},"step_comments":{"comment_prefix":"%{user} on %{date} at %{time}:","name":"Comments for step %{step}","no_comments":"No comments","sidebar_name":"Comments"},"step_table":{"table_name":"[ %{name} ]","user_time":"Table created on %{timestamp}."}},"index":{"delete":"Delete","edit":"Edit","head_title":" Reports","modal_delete":{"delete":"Delete","head_title":"Delete report/s","message":"Are you sure to delete selected report/s?"},"modal_new":{"create":"Create","head_title":"Create new report","message":"You are about to create a new report. Please select a project from which you would like to create a report.","no_projects":"No projects available.","projects":"Projects"},"new":"New report","no_reports":"No reports!","thead_created_at":"Created at","thead_created_by":"Created by","thead_last_modified_by":"Last modified by","thead_name":"Report name","thead_project_name":"Project name","thead_updated_at":"Last updated at"},"new":{"global_sort":"Sorting whole report will undo any custom sorting you might have done. Proceed?","head_title":"%{project} | New report","nav_close":"Cancel","nav_pdf":"Download PDF","nav_print":"Print","nav_save":"Save","nav_sort":"Sort","nav_sort_asc":"Oldest on top","nav_sort_by":"Sort by","nav_sort_desc":"Newest on top","nav_title":"Report for: ","no_content_for_PDF_html":"\u003ch1\u003eNo content\u003c/h1\u003e","no_permissions":"You don't have permission to manage this column","save_PDF_to_inventory":"Save PDF to Inventory","save_PDF_to_inventory_modal":{"asset_present_warning_html":"The selected cell already contains a file. If you would like to replace the file click Save. Replacing the file will have the following consequences: \u003cul\u003e\u003cli\u003eprevious file will be permanently deleted;\u003c/li\u003e\u003cli\u003enew file will be added to the Inventory item.\u003c/li\u003e\u003c/ul\u003e","description_one":"Here you can save PDF report to an inventory item.","description_two":"First select an inventory, then a column and finally the item within the inventory to which you would like to save the PDF report to. Note that the column has to be of type \"file\".","here":"here","inventory":"Select inventory:","inventory_column":"Select inventory column:","inventory_item":"Select inventory item:","no_columns":"You do not have File columns in selected Inventory. Add a File column to selected Inventory or select another Inventory containing File columns.","no_inventories":"No inventories to save this PDF to.","no_items":"Selected Inventory does not contain any items yet. Add the first item","nothing_selected":"Nothing selected","success_flash":"Report successfully saved to Inventory item."},"sidebar_title":"Navigation","unsaved_work":"Are you sure you want to leave this page? All unsaved data will be lost."},"print_title":"%{project} | Report"},"restore":{"error_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e not restored.","success_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e successfully restored."},"samples":{"head_title":"%{project} | Sample inventory"},"show":{"head_title":"%{project}"},"table":{"experiments":"Experiments","name":"Project name","start":"Start date","status":"Status","tasks":"Tasks","users":"Users","visibility":"Visible to"},"update":{"error_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e not updated.","success_flash":"Project \u003cstrong\u003e%{name}\u003c/strong\u003e successfully updated."}},"protocols":{"edit":{"head_title":"Edit protocol"},"export":{"export_results":{"message_failed":"Failed to export %{nr} protocols.","message_ok":"Successfully exported %{nr} protocols.","row_failed":"Failed","row_success":"Exported","title":"Export results"}},"header":{"added_by":"Added by","authors":"Authors","created_at":"Created at","description":"Description","edit_authors_modal":{"label":"Authors","title":"Edit authors of protocol %{protocol}"},"edit_description_modal":{"label":"Description","title":"Edit description of protocol %{protocol}"},"edit_keywords_modal":{"title":"Edit keywords of protocol %{protocol}","update_failed":"Could not update protocol keywords."},"edit_name_modal":{"label":"Name","title":"Edit name of protocol %{protocol}"},"keywords":"Keywords","keywords_modal":"Input one or multiple keywords, confirm each keyword with ENTER key","no_authors":"No authors","no_description":"No description","updated_at":"Last modified at"},"import_export":{"import_modal":{"assets_header":"Files","authors_label":"Authors","created_at_label":"Created at","description_label":"Description","import":"Load","import_all":"Load All","import_current":"Load Current","import_into_protocol_confirm":"Are you sure you wish to load protocol from file? This action will overwrite the current protocol.","import_into_protocol_message":"This will overwrite the current protocol!","import_to_linked_task_file":"Are you sure you wish to load protocol from file? This action will overwrite the current protocol in the task and unlink it from repository. The current protocol will remain unchanged in repository.","name_label":"Protocol name","preview_title":"Protocol preview","preview_title_position":" | %{current} of %{total}","title_import":"Import protocol/s","title_import_into_protocol":"Load protocol from file","title_import_into_protocol_protocols_io":"Load protocol from protocols.io file","updated_at_label":"Last modified at"},"load_file_error":"Failed to load the protocol file."},"index":{"archive":{"description":"Archived protocols can only be seen by you. Restoring protocols will return them to their previous location (team/my protocols)."},"archive_action":"Archive","archive_error":"Error occured while archiving selected protocols.","archive_results":{"message_failed":"Failed to archive %{nr} protocols.","message_ok":"Successfully archived %{nr} protocols.","preview":"View","row_failed":"Failed","row_renamed":"Archived \u0026 renamed","row_success":"Archived","title":"Archive results"},"archive_unauthorized":"You do not have permission to archive selected protocols.","clone":{"error_flash":"Failed to copied protocol '%{original}'.","success_flash":"Successfully copied protocol '%{new}' from protocol '%{original}'."},"clone_btn":"Copy","confirm_archive":{"confirm":"Archive","message":"Are you sure you wish to archive the selected protocols? All the task protocols will be unlinked.","title":"Archive protocols"},"create":{"message_private":"When you create a new My protocol, it will only be visible to you.","message_public":"When you create a new Team protocol, it will instantly be visible to all members of the team.","name_label":"Protocol name","name_placeholder":"My protocol","submit":"Create","title":"Create new protocol"},"create_new":"New","edit":"Edit","export":"Export","head_title":"Protocol management","import":"Import","import_alt":" from SciNote protocol file(.eln)","import_json":" from protocols.io file","import_results":{"message_failed":"Failed to import %{nr} protocol/s.","message_ok":"Successfully imported %{nr} protocol/s.","message_ok_pio":"Successfully imported protocol from protocols.io file.","message_warn_truncated":"Successfully imported protocol from protocols.io file. However, text in some fields was too long so we had to cut it off.","row_failed":"Failed","row_file_too_large":"(Protocol too large)","row_renamed":"Imported \u0026 renamed","row_success":"Imported","title":"Import results"},"linked_children":{"no_linked_children":"This protocol is not linked to any task.","title":"Tasks linked to protocol %{protocol}","used_in":"Number of tasks linked to this protocol: %{nr}"},"make_private":"Move to My Protocols","make_private_error":"Error occured while moving selected protocols to My protocols.","make_private_results":{"message_failed":"Failed to move %{nr} protocols to My protocols.","message_ok":"Successfully moved %{nr} protocols to My protocols.","row_failed":"Failed","row_renamed":"Moved to My protocols \u0026 renamed","row_success":"Moved to My protocols","title":"Move to My protocols results"},"make_private_unauthorized":"You do not have permission to move selected protocols to My protocols.","modal_import_json_notice":"Upload your protocols.io protocol file","modal_import_json_title":"Import protocols.io file","modal_import_json_upload":"Upload","navigation":{"archive":"Archive","private":"My protocols","public":"Team protocols"},"no_protocol_name":"(no name)","preview":{"title":"%{protocol} preview"},"private_description":"My protocols are only visible to you.","public_description":"Team protocols are visible and can be used by everyone from the team.","publish":"Move to Team protocols","publish_error":"Error occured while moving selected protocols to Team protocols.","publish_results":{"message_failed":"Failed to move %{nr} protocols to Team protocols.","message_ok":"Successfully moved %{nr} protocols to Team protocols.","row_failed":"Failed","row_renamed":"Moved to Team protocols \u0026 renamed","row_success":"Moved to Team protocols","title":"Move to Team protocols results"},"publish_unauthorized":"You do not have permission to move selected protocols to Team protocols.","restore":"Restore","restore_error":"Error occured while restoring selected protocols.","restore_results":{"message_failed":"Failed to restore %{nr} protocols.","message_ok":"Successfully restored %{nr} protocols.","row_failed":"Failed","row_in_repository_private":"%{protocol} - \u003ci\u003einto My protocols\u003c/i\u003e","row_in_repository_public":"%{protocol} - \u003ci\u003einto Team protocols\u003c/i\u003e","row_renamed":"Restored \u0026 renamed","row_success":"Restored","title":"Restore results"},"restore_unauthorized":"You do not have permission to restore selected protocols.","row_renamed_html":"%{old_name}\u003ci\u003e to \u003c/i\u003e%{new_name}","thead_added_by":"Added by","thead_archived_by":"Archived by","thead_archived_on":"Archived at","thead_created_at":"Created at","thead_keywords":"Keywords","thead_name":"Name","thead_nr_of_linked_children":"No. of linked tasks","thead_published_by":"Published by","thead_published_on":"Published at","thead_updated_at":"Last modified at"},"no_keywords":"No keywords","protocols_io_import":{"comp_append":{"command":{"description":"\u003cbr\u003eDescription: ","name":"\u003cbr\u003e\u003cstrong\u003eCommand: \u003c/strong\u003e","os":"\u003cbr\u003eOS name , OS version: "},"dataset":{"link":"\u003cbr\u003eLink: ","name":"\u003cbr\u003e\u003cstrong\u003eDataset: \u003c/strong\u003e"},"expected_result":"\u003cbr\u003e\u003cstrong\u003eExpected result: \u003c/strong\u003e","general_link":"\u003cbr\u003eLink: ","missing_desc":"Description missing","missing_step":"Step","safety_infor":{"body":"\u003cbr\u003e\u003cstrong\u003eSafety information: \u003c/strong\u003e","link":"\u003cbr\u003eLink: "},"soft_packg":{"developer":"\u003cbr\u003eDeveloper: ","link":"\u003cbr\u003eLink: ","name":"\u003cbr\u003e\u003cstrong\u003eSoftware package: \u003c/strong\u003e","os":"\u003cbr\u003eOS name , OS version: ","repository":"\u003cbr\u003eRepository: ","version":"\u003cbr\u003eVersion: "},"sub_protocol":{"title":"\u003cbr\u003e\u003cstrong\u003eThis step also contains an attached sub-protocol: \u003c/strong\u003e","title_html":"\u003cbr\u003eAuthor: ","uri":"\u003cbr\u003eLink: "},"table_moved":"\u003cbr\u003e\u003cstrong\u003e\u003ci\u003eThere was a table here, it was moved to the end of this step. \u003c/i\u003e\u003c/strong\u003e"},"import_description_notice":"The protocols description is listed below under \"Protocol info\".","preview":{"auth":"Author:","before_start":"Before starting protocol information:","command_name":"\u003cstrong\u003eCommand:\u003c/strong\u003e","dataset_name":"\u003cstrong\u003eDataset:\u003c/strong\u003e","description":"Protocol Description: ","dev":"Developer:","guidelines":"Guidelines:","keywords":"Keywords:","link":"Link:","manuscript_citation":"Manuscript citation:","os":"OS name , OS version:","published_on":"Publish date:","repo":"Repository:","s_desc":"Description:","s_exp_res":"Expected result:","s_link":"Link:","s_nobr_link":"Link:","safety_info":"\u003cstrong\u003eSafety information:\u003c/strong\u003e","strng_s_desc":"Description:","sub_prot":"\u003cstrong\u003eThis protocol also contains an attached sub-protocol:\u003c/strong\u003e","sw_name":"\u003cstrong\u003eSoftware package:\u003c/strong\u003e","tags":"Tags:","vendor_link":"Vendor link:","vendor_name":"Vendor name:","vers":"Version:","warning":"Protocol warning:"},"title_too_long":"... Text is too long so we had to cut it off.","too_long":"... \u003cspan class='label label-warning'\u003eText is too long so we had to cut it off.\u003c/span\u003e"},"steps":{"attachments":{"modified_label":"Modified:","sort_atoz":"Name \u0026#8595;","sort_new":"Newest first \u0026#8595;","sort_old":"Oldest first \u0026#8593;","sort_ztoa":"Name \u0026#8593;"},"collapse_label":"Collapse All","comment_title":"%{user} at %{time}:","comments":"Comments","comments_tab":"Comments","completed":"Completed","destroy":{"confirm":"Are you sure you want to delete step %{step}?","error_flash":"Step %{step} couldn't be deleted. One or more files are locked.","success_flash":"Step %{step} successfully deleted."},"edit":{"edit_step":"Save","edit_step_title":"Edit step"},"empty_checklist":"No items","expand_label":"Expand All","files":"Attachments (%{count})","info_tab":"Info","new":{"add_asset":"Add file","add_checklist":"Add checklist","add_step":"Add","add_step_title":"Add new step","add_table":"Add table","asset_panel_title":"File","checklist_add_item":"Add item","checklist_item_placeholder":"Task","checklist_items":"Items","checklist_name":"Checklist name","checklist_name_placeholder":"Checklist name","checklist_panel_title":"Checklist","description":"Description","description_placeholder":"Write what should be done here ...","name":"Step name","name_placeholder":"mRNA sequencing","tab_assets":"Files","tab_checklists":"Checklists","tab_tables":"Tables","table_name":"Table title","table_name_placeholder":"Table title","table_panel_title":"Table"},"new_step":"New Step","no_description":"This step has no description.","no_steps":"Protocol has no steps.","options":{"comment_title":"Comments","complete_title":"Complete Step","delete_title":"Delete step","down_arrow_title":"Move step down","duplicate_title":"Duplicate step","edit_title":"Edit step","new_comments":"New comment","no_comments":"No comments","uncomplete_title":"Uncomplete Step","up_arrow_title":"Move step up"},"published_on":"Published on \u003cem\u003e%{timestamp}\u003c/em\u003e by \u003cem\u003e%{user}\u003c/em\u003e","subtitle":"Protocol Steps","tables":"Tables","uncompleted":"Uncompleted"}},"repositories":{"add_new_record":"New item","assign_records_to_module":"Assign","assigned_records_downstream_flash":"Successfully assigned item(s) \u003cstrong\u003e%{records}\u003c/strong\u003e to task and downstream tasks","assigned_records_flash":"Successfully assigned item(s) \u003cstrong\u003e%{records}\u003c/strong\u003e to task","cancel_save":"Cancel","column_create":"Create","column_new_text":"New column","columns":"Columns","columns_changed":"Someone removed/added a new column to the inventory in use. To prevent data inconsistency we will reload this page for you.","columns_delete":"Delete","columns_reorder":"Re-Order Columns","columns_visibility":"Visible columns","copy_record":"Copy","copy_records_report":"%{number} item(s) successfully copied.","create":{"success_flash":"Successfully added item \u003cstrong\u003e%{record}\u003c/strong\u003e to inventory \u003cstrong\u003e%{repository}\u003c/strong\u003e"},"default_column":"Name","delete_record":"Delete","destroy":{"contains_other_records_flash":"%{records_number} item(s) successfully deleted. %{other_records_number} of the selected item(s) were created by other users and were not deleted.","no_deleted_records_flash":"No items were deleted. %{other_records_number} of the selected items were created by other users and were not deleted.","no_records_selected_flash":"There were no selected items.","success_flash":"%{records_number} item(s) successfully deleted."},"edit_record":"Edit","import_records":{"error_message":{"duplicated_values":"Two or more columns have the same mapping.","errors_list_title":"Items were not imported because one or more errors were found:","items_limit":"The imported file contains too many rows. Max %{items_size} items allowed to upload at once.","no_column_name":"Name column is required!","no_data_to_parse":"There's nothing to be parsed.","no_repository_name":"Item name is required!","session_expired":"Your session expired. Please try again.","temp_file_not_found":"This file could not be found. Your session might expire."},"import":"Import","no_header_name":"No column name","partial_success_flash":"%{nr} of %{total_nr} successfully imported. Other rows contained errors.","success_flash":"%{number_of_rows} of %{total_nr} new item(s) successfully imported."},"index":{"add_new_repository_tab":"Add inventory","advanced":"Advanced","copy_flash":"\"%{new}\" inventory was successfully copied from \"%{old}\"!","delete_flash":"\"%{name}\" inventory was successfully deleted!","head_title":"Inventories","modal_copy":{"copy":"Copy","description":"Only the structure of the inventory is going to be copied.","name":"New inventory name","name_placeholder":"My inventory","title_html":"Copy inventory \u003cem\u003e%{name}\u003c/em\u003e"},"modal_create":{"name_label":"Inventory name","name_placeholder":"My inventory","submit":"Create","success_flash":"Inventory \u003cstrong\u003e%{name}\u003c/strong\u003e successfully created.","title":"Create new inventory"},"modal_delete":{"alert_heading":"Deleting inventory has following consequences:","alert_line_1":"all data inside the inventory will be lost;","alert_line_2":"all references to inventory items will be rendered as invalid.","delete":"Delete","message_html":"Are you sure you want to delete inventory \u003cem\u003e%{name}\u003c/em\u003e? This action is irreversible.","title_html":"Delete inventory \u003cem\u003e%{name}\u003c/em\u003e"},"modal_rename":{"name":"New inventory name","name_placeholder":"My inventory","rename":"Rename","title_html":"Rename inventory \u003cem\u003e%{name}\u003c/em\u003e"},"options_dropdown":{"copy":"Copy inventory","delete":"Delete inventory","export_items":"Export items","header":"Edit inventory","import_items":"Import items","manage_columns":"Manage columns","rename":"Rename inventory"},"rename_flash":"\"%{old_name}\" inventory was successfully renamed to \"%{new_name}\"!","title":"Inventories","visibility":"Visibility"},"js":{"column_added":"New column was sucessfully created.","empty_column_name":"Please enter column name.","not_found_error":"This inventory item does not exist.","permission_error":"You don't have permission to edit this item."},"modal_delete_column":{"alert_heading":"Deleting a column has following consequences:","alert_line_1":"you will lose information in this column for %{nr} item(s);","alert_line_2":"the column will be deleted for all team members.","delete":"Delete","message":"Are you sure you wish to permanently delete selected column %{column}? This action is irreversible.","title":"Delete a column"},"modal_delete_record":{"delete":"Delete","notice":"Are you sure you want to delete the selected item(s)?","title":"Delete items"},"modal_import":{"notice":"You may upload .csv file (comma separated) or tab separated file (.txt or .tsv) or Excel file (.xlsx). First row should include header names, followed by rows with sample data.","title":"Import items","upload":"Upload"},"modal_parse":{"import":"Import","title":"Import items","warning_1":"Be careful when importing into Dropdown column/s! Each new unique cell value from the file will create a new Dropdown option. Maximum nr. of Dropdown options is %{limit}.","warning_2":"Importing into file columns is not supported."},"no_records_assigned_flash":"No items were assigned to task","no_records_unassigned_flash":"No items were unassigned from task","repository":"Inventory: %{name}","save_record":"Save","table":{"added_by":"Added by","added_on":"Added on","assigned":"Assigned","id":"ID","row_name":"Name"},"unassign_records_from_module":"Unassign","unassigned_records_flash":"Successfully unassigned item(s) \u003cstrong\u003e%{records}\u003c/strong\u003e from task","update":{"success_flash":"Successfully updated item \u003cstrong\u003e%{record}\u003c/strong\u003e in inventory \u003cstrong\u003e%{repository}\u003c/strong\u003e"},"view_all_records":"View All Items","view_assigned_records":"View Assigned Items"},"repository_row":{"modal_info":{"ID":"ID:","added_by":"Added by","added_on":"Added on","custom_field":"%{cf}: ","head_title":"Information for item '%{repository_row}'","no_tasks":"This item in not assigned to any task.","title":"This item is assigned to %{nr} tasks."}},"result_assets":{"archive":{"error_flash":"Couldn't archive file result. Someone is editing that file.","success_flash":"Successfully archived file result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"create":{"success_flash":"Successfully added file result to task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"destroy":{"success_flash":"File result successfully deleted."},"edit":{"head_title":"%{project} | %{module} | Edit file result","locked_file_error":"This file is being edited by someone else.","title":"Edit result from task %{module}","update":"Update","uploaded_asset":"Uploaded file"},"error_flash":"Something went wrong! Please try again later.","new":{"create":"Add","head_title":"%{project} | %{module} | Add file result","title":"Add result to task %{module}"},"update":{"success_flash":"Successfully updated file result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"wopi_edit_file":"Edit in %{app}","wopi_open_file":"Open in %{app}"},"result_comments":{"create":{"success_flash":"Successfully added comment to result."},"new":{"create":"Add comment","head_title":"%{project} | %{module} | Add comment to result","title":"Add comment to result"}},"result_tables":{"archive":{"success_flash":"Successfully archived table result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"create":{"success_flash":"Successfully added table result to task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"destroy":{"success_flash":"Table result successfully deleted."},"edit":{"head_title":"%{project} | %{module} | Edit table result","title":"Edit result from task %{module}","update":"Update"},"new":{"create":"Add","head_title":"%{project} | %{module} | Add table result","title":"Add result to task %{module}"},"update":{"success_flash":"Successfully updated table result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"}},"result_texts":{"archive":{"success_flash":"Successfully archived text result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"create":{"success_flash":"Successfully added text result to task \u003cstrong\u003e%{module}\u003c/strong\u003e"},"destroy":{"success_flash":"Text result successfully deleted."},"edit":{"head_title":"%{project} | %{module} | Edit text result","title":"Edit result from task %{module}","update":"Update"},"new":{"create":"Add","head_title":"%{project} | %{module} | Add text result","title":"Add result to task %{module}"},"update":{"success_flash":"Successfully updated text result in task \u003cstrong\u003e%{module}\u003c/strong\u003e"}},"sample_groups":{"color_label":"Sample group color","create":{"success_flash":"Successfully added sample group \u003cstrong\u003e%{sample_group}\u003c/strong\u003e to team \u003cstrong\u003e%{team}\u003c/strong\u003e."},"index":{"destroy_flash":"\"%{name}\" sample group was successfully deleted!","destroy_modal_body":"This action is irreversible and makes the sample group inaccessible to all team members.","destroy_modal_submit":"Permanently delete sample group","destroy_modal_title":"Permanently delete the \"%{name}\" sample group?","head_title":"Sample Groups","new":"Create sample group"}},"sample_types":{"index":{"destroy_flash":"\"%{name}\" sample type was successfully deleted!","destroy_modal_body":"This action is irreversible and makes the sample type inaccessible to all team members.","destroy_modal_submit":"Permanently delete sample type","destroy_modal_title":"Permanently delete the \"%{name}\" sample type?","head_title":"Sample Types","new":"Create sample type","sample_groups":"Sample groups","sample_types":"Sample types"}},"samples":{"actions":"Actions","add_new_column":"Add column","add_new_sample":"Add new sample","add_new_sample_group":"Add sample group","add_new_sample_type":"Add sample type","assign_samples_to_module":"Assign","cancel_save":"Cancel","column_create":"Create","column_new_text":"New column","column_visibility":"Visible columns","columns":"Columns","columns_delete":"Delete","columns_visibility":"Toggle visibility","create":{"success_flash":"Successfully added sample \u003cstrong\u003e%{sample}\u003c/strong\u003e to team \u003cstrong\u003e%{team}\u003c/strong\u003e"},"delete_samples":"Delete","destroy":{"contains_other_samples_flash":"%{sample_number} samples successfully deleted. %{other_samples_number} of the selected samples were created by other users and were not deleted.","no_deleted_samples_flash":"No samples were deleted. %{other_samples_number} of the selected samples were created by other users and were not deleted.","no_sample_selected_flash":"There were no selected samples.","success_flash":"%{sample_number} samples successfully deleted."},"edit":{"create":"Edit sample","head_title":"%{team} | Edit sample","scf_does_not_exist":"This field does not exists.","title":"Edit sample %{sample} from team %{team}"},"edit_sample":"Edit","export":"Export","import":"Import","js":{"column_added":"New column was sucessfully created.","empty_column_name":"Please enter column name.","not_found_error":"This sample does not exist.","permission_error":"You don't have permission to edit this sample."},"modal_add_custom_field":{"create":"Add new column","title_html":"Add new column to team \u003cstrong\u003e%{team}\u003c/strong\u003e"},"modal_add_new_sample_group":{"create":"Add new sample group","title_html":"Add new sample group to team \u003cstrong\u003e%{team}\u003c/strong\u003e"},"modal_add_new_sample_type":{"create":"Add new sample type","title_html":"Add new sample type to team \u003cstrong\u003e%{team}\u003c/strong\u003e"},"modal_delete":{"delete":"Delete samples","notice":"Are you sure you want to delete the selected samples?","title":"Delete samples"},"modal_delete_custom_field":{"alert_heading":"Deleting column has following consequences:","alert_line_1":"you will lose information in this column for %{nr} samples;","alert_line_2":"the column will be deleted for all team members.","delete":"Delete column","message":"Are you sure you wish to permanently delete selected column %{cf}? This action is irreversible.","title":"Delete a column"},"modal_import":{"no_header_name":"No column name","notice":"You may upload .csv file (comma separated) or tab separated file (.txt or .tsv) or Excel file (.xlsx). First row should include header names, followed by rows with sample data.","title":"Import samples","upload":"Upload file"},"modal_info":{"added_by":"Added by","added_on":"Added on","custom_field":"%{cf}: ","head_title":"Information for sample '%{sample}'","no_group":"No sample group","no_tasks":"This sample in not assigned to any task.","no_type":"No sample type","sample_group":"Sample group:","sample_type":"Sample type:","title":"This sample is assigned to %{nr} tasks."},"new":{"create":"Add new sample","edit_sample_group":"Edit sample group","edit_sample_type":"Edit sample type","head_title":"%{team} | Add new sample","no_group":"No sample group","no_type":"No sample type","sample_group":"Sample group","sample_type":"Sample type","title":"Add new sample to team %{team}"},"save_sample":"Save","table":{"add_sample_group":"Add new sample group","add_sample_type":"Add new sample type","added_by":"Added by","added_on":"Added on","assigned":"Assigned","no_group":"No sample group","no_type":"No sample type","sample_group":"Sample group","sample_name":"Sample name","sample_type":"Sample type"},"types_and_groups":"Types and groups","unassign_samples_to_module":"Unassign","update":{"success_flash":"Successfully updated sample \u003cstrong\u003e%{sample}\u003c/strong\u003e to team \u003cstrong\u003e%{team}\u003c/strong\u003e"},"view_all_samples":"View all samples","view_assigned_samples":"View assigned samples"},"search":{"index":{"archived":"Archived","authors":"Authors: ","comments":{"my_module":"Task comment","project":"Project comment","result":"Result comment","step":"Step comment"},"created_at":"Created at: ","created_by":"Created by: ","description":"Description: ","error":{"no_results":"No results for %{q}."},"experiment":"Experiment: ","head_title":"Search","keywords":"Keywords: ","last_modified_at":"Last modified at: ","last_modified_by":"Last modified by: ","module":"Task: ","modules":"Tasks: ","no_description":"No description","no_name":"(no name)","page_title":"Search","private":"Private","project":"Project: ","protocol":"Protocol: ","public":"Public","repositories":{"added_by":"Added by: ","added_on":"Added on: ","custom_column":"%{column}: ","no_modules":"not assigned to any task","repository_row":"Inventory item: "},"repository":"Inventory: ","repository_row":"Inventory item: ","result":"Result: ","results_title_html":"Search Results for '\u003cem\u003e%{query}\u003c/em\u003e'","sample_no_modules":"not assigned to any tasks","samples":{"added_by":"Added by: ","added_on":"Added on: ","custom_field":"%{cf}: ","no_sample_group":"No sample group","no_sample_type":"No sample type","sample":"Sample: ","sample_group":"Sample group: ","sample_type":"Sample type: "},"step":"Step: ","tag_no_modules":"not added to any tasks","team":"Team: "},"match_case":"Match case sensitive","whole_phrase":"Match whole phrase","whole_word":"Match any whole word"},"sidebar":{"branch_collapse":"Collapse this branch","branch_expand":"Expand this branch","no_module_group":"No workflow","title":"Navigation"},"step_comments":{"create":{"success_flash":"Successfully added comment to step \u003cstrong\u003e%{step}\u003c/strong\u003e."},"new":{"create":"Add comment","head_title":"%{project} | %{module} | Add comment to step","title":"Add comment to step %{step}"}},"support":{"array":{"last_word_connector":", and ","two_words_connector":" and ","words_connector":", "}},"system_notifications":{"emails":{"intro_paragraph":"Hi %{user_name}, you've received What's new notification in SciNote:","subject":"You've received a What's new notification"},"index":{"more_notifications":"Show more notifications","no_notifications":"No more notifications","see_all":"show all","settings":"Settings","whats_new":"What's New"},"navbar":{"tooltip":"What’s new notifications"}},"tags":{"create":{"error_flash":"Could not create a new tag.","new_name":"New tag","success_flash":"Successfully created tag \u003cstrong\u003e%{tag}\u003c/strong\u003e."},"destroy":{"error_flash":"Could not remove tag \u003cstrong\u003e%{tag}\u003c/strong\u003e.","success_flash":"Successfully removed tag \u003cstrong\u003e%{tag}\u003c/strong\u003e."},"new":{"color":"Tag color","create":"Create tag","head_title":"Create tag","name":"Tag name","name_placeholder":"My tag","title":"Create a new tag"}},"teams":{"import_samples":{"errors":{"duplicated_values":"Two or more columns have the same mapping.","no_data_to_parse":"There's nothing to be parsed.","no_sample_name":"Sample name is required!","session_expired":"Your session expired. Please retry importing samples again.","temp_file_not_found":"This file could not be found. Your session might expire."},"head_title":"%{team} | Import samples","partial_success_flash":"%{nr} of %{samples} successfully imported. Other rows contained errors.","sample":{"one":"1 sample","other":"%{count} samples"},"success_flash":"%{nr} of %{samples} successfully imported.","title":"Import samples to team %{team}"},"parse_sheet":{"do_not_include_column":"Do not include this column","errors":{"empty_file":"You've selected empty file. There's not much to import.","errors_list_title":"Samples were not imported because one or more errors were found:","invalid_extension":"The file has invalid extension.","invalid_file":"The file you provided is invalid. Make sure the file is encoded using %{encoding}.","list_error":"%{key}: %{val}","list_row":"Row %{row}","no_file_selected":"You didn't select any file.","temp_file_failure":"We couldn't create temporary file. Please contact administrator."},"example_value":"Imported file content:","file_columns":"Imported columns:","head_title":"%{team} | Import samples","help_text":"Match the columns of your uploaded file with already existing columns in database.","import_samples":"Import samples","scinote_columns_html":"\u003cem\u003eSciNote\u003c/em\u003e columns:","title":"Import samples to team %{team}"}},"time":{"am":"AM","formats":{"default":"%a, %d %b %Y %H:%M:%S %z","devise":{"mailer":{"invitation_instructions":{"accept_until_format":"%B %d, %Y %I:%M %p"}}},"full":"%{date_format} %H:%M","full_date":"%{date_format}","full_js":"D.M.YYYY HH:mm","full_with_tz":"%{date_format} %H:%M %z","long":"%B %d, %Y %H:%M","short":"%H","time":"%H:%M","us":"%m/%d/%Y %I:%M %p"},"pm":"PM"},"tiny_mce":{"choose_file":"Choose file","error_message":"You must choose a file","insert_btn":"Insert","no_image_chosen":"No image chosen","saved_label":"Saved","server_not_respond":"Didn't get a response from the server","upload_window_label":"Choose an image","upload_window_title":"Insert an image from your computer"},"tooltips":{"link":{"experiment":{"copy":"https://support.scinote.net/hc/en-us/articles/115001434365","dates":"https://support.scinote.net/hc/en-us/articles/115001799832","move":"https://support.scinote.net/hc/en-us/articles/115001434385"},"inventory":{"manage_columns":"https://support.scinote.net/hc/en-us/articles/360004695831","new":"https://support.scinote.net/hc/en-us/articles/360004627792","visibility":"https://support.scinote.net/hc/en-us/articles/360004627472"},"invite_to_sci":"https://support.scinote.net/hc/en-us/articles/115003902929","new_project":"https://support.scinote.net/hc/en-us/articles/115003373852","protocol":{"complete":"https://support.scinote.net/hc/en-us/articles/115001799812","inventories":"https://support.scinote.net/hc/en-us/articles/360004694971","linking":"https://support.scinote.net/hc/en-us/articles/115003680385","num_linked":"https://support.scinote.net/hc/en-us/articles/115001788711","step_add_files":"https://support.scinote.net/hc/en-us/articles/360007237252","step_edit":"https://support.scinote.net/hc/en-us/articles/115001788051"},"task":{"color_tag":"https://support.scinote.net/hc/en-us/articles/360007237912","due_date":"https://support.scinote.net/hc/en-us/articles/360000527572","due_date_specific":"https://support.scinote.net/hc/en-us/articles/360000527572","new":"https://support.scinote.net/hc/en-us/articles/360000537411","results":"https://support.scinote.net/hc/en-us/articles/360007238592"}},"text":{"experiment":{"copy":"Copy this experiment as a template to another project. Only tasks and protocol steps will be copied!","dates":"You can see the date when this experiment was created and when it was last modified.","move":"Move your experiment with all its tasks to another project. Make sure that members of both projects are the same even if a few other members were added."},"inventory":{"manage_columns":"Add custom columns to your inventory table and choose whether the rows will contain text, files or be defined as a dropdown list.","new":"Inventories in SciNote enable you to manage all your resources, from samples, reagents, lab equipment, plasmids, etc.","visibility":"You can make inventory columns visible or hidden."},"invite_to_sci":"Invite other scientists to SciNote and gain additional free storage space for your team. How?","new_project":"Project is the topmost layer when you are organizing your data in SciNote. It allows you to assign members and keep all project-related data within one project card.","protocol":{"complete":"You can complete the task if you are done working on it.","inventories":"You can assign inventory items to your task.","linking":"By linking the protocol in your task and the protocol in a repository you can see if any of the versions has been modified and decide to update either of them at any point.","num_linked":"This number represents how many tasks are linked to the selected protocol.","step_add_files":"Drag and drop your files here. SciNote supports all types of files and images.","step_edit":"You can edit the name and description of a protocol step, add checklists, tables or files."},"task":{"color_tag":"Create personalised colorful tags to mark your tasks.","due_date":"Set due dates to your tasks and stay organized.","due_date_specific":"Set a due date to a specific task.","new":"Your experiment can be defined by a series of tasks. Start by adding the tasks and, if needed, connect them into a workflow.","results":"You have three options to save your lab results: as classic text, created table or uploaded file from computer."}}},"user_my_modules":{"create":{"error_flash":"User %{user} could not be added to task \u003cstrong\u003e%{module}\u003c/strong\u003e.","success_flash":"Successfully added user %{user} to task \u003cstrong\u003e%{module}\u003c/strong\u003e."},"destroy":{"error_flash":"User %{user} could not be removed from task \u003cstrong\u003e%{module}\u003c/strong\u003e.","success_flash":"Successfully removed user %{user} from task \u003cstrong\u003e%{module}\u003c/strong\u003e."},"new":{"assign_user":"Add user","back_button":"Back to task","create":"Add user to task","head_title":"%{project} | %{module} | Add user","no_users_available":"All users of the current project all already added to this task.","title":"Add user to task %{module}"}},"user_projects":{"create":{"add_user_generic_error":"An error occured. ","can_add_user_to_project":"Can not add user to the project.","select_user_role":"Please select a user role."},"edit":{"update_role":"Change Role"},"enums":{"role":{"normal_user":"User","owner":"Owner","technician":"Technician","viewer":"Viewer"}}},"user_teams":{"enums":{"role":{"admin":"Administrator","guest":"Guest","normal_user":"Normal user"}}},"users":{"enums":{"status":{"active":"active","pending":"pending"}},"invitations":{"edit":{"head_title":"Accept invitation"}},"registrations":{"edit":{"avatar_btn":"Edit Avatar","avatar_edit_label":"Upload new avatar file","avatar_label":"Avatar","avatar_submit":"Upload","avatar_title":"Change avatar","avatar_total_size":"Your avatar file cannot be larger than 0.2 MB. (Please try again with a smaller file.)","current_password_label":"Current password","email_label":"Email","email_title":"Change email","head_title":"My profile","initials_label":"Initials","initials_title":"Change initials","name_label":"Full name","name_title":"Change name","new_email_label":"New email","new_password_2_label":"New password confirmation","new_password_label":"New password","password_explanation":"(we need your current password to confirm your changes)","password_label":"Password","password_title":"Change password","title":"My profile","waiting_for_confirm":"Currently waiting confirmation for: %{email}"},"new":{"head_title":"Sign up","team_name_help":"This is the name of your lab or your group. You can invite other members to your team if needed.","team_name_label":"Team name","team_name_placeholder":"e.g. John's lab"},"new_with_provider":{"head_title":"Complete the Sign up"}},"settings":{"account":{"addons":{"head_title":"Settings | Add-ons","no_addons":"You have no SciNote Add-ons.","title":"Add-ons"},"preferences":{"edit":{"date_format_label":"Date format","date_format_sublabel":"Date format setting affects all date display throughout application.","date_format_title":"Date format","time_zone_label":"Time zone","time_zone_sublabel":"Time zone setting affects all time \u0026 date fields throughout application.","time_zone_title":"Time zone","tips":{"text1":"When you place your mouse cursor on a certain element in SciNote and hold it for a bit, a short and helpful description will appear.","text2":"If you feel confident in SciNote already, you can turn off these Help Tips.","title":"Help Tips","toggle":"Show Help Tips"}},"head_title":"Settings | My preferences","update_flash":"Preferences successfully updated."}},"changed_team_error_flash":"Something went wrong! Try again later.","changed_team_flash":"You are working on %{team} now!","changed_team_in_search":"The searched item is not in your current team. You will be redirected to %{team} team!","sidebar":{"account":"Account","account_nav":{"addons":"Add-ons","preferences":"Preferences","profile":"Profile"},"teams":"Teams"},"teams":{"breadcrumbs":{"all":"All teams","new_team":"New team"},"edit":{"add_user":"Add team members","can_delete_message":"This team can be deleted because it doesn't have any projects.","cannot_delete_message_projects":"Cannot delete this team. Only empty teams (without any projects) can be deleted.","delete_team_heading":"Delete team","delete_text":"Delete team.","description_label":"Description","description_title":"Edit team description","header_created_at":"Created on:","header_created_by":"Created by:","header_created_by_name_email":"%{name} (%{email})","header_no_description":"No description","header_space_taken":"Space usage:","modal_destroy_team":{"confirm":"Delete team","flash_success":"Team %{team} was successfully deleted.","message":"Are you sure you wish to delete team %{team}? All of the users will be removed from the team as well. This action is irreversible.","title":"Delete team"},"name_label":"Name","name_title":"Edit team name","team_members_title":"Team members","thead_actions":"Actions","thead_email":"Email","thead_joined_on":"Joined on","thead_role":"Role","thead_status":"Status","thead_user_name":"Name","user_dropdown":{"remove_label":"Remove","role_label":"User role"}},"head_title":"Settings | Teams","index":{"description_label":"Team is a group of SciNote users who are working on the same projects and share the inventories.","leave":"Leave team","member_of":{"one":"Currently you are member of %{count} team.","other":"Currently you are member of %{count} teams."},"na":"n/a","new_team":"New Team","no_teams":"You are not a member of any team.","thead_created_at":"Created at","thead_joined_on":"Joined on","thead_members":"Members","thead_name":"Team","thead_role":"Role"},"new":{"create":"Create","description_label":"Description","description_sublabel":"Describe your team.","name_label":"Team name","name_placeholder":"My team","name_sublabel":"Pick a name that would best describe your team (e.g. 'University of ..., Department of ...')."}},"user_teams":{"destroy_uo_alert_heading":"Removing user from team has following consequences:","destroy_uo_alert_line_1":"user will lose access to all content belonging to the team (including projects, tasks, protocols and activities);","destroy_uo_alert_line_2":"all projects in the team where user was the sole \u003cb\u003eOwner\u003c/b\u003e will be reassigned onto you as a new owner;","destroy_uo_alert_line_3":"all repository protocols in the team belonging to user will be reassigned onto you.","destroy_uo_confirm":"Remove","destroy_uo_heading":"Remove user %{user} from team %{team}","destroy_uo_message":"Are you sure you wish to remove user %{user} from team %{team}?","leave_flash":"Successfuly left team %{team}.","leave_uo_alert_heading":"Leaving team has following consequences:","leave_uo_alert_line_1":"you will lose access to all content belonging to the team (including projects, tasks, protocols and activities);","leave_uo_alert_line_2":"all projects in the team where you were the sole \u003cb\u003eOwner\u003c/b\u003e will receive a new owner from the team administrators;","leave_uo_alert_line_3":"all repository protocols in the team belonging to you will be reassigned onto a new owner from team administrators.","leave_uo_confirm":"Leave","leave_uo_heading":"Leave team %{team}","leave_uo_message":"Are you sure you wish to leave team %{team}? This action is irreversible."}},"statistics":{"experiment":"Experiment","project":"Project","protocol":"Protocol","team":"Team","title":"My statistics"}},"views":{"pagination":{"first":"\u0026laquo; First","last":"Last \u0026raquo;","next":"Next \u0026rsaquo;","previous":"\u0026lsaquo; Prev","truncate":"\u0026hellip;"}},"zip_export":{"expired_description":"Please export the data again in order to receive a new link.","expired_title":"Looks like your link has expired.","export_error":"Error when creating zip export.","files_alert":"Files uploaded to inventory items will not be exported. Only filenames will be exported.","modal_html":"\u003cp\u003eYour export request is being processed.\u003c/p\u003e\u003cp\u003eWhen completed we will \u003cstrong\u003esend an email to %{email}\u003c/strong\u003e inbox with a link to your exported samples. Note that the link will expire in 7 days.\u003c/p\u003e","modal_label":"Export request received","notification_title":"Your requested export package is ready!","repository_footer_html":"Inventory will be exported in a .csv file format. You will receive \u003cstrong\u003eemail with a link\u003c/strong\u003e where you can download it.","repository_header_html":"You are about to export selected items in inventory %{repository}."}}); -I18n.translations["en-ZA"] = I18n.extend((I18n.translations["en-ZA"] || {}), {"faker":{"address":{"cities":["Polokwane","Johannesburg","Pretoria","Tshwane","Durban","Pietermaritzburg","Nelspruit","Cape Town","Stellenbosch","Port Elizabeth","East London","Kimberley","Rustenburg","Bloemfontein"],"city":["#{cities}"],"default_country":["South Africa","The Replublic of South Africa","SA"],"post_code":"####","province":["#{provinces}"],"provinces":["Limpopo","Gauteng","Free State","North West","Northern Cape","Western Cape","KwaZulu-Natal","Mpumalanga","Eastern Cape"]},"cell_phone":{"formats":["+2782 ### ####","+2772 ### ####","+2776 ### ####","+2779 ### ####","+2760 ### ####","+2761 ### ####","+2783 ### ####","+2773 ### ####","+2763 ### ####","+2781 ### ####","+2761 ### ####","+2784 ### ####","+2774 ### ####"]},"id_number":{"formats":["##########08#"]},"internet":{"domain_suffix":["org.za","co.za","com"]},"name":{"first_name":["Rapulane","Nthabiseng","Kopano","Mpho","Lungelo","Ziyanda","Nqobile","Monde"],"last_name":["Dlamini","Zulu","Mabunda","Makhanya","Khoza","Zuma","Zondi"]},"phone_number":{"dial_code":["10","11","12","13","14","15","16","17","18","21","22","23","24","27","28","31","32","33","34","35","36","39","40","41","42","43","44","45","46","47","48","49","51","53","54","56","57","58"],"exchange_code":["201","202","203","205","206","207","208","209","210","212","213","214","215","216","217","218","219","224","225","227","228","229","231","234","239","240","248","251","252","253","254","256","260","262","267","269","270","276","281","283","301","302","303","304","305","307","308","309","310","312","313","314","315","316","317","318","319","320","321","323","330","331","334","336","337","339","347","351","352","360","361","386","401","402","404","405","406","407","408","409","410","412","413","414","415","417","419","423","424","425","434","435","440","443","445","464","469","470","475","478","479","480","484","501","502","503","504","505","507","508","509","510","512","513","515","516","517","518","520","530","540","541","551","557","559","561","562","563","564","567","570","571","573","574","580","585","586","601","602","603","605","606","607","608","609","610","612","614","615","616","617","618","619","620","623","626","630","631","636","641","646","650","651","660","661","662","667","678","682","701","702","703","704","706","707","708","712","713","714","715","716","717","718","719","720","724","727","731","732","734","737","740","754","757","760","763","765","770","772","773","774","775","781","785","786","801","802","803","804","805","806","808","810","812","813","814","815","816","817","818","828","830","831","832","835","843","845","847","848","850","856","857","858","859","860","862","863","864","865","870","872","878","901","903","904","906","907","908","909","910","912","913","914","915","916","917","918","919","920","925","928","931","936","937","940","941","947","949","952","954","956","959","970","971","972","973","975","978","979","980","984","985","989"],"formats":["0#{PhoneNumber.dial_code}-#{PhoneNumber.exchange_code} ####","(0#{PhoneNumber.dial_code}) #{PhoneNumber.exchange_code}-####","27#{PhoneNumber.dial_code}-#{PhoneNumber.exchange_code} ####"]}}}); -I18n.translations["ru"] = I18n.extend((I18n.translations["ru"] || {}), {"faker":{"address":{"building_number":["###"],"city":["#{Address.city_name}"],"city_name":["Москва","Владимир","Санкт-Петербург","Новосибирск","Екатеринбург","Нижний Новгород","Самара","Казань","Омск","Челябинск","Ростов-на-Дону","Уфа","Волгоград","Пермь","Красноярск","Воронеж","Саратов","Краснодар","Тольятти","Ижевск","Барнаул","Ульяновск","Тюмень","Иркутск","Владивосток","Ярославль","Хабаровск","Махачкала","Оренбург","Новокузнецк","Томск","Кемерово","Рязань","Астрахань","Пенза","Липецк","Тула","Киров","Чебоксары","Курск","Брянск","Магнитогорск","Иваново","Тверь","Ставрополь","Белгород","Сочи"],"country":["Австралия","Австрия","Азербайджан","Албания","Алжир","Американское Самоа (не признана)","Ангилья","Ангола","Андорра","Антарктика (не признана)","Антигуа и Барбуда","Антильские Острова (не признана)","Аомынь (не признана)","Аргентина","Армения","Афганистан","Багамские Острова","Бангладеш","Барбадос","Бахрейн","Беларусь","Белиз","Бельгия","Бенин","Болгария","Боливия","Босния и Герцеговина","Ботсвана","Бразилия","Бруней","Буркина-Фасо","Бурунди","Бутан","Вануату","Ватикан","Великобритания","Венгрия","Венесуэла","Восточный Тимор","Вьетнам","Габон","Гаити","Гайана","Гамбия","Гана","Гваделупа (не признана)","Гватемала","Гвиана (не признана)","Гвинея","Гвинея-Бисау","Германия","Гондурас","Гренада","Греция","Грузия","Дания","Джибути","Доминика","Доминиканская Республика","Египет","Замбия","Зимбабве","Израиль","Индия","Индонезия","Иордания","Ирак","Иран","Ирландия","Исландия","Испания","Италия","Йемен","Кабо-Верде","Казахстан","Камбоджа","Камерун","Канада","Катар","Кения","Кипр","Кирибати","Китай","Колумбия","Коморские Острова","Конго","Демократическая Республика","Корея (Северная)","Корея (Южная)","Косово","Коста-Рика","Кот-д'Ивуар","Куба","Кувейт","Кука острова","Кыргызстан","Лаос","Латвия","Лесото","Либерия","Ливан","Ливия","Литва","Лихтенштейн","Люксембург","Маврикий","Мавритания","Мадагаскар","Македония","Малави","Малайзия","Мали","Мальдивы","Мальта","Маршалловы Острова","Мексика","Микронезия","Мозамбик","Молдова","Монако","Монголия","Марокко","Мьянма","Намибия","Науру","Непал","Нигер","Нигерия","Нидерланды","Никарагуа","Новая Зеландия","Норвегия","Объединенные Арабские Эмираты","Оман","Пакистан","Палау","Панама","Папуа — Новая Гвинея","Парагвай","Перу","Польша","Португалия","Республика Конго","Россия","Руанда","Румыния","Сальвадор","Самоа","Сан-Марино","Сан-Томе и Принсипи","Саудовская Аравия","Свазиленд","Сейшельские острова","Сенегал","Сент-Винсент и Гренадины","Сент-Киттс и Невис","Сент-Люсия","Сербия","Сингапур","Сирия","Словакия","Словения","Соединенные Штаты Америки","Соломоновы Острова","Сомали","Судан","Суринам","Сьерра-Леоне","Таджикистан","Таиланд","Тайвань (не признана)","Тамил-Илам (не признана)","Танзания","Тёркс и Кайкос (не признана)","Того","Токелау (не признана)","Тонга","Тринидад и Тобаго","Тувалу","Тунис","Турецкая Республика Северного Кипра (не признана)","Туркменистан","Турция","Уганда","Узбекистан","Украина","Уругвай","Фарерские Острова (не признана)","Фиджи","Филиппины","Финляндия","Франция","Французская Полинезия (не признана)","Хорватия","Центральноафриканская Республика","Чад","Черногория","Чехия","Чили","Швейцария","Швеция","Шри-Ланка","Эквадор","Экваториальная Гвинея","Эритрея","Эстония","Эфиопия","Южно-Африканская Республика","Ямайка","Япония"],"default_country":["Россия"],"full_address":["#{postcode} #{default_country}, #{city}, #{street_address}","#{postcode} #{default_country}, #{city}, #{street_address} #{secondary_address}"],"postcode":["######"],"secondary_address":["кв. ###"],"state":["Республика Адыгея","Республика Башкортостан","Республика Бурятия","Республика Алтай Республика Дагестан","Республика Ингушетия","Кабардино-Балкарская Республика","Республика Калмыкия","Республика Карачаево-Черкессия","Республика Карелия","Республика Коми","Республика Марий Эл","Республика Мордовия","Республика Саха (Якутия)","Республика Северная Осетия-Алания","Республика Татарстан","Республика Тыва","Удмуртская Республика","Республика Хакасия","Чувашская Республика","Алтайский край","Краснодарский край","Красноярский край","Приморский край","Ставропольский край","Хабаровский край","Амурская область","Архангельская область","Астраханская область","Белгородская область","Брянская область","Владимирская область","Волгоградская область","Вологодская область","Воронежская область","Ивановская область","Иркутская область","Калиниградская область","Калужская область","Камчатская область","Кемеровская область","Кировская область","Костромская область","Курганская область","Курская область","Ленинградская область","Липецкая область","Магаданская область","Московская область","Мурманская область","Нижегородская область","Новгородская область","Новосибирская область","Омская область","Оренбургская область","Орловская область","Пензенская область","Пермская область","Псковская область","Ростовская область","Рязанская область","Самарская область","Саратовская область","Сахалинская область","Свердловская область","Смоленская область","Тамбовская область","Тверская область","Томская область","Тульская область","Тюменская область","Ульяновская область","Челябинская область","Читинская область","Ярославская область","Еврейская автономная область","Агинский Бурятский авт. округ","Коми-Пермяцкий автономный округ","Корякский автономный округ","Ненецкий автономный округ","Таймырский (Долгано-Ненецкий) автономный округ","Усть-Ордынский Бурятский автономный округ","Ханты-Мансийский автономный округ","Чукотский автономный округ","Эвенкийский автономный округ","Ямало-Ненецкий автономный округ","Чеченская Республика"],"street_address":["#{street_name}, #{building_number}"],"street_name":["#{street_suffix} #{Address.street_title}","#{Address.street_title} #{street_suffix}"],"street_suffix":["ул.","улица","проспект","пр.","площадь","пл."],"street_title":["Советская","Молодежная","Центральная","Школьная","Новая","Садовая","Лесная","Набережная","Ленина","Мира","Октябрьская","Зеленая","Комсомольская","Заречная","Первомайская","Гагарина","Полевая","Луговая","Пионерская","Кирова","Юбилейная","Северная","Пролетарская","Степная","Пушкина","Калинина","Южная","Колхозная","Рабочая","Солнечная","Железнодорожная","Восточная","Заводская","Чапаева","Нагорная","Строителей","Береговая","Победы","Горького","Кооперативная","Красноармейская","Совхозная","Речная","Школьный","Спортивная","Озерная","Строительная","Парковая","Чкалова","Мичурина","Подгорная","Дружбы","Почтовая","Партизанская","Вокзальная","Лермонтова","Свободы","Дорожная","Дачная","Маяковского","Западная","Фрунзе","Дзержинского","Московская","Свердлова","Некрасова","Гоголя","Красная","Трудовая","Шоссейная","Чехова","Коммунистическая","Труда","Комарова","Матросова","Островского","Сосновая","Клубная","Куйбышева","Крупской","Березовая","Карла Маркса","8 Марта","Больничная","Садовый","Интернациональная","Суворова","Цветочная","Трактовая","Ломоносова","Горная","Космонавтов","Энергетиков","Шевченко","Весенняя","Механизаторов","Коммунальная","Лесной","40 лет Победы","Майская"]},"commerce":{"color":["красный","зеленый","синий","желтый","багровый","мятный","зеленовато-голубой","белый","черный","оранжевый","розовый","серый","красно-коричневый","фиолетовый","бирюзовый","желто-коричневый","небесно голубой","оранжево-розовый","темно-фиолетовый","орхидный","оливковый","пурпурный","лимонный","кремовый","сине-фиолетовый","золотой","красно-пурпурный","голубой","лазурный","лиловый","серебряный"],"department":["Книги","Фильмы","музыка","игры","Электроника","компьютеры","Дом","садинструмент","Бакалея","здоровье","красота","Игрушки","детское","для малышей","Одежда","обувь","украшения","Спорт","туризм","Автомобильное","промышленное"],"product_name":{"adjective":["Маленький","Эргономичный","Грубый","Интеллектуальный","Великолепный","Невероятный","Фантастический","Практичный","Лоснящийся","Потрясающий","Огромный","Удовлетворительный","Синергетический","Тяжёлый","Легкий","Аэродинамический","Прочный"],"material":["Стальной","Деревянный","Бетонный","Пластиковый","Хлопковый","Гранитный","Резиновый","Кожаный","Шелковый","Шерстяной","Льняной","Мраморный","Железный","Бронзовый","Медный","Алюминиевый","Бумажный"],"product":["Стул","Автомобиль","Компьютер","Берет","Кулон","Стол","Свитер","Ремень","Ботинок","Тарелка","Нож","Бутылка","Пальто","Лампа","Клавиатура","Сумка","Скамья","Часы","Бумажник"]}},"company":{"name":["#{prefix} #{Name.female_first_name}","#{prefix} #{Name.male_first_name}","#{prefix} #{Name.male_last_name}","#{prefix} #{suffix}#{suffix}","#{prefix} #{suffix}#{suffix}#{suffix}","#{prefix} #{Address.city_name}#{suffix}","#{prefix} #{Address.city_name}#{suffix}#{suffix}","#{prefix} #{Address.city_name}#{suffix}#{suffix}#{suffix}"],"prefix":["ИП","ООО","ЗАО","ОАО","НКО","ТСЖ","ОП"],"suffix":["Снаб","Торг","Пром","Трейд","Сбыт"]},"internet":{"domain_suffix":["com","ru","info","рф","net","org"],"free_email":["yandex.ru","ya.ru","mail.ru","gmail.com","yahoo.com","hotmail.com"]},"name":{"female_first_name":["Анна","Алёна","Алевтина","Александра","Алина","Алла","Анастасия","Ангелина","Анжела","Анжелика","Антонида","Антонина","Анфиса","Арина","Валентина","Валерия","Варвара","Василиса","Вера","Вероника","Виктория","Галина","Дарья","Евгения","Екатерина","Елена","Елизавета","Жанна","Зинаида","Зоя","Ирина","Кира","Клавдия","Ксения","Лариса","Лидия","Любовь","Людмила","Маргарита","Марина","Мария","Надежда","Наталья","Нина","Оксана","Ольга","Раиса","Регина","Римма","Светлана","София","Таисия","Тамара","Татьяна","Ульяна","Юлия"],"female_last_name":["Смирнова","Иванова","Кузнецова","Попова","Соколова","Лебедева","Козлова","Новикова","Морозова","Петрова","Волкова","Соловьева","Васильева","Зайцева","Павлова","Семенова","Голубева","Виноградова","Богданова","Воробьева","Федорова","Михайлова","Беляева","Тарасова","Белова","Комарова","Орлова","Киселева","Макарова","Андреева","Ковалева","Ильина","Гусева","Титова","Кузьмина","Кудрявцева","Баранова","Куликова","Алексеева","Степанова","Яковлева","Сорокина","Сергеева","Романова","Захарова","Борисова","Королева","Герасимова","Пономарева","Григорьева","Лазарева","Медведева","Ершова","Никитина","Соболева","Рябова","Полякова","Цветкова","Данилова","Жукова","Фролова","Журавлева","Николаева","Крылова","Максимова","Сидорова","Осипова","Белоусова","Федотова","Дорофеева","Егорова","Матвеева","Боброва","Дмитриева","Калинина","Анисимова","Петухова","Антонова","Тимофеева","Никифорова","Веселова","Филиппова","Маркова","Большакова","Суханова","Миронова","Ширяева","Александрова","Коновалова","Шестакова","Казакова","Ефимова","Денисова","Громова","Фомина","Давыдова","Мельникова","Щербакова","Блинова","Колесникова","Карпова","Афанасьева","Власова","Маслова","Исакова","Тихонова","Аксенова","Гаврилова","Родионова","Котова","Горбунова","Кудряшова","Быкова","Зуева","Третьякова","Савельева","Панова","Рыбакова","Суворова","Абрамова","Воронова","Мухина","Архипова","Трофимова","Мартынова","Емельянова","Горшкова","Чернова","Овчинникова","Селезнева","Панфилова","Копылова","Михеева","Галкина","Назарова","Лобанова","Лукина","Белякова","Потапова","Некрасова","Хохлова","Жданова","Наумова","Шилова","Воронцова","Ермакова","Дроздова","Игнатьева","Савина","Логинова","Сафонова","Капустина","Кириллова","Моисеева","Елисеева","Кошелева","Костина","Горбачева","Орехова","Ефремова","Исаева","Евдокимова","Калашникова","Кабанова","Носкова","Юдина","Кулагина","Лапина","Прохорова","Нестерова","Харитонова","Агафонова","Муравьева","Ларионова","Федосеева","Зимина","Пахомова","Шубина","Игнатова","Филатова","Крюкова","Рогова","Кулакова","Терентьева","Молчанова","Владимирова","Артемьева","Гурьева","Зиновьева","Гришина","Кононова","Дементьева","Ситникова","Симонова","Мишина","Фадеева","Комиссарова","Мамонтова","Носова","Гуляева","Шарова","Устинова","Вишнякова","Евсеева","Лаврентьева","Брагина","Константинова","Корнилова","Авдеева","Зыкова","Бирюкова","Шарапова","Никонова","Щукина","Дьячкова","Одинцова","Сазонова","Якушева","Красильникова","Гордеева","Самойлова","Князева","Беспалова","Уварова","Шашкова","Бобылева","Доронина","Белозерова","Рожкова","Самсонова","Мясникова","Лихачева","Бурова","Сысоева","Фомичева","Русакова","Стрелкова","Гущина","Тетерина","Колобова","Субботина","Фокина","Блохина","Селиверстова","Пестова","Кондратьева","Силина","Меркушева","Лыткина","Турова"],"female_middle_name":["Александровна","Алексеевна","Альбертовна","Анатольевна","Андреевна","Антоновна","Аркадьевна","Арсеньевна","Артёмовна","Борисовна","Вадимовна","Валентиновна","Валерьевна","Васильевна","Викторовна","Витальевна","Владимировна","Владиславовна","Вячеславовна","Геннадьевна","Георгиевна","Германовна","Григорьевна","Данииловна","Денисовна","Дмитриевна","Евгеньевна","Егоровна","Ивановна","Игнатьевна","Игоревна","Ильинична","Константиновна","Лаврентьевна","Леонидовна","Макаровна","Максимовна","Матвеевна","Михайловна","Никитична","Николаевна","Олеговна","Романовна","Семёновна","Сергеевна","Станиславовна","Степановна","Фёдоровна","Эдуардовна","Юрьевна","Ярославовна"],"first_name":["#{female_first_name}","#{male_first_name}"],"last_name":["#{female_last_name}","#{male_last_name}"],"male_first_name":["Александр","Алексей","Альберт","Анатолий","Андрей","Антон","Аркадий","Арсений","Артём","Борис","Вадим","Валентин","Валерий","Василий","Виктор","Виталий","Владимир","Владислав","Вячеслав","Геннадий","Георгий","Герман","Григорий","Даниил","Денис","Дмитрий","Евгений","Егор","Иван","Игнатий","Игорь","Илья","Константин","Лаврентий","Леонид","Лука","Макар","Максим","Матвей","Михаил","Никита","Николай","Олег","Роман","Семён","Сергей","Станислав","Степан","Фёдор","Эдуард","Юрий","Ярослав"],"male_last_name":["Смирнов","Иванов","Кузнецов","Попов","Соколов","Лебедев","Козлов","Новиков","Морозов","Петров","Волков","Соловьев","Васильев","Зайцев","Павлов","Семенов","Голубев","Виноградов","Богданов","Воробьев","Федоров","Михайлов","Беляев","Тарасов","Белов","Комаров","Орлов","Киселев","Макаров","Андреев","Ковалев","Ильин","Гусев","Титов","Кузьмин","Кудрявцев","Баранов","Куликов","Алексеев","Степанов","Яковлев","Сорокин","Сергеев","Романов","Захаров","Борисов","Королев","Герасимов","Пономарев","Григорьев","Лазарев","Медведев","Ершов","Никитин","Соболев","Рябов","Поляков","Цветков","Данилов","Жуков","Фролов","Журавлев","Николаев","Крылов","Максимов","Сидоров","Осипов","Белоусов","Федотов","Дорофеев","Егоров","Матвеев","Бобров","Дмитриев","Калинин","Анисимов","Петухов","Антонов","Тимофеев","Никифоров","Веселов","Филиппов","Марков","Большаков","Суханов","Миронов","Ширяев","Александров","Коновалов","Шестаков","Казаков","Ефимов","Денисов","Громов","Фомин","Давыдов","Мельников","Щербаков","Блинов","Колесников","Карпов","Афанасьев","Власов","Маслов","Исаков","Тихонов","Аксенов","Гаврилов","Родионов","Котов","Горбунов","Кудряшов","Быков","Зуев","Третьяков","Савельев","Панов","Рыбаков","Суворов","Абрамов","Воронов","Мухин","Архипов","Трофимов","Мартынов","Емельянов","Горшков","Чернов","Овчинников","Селезнев","Панфилов","Копылов","Михеев","Галкин","Назаров","Лобанов","Лукин","Беляков","Потапов","Некрасов","Хохлов","Жданов","Наумов","Шилов","Воронцов","Ермаков","Дроздов","Игнатьев","Савин","Логинов","Сафонов","Капустин","Кириллов","Моисеев","Елисеев","Кошелев","Костин","Горбачев","Орехов","Ефремов","Исаев","Евдокимов","Калашников","Кабанов","Носков","Юдин","Кулагин","Лапин","Прохоров","Нестеров","Харитонов","Агафонов","Муравьев","Ларионов","Федосеев","Зимин","Пахомов","Шубин","Игнатов","Филатов","Крюков","Рогов","Кулаков","Терентьев","Молчанов","Владимиров","Артемьев","Гурьев","Зиновьев","Гришин","Кононов","Дементьев","Ситников","Симонов","Мишин","Фадеев","Комиссаров","Мамонтов","Носов","Гуляев","Шаров","Устинов","Вишняков","Евсеев","Лаврентьев","Брагин","Константинов","Корнилов","Авдеев","Зыков","Бирюков","Шарапов","Никонов","Щукин","Дьячков","Одинцов","Сазонов","Якушев","Красильников","Гордеев","Самойлов","Князев","Беспалов","Уваров","Шашков","Бобылев","Доронин","Белозеров","Рожков","Самсонов","Мясников","Лихачев","Буров","Сысоев","Фомичев","Русаков","Стрелков","Гущин","Тетерин","Колобов","Субботин","Фокин","Блохин","Селиверстов","Пестов","Кондратьев","Силин","Меркушев","Лыткин","Туров"],"male_middle_name":["Александрович","Алексеевич","Альбертович","Анатольевич","Андреевич","Антонович","Аркадьевич","Арсеньевич","Артёмович","Борисович","Вадимович","Валентинович","Валерьевич","Васильевич","Викторович","Витальевич","Владимирович","Владиславович","Вячеславович","Геннадьевич","Георгиевич","Германович","Григорьевич","Даниилович","Денисович","Дмитриевич","Евгеньевич","Егорович","Иванович","Игнатьевич","Игоревич","Ильич","Константинович","Лаврентьевич","Леонидович","Лукич","Макарович","Максимович","Матвеевич","Михайлович","Никитич","Николаевич","Олегович","Романович","Семёнович","Сергеевич","Станиславович","Степанович","Фёдорович","Эдуардович","Юрьевич","Ярославович"],"name":["#{male_first_name} #{male_last_name}","#{male_last_name} #{male_first_name}","#{male_first_name} #{male_middle_name} #{male_last_name}","#{male_last_name} #{male_first_name} #{male_middle_name}","#{female_first_name} #{female_last_name}","#{female_last_name} #{female_first_name}","#{female_first_name} #{female_middle_name} #{female_last_name}","#{female_last_name} #{female_first_name} #{female_middle_name}"]},"phone_number":{"formats":["+7(9##)###-##-##"]},"separator":" и "}}); -I18n.translations["it"] = I18n.extend((I18n.translations["it"] || {}), {"faker":{"address":{"building_number":["###","##","#"],"city":["#{city_prefix} #{Name.first_name} #{city_suffix}","#{city_prefix} #{Name.first_name}","#{Name.first_name} #{city_suffix}","#{Name.last_name} #{city_suffix}"],"city_prefix":["San","Borgo","Sesto","Quarto","Settimo"],"city_suffix":["a mare","lido","ligure","del friuli","salentino","calabro","veneto","nell'emilia","umbro","laziale","terme","sardo"],"country":["Afghanistan","Albania","Algeria","American Samoa","Andorra","Angola","Anguilla","Antartide (territori a sud del 60° parallelo)","Antigua e Barbuda","Argentina","Armenia","Aruba","Australia","Austria","Azerbaijan","Bahamas","Bahrain","Bangladesh","Barbados","Bielorussia","Belgio","Belize","Benin","Bermuda","Bhutan","Bolivia","Bosnia e Herzegovina","Botswana","Bouvet Island (Bouvetoya)","Brasile","Territorio dell'arcipelago indiano","Isole Vergini Britanniche","Brunei Darussalam","Bulgaria","Burkina Faso","Burundi","Cambogia","Cameroon","Canada","Capo Verde","Isole Cayman","Repubblica Centrale Africana","Chad","Cile","Cina","Isola di Pasqua","Isola di Cocos (Keeling)","Colombia","Comoros","Congo","Isole Cook","Costa Rica","Costa d'Avorio","Croazia","Cuba","Cipro","Repubblica Ceca","Danimarca","Gibuti","Repubblica Dominicana","Equador","Egitto","El Salvador","Guinea Equatoriale","Eritrea","Estonia","Etiopia","Isole Faroe","Isole Falkland (Malvinas)","Fiji","Finlandia","Francia","Guyana Francese","Polinesia Francese","Territori Francesi del sud","Gabon","Gambia","Georgia","Germania","Ghana","Gibilterra","Grecia","Groenlandia","Grenada","Guadalupa","Guam","Guatemala","Guernsey","Guinea","Guinea-Bissau","Guyana","Haiti","Heard Island and McDonald Islands","Città del Vaticano","Honduras","Hong Kong","Ungheria","Islanda","India","Indonesia","Iran","Iraq","Irlanda","Isola di Man","Israele","Italia","Giamaica","Giappone","Jersey","Giordania","Kazakhstan","Kenya","Kiribati","Korea","Kuwait","Republicca Kirgiza","Repubblica del Laos","Latvia","Libano","Lesotho","Liberia","Libyan Arab Jamahiriya","Liechtenstein","Lituania","Lussemburgo","Macao","Macedonia","Madagascar","Malawi","Malesia","Maldive","Mali","Malta","Isole Marshall","Martinica","Mauritania","Mauritius","Mayotte","Messico","Micronesia","Moldova","Principato di Monaco","Mongolia","Montenegro","Montserrat","Marocco","Mozambico","Myanmar","Namibia","Nauru","Nepal","Antille Olandesi","Olanda","Nuova Caledonia","Nuova Zelanda","Nicaragua","Niger","Nigeria","Niue","Isole Norfolk","Northern Mariana Islands","Norvegia","Oman","Pakistan","Palau","Palestina","Panama","Papua Nuova Guinea","Paraguay","Peru","Filippine","Pitcairn Islands","Polonia","Portogallo","Porto Rico","Qatar","Reunion","Romania","Russia","Rwanda","San Bartolomeo","Sant'Elena","Saint Kitts and Nevis","Saint Lucia","Saint Martin","Saint Pierre and Miquelon","Saint Vincent and the Grenadines","Samoa","San Marino","Sao Tome and Principe","Arabia Saudita","Senegal","Serbia","Seychelles","Sierra Leone","Singapore","Slovenia","Isole Solomon","Somalia","Sud Africa","Georgia del sud e South Sandwich Islands","Spagna","Sri Lanka","Sudan","Suriname","Svalbard \u0026 Jan Mayen Islands","Swaziland","Svezia","Svizzera","Siria","Taiwan","Tajikistan","Tanzania","Tailandia","Timor-Leste","Togo","Tokelau","Tonga","Trinidad e Tobago","Tunisia","Turchia","Turkmenistan","Isole di Turks and Caicos","Tuvalu","Uganda","Ucraina","Emirati Arabi Uniti","Regno Unito","Stati Uniti d'America","United States Minor Outlying Islands","Isole Vergini Statunitensi","Uruguay","Uzbekistan","Vanuatu","Venezuela","Vietnam","Wallis and Futuna","Western Sahara","Yemen","Zambia","Zimbabwe"],"default_country":["Italia"],"postcode":["#####"],"secondary_address":["Appartamento ##","Piano #"],"state":["Agrigento","Alessandria","Ancona","Aosta","Arezzo","Ascoli Piceno","Asti","Avellino","Bari","Barletta-Andria-Trani","Belluno","Benevento","Bergamo","Biella","Bologna","Bolzano","Brescia","Brindisi","Cagliari","Caltanissetta","Campobasso","Carbonia-Iglesias","Caserta","Catania","Catanzaro","Chieti","Como","Cosenza","Cremona","Crotone","Cuneo","Enna","Fermo","Ferrara","Firenze","Foggia","Forlì-Cesena","Frosinone","Genova","Gorizia","Grosseto","Imperia","Isernia","La Spezia","L'Aquila","Latina","Lecce","Lecco","Livorno","Lodi","Lucca","Macerata","Mantova","Massa-Carrara","Matera","Messina","Milano","Modena","Monza e della Brianza","Napoli","Novara","Nuoro","Olbia-Tempio","Oristano","Padova","Palermo","Parma","Pavia","Perugia","Pesaro e Urbino","Pescara","Piacenza","Pisa","Pistoia","Pordenone","Potenza","Prato","Ragusa","Ravenna","Reggio Calabria","Reggio Emilia","Rieti","Rimini","Roma","Rovigo","Salerno","Medio Campidano","Sassari","Savona","Siena","Siracusa","Sondrio","Taranto","Teramo","Terni","Torino","Ogliastra","Trapani","Trento","Treviso","Trieste","Udine","Varese","Venezia","Verbano-Cusio-Ossola","Vercelli","Verona","Vibo Valentia","Vicenza","Viterbo"],"state_abbr":["AG","AL","AN","AO","AR","AP","AT","AV","BA","BT","BL","BN","BG","BI","BO","BZ","BS","BR","CA","CL","CB","CI","CE","CT","CZ","CH","CO","CS","CR","KR","CN","EN","FM","FE","FI","FG","FC","FR","GE","GO","GR","IM","IS","SP","AQ","LT","LE","LC","LI","LO","LU","MC","MN","MS","MT","ME","MI","MO","MB","NA","NO","NU","OT","OR","PD","PA","PR","PV","PG","PU","PE","PC","PI","PT","PN","PZ","PO","RG","RA","RC","RE","RI","RN","RM","RO","SA","VS","SS","SV","SI","SR","SO","TA","TE","TR","TO","OG","TP","TN","TV","TS","UD","VA","VE","VB","VC","VR","VV","VI","VT"],"street_address":["#{street_name} #{building_number}","#{street_name} #{building_number}, #{secondary_address}"],"street_name":["#{street_suffix} #{Name.first_name}","#{street_suffix} #{Name.last_name}"],"street_suffix":["Piazza","Strada","Via","Borgo","Contrada","Rotonda","Incrocio"]},"company":{"bs":[["partnerships","comunità","ROI","soluzioni","e-services","nicchie","tecnologie","contenuti","supply-chains","convergenze","relazioni","architetture","interfacce","mercati","e-commerce","sistemi","modelli","schemi","reti","applicazioni","metriche","e-business","funzionalità","esperienze","webservices","metodologie"],["implementate","utilizzo","integrate","ottimali","evolutive","abilitate","reinventate","aggregate","migliorate","incentivate","monetizzate","sinergizzate","strategiche","deploy","marchi","accrescitive","target","sintetizzate","spedizioni","massimizzate","innovazione","guida","estensioni","generate","exploit","transizionali","matrici","ricontestualizzate"],["valore aggiunto","verticalizzate","proattive","forti","rivoluzionari","scalabili","innovativi","intuitivi","strategici","e-business","mission-critical","24/7","globali","B2B","B2C","granulari","virtuali","virali","dinamiche","magnetiche","web","interattive","sexy","back-end","real-time","efficienti","front-end","distributivi","estensibili","mondiali","open-source","cross-platform","sinergiche","out-of-the-box","enterprise","integrate","di impatto","wireless","trasparenti","next-generation","cutting-edge","visionari","plug-and-play","collaborative","olistiche","ricche"]],"buzzwords":[["Abilità","Access","Adattatore","Algoritmo","Alleanza","Analizzatore","Applicazione","Approccio","Architettura","Archivio","Intelligenza artificiale","Array","Attitudine","Benchmark","Capacità","Sfida","Circuito","Collaborazione","Complessità","Concetto","Conglomerato","Contingenza","Core","Database","Data-warehouse","Definizione","Emulazione","Codifica","Criptazione","Firmware","Flessibilità","Previsione","Frame","framework","Funzione","Funzionalità","Interfaccia grafica","Hardware","Help-desk","Gerarchia","Hub","Implementazione","Infrastruttura","Iniziativa","Installazione","Set di istruzioni","Interfaccia","Soluzione internet","Intranet","Conoscenza base","Matrici","Matrice","Metodologia","Middleware","Migrazione","Modello","Moderazione","Monitoraggio","Moratoria","Rete","Architettura aperta","Sistema aperto","Orchestrazione","Paradigma","Parallelismo","Policy","Portale","Struttura di prezzo","Prodotto","Produttività","Progetto","Proiezione","Protocollo","Servizio clienti","Software","Soluzione","Standardizzazione","Strategia","Struttura","Successo","Sovrastruttura","Supporto","Sinergia","Task-force","Finestra temporale","Strumenti","Utilizzazione","Sito web","Forza lavoro"],["adattiva","avanzata","migliorata","assimilata","automatizzata","bilanciata","centralizzata","compatibile","configurabile","cross-platform","decentralizzata","digitalizzata","distribuita","piccola","ergonomica","esclusiva","espansa","estesa","configurabile","fondamentale","orizzontale","implementata","innovativa","integrata","intuitiva","inversa","gestita","obbligatoria","monitorata","multi-canale","multi-laterale","open-source","operativa","ottimizzata","organica","persistente","polarizzata","proattiva","programmabile","progressiva","reattiva","riallineata","ricontestualizzata","ridotta","robusta","sicura","condivisibile","stand-alone","switchabile","sincronizzata","sinergica","totale","universale","user-friendly","versatile","virtuale","visionaria"],["24 ore","24/7","terza generazione","quarta generazione","quinta generazione","sesta generazione","asimmetrica","asincrona","background","bi-direzionale","biforcata","bottom-line","coerente","coesiva","composita","sensibile al contesto","basta sul contesto","basata sul contenuto","dedicata","didattica","direzionale","discreta","dinamica","eco-centrica","esecutiva","esplicita","full-range","globale","euristica","alto livello","olistica","omogenea","ibrida","impattante","incrementale","intangibile","interattiva","intermediaria","locale","logistica","massimizzata","metodica","mission-critical","mobile","modulare","motivazionale","multimedia","multi-tasking","nazionale","neutrale","nextgeneration","non-volatile","object-oriented","ottima","ottimizzante","radicale","real-time","reciproca","regionale","responsiva","scalabile","secondaria","stabile","statica","sistematica","sistemica","tangibile","terziaria","uniforme","valore aggiunto"]],"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name} #{suffix}","#{Name.last_name}, #{Name.last_name} e #{Name.last_name} #{suffix}"],"suffix":["SPA","e figli","Group","s.r.l."]},"internet":{"domain_suffix":["com","com","com","net","org","it","it","it"],"free_email":["gmail.com","yahoo.com","hotmail.com","email.it","libero.it","yahoo.it"]},"name":{"first_name":["Alberto","Alessandro","Alighieri","Amedeo","Anselmo","Antonino","Arcibaldo","Armando","Audenico","Ausonio","Bacchisio","Battista","Bernardo","Caio","Carlo","Cecco","Cirino","Costantino","Damiano","Davide","Edilio","Egidio","Elio","Emanuel","Enrico","Ercole","Eusebio","Evangelista","Fabiano","Ferdinando","Fiorentino","Flavio","Fulvio","Gabriele","Gastone","Germano","Giacinto","Gianantonio","Gianleonardo","Gianmarco","Gianriccardo","Gioacchino","Giordano","Giuliano","Graziano","Guido","Iacopo","Ilario","Ione","Italo","Laerte","Lauro","Leonardo","Liborio","Lorenzo","Ludovico","Maggiore","Manuele","Mariano","Matteo","Mauro","Mirco","Modesto","Muzio","Odino","Olo","Oreste","Osea","Patrizio","Piererminio","Pierfrancesco","Piersilvio","Priamo","Quarto","Quirino","Raniero","Renato","Rocco","Romeo","Rosalino","Sabatino","Samuel","Santo","Serse","Silvano","Sirio","Tancredi","Terzo","Timoteo","Tolomeo","Ubaldo","Ulrico","Valdo","Neri","Vinicio","Walter","Zaccaria","Abramo","Adriano","Alan","Albino","Alessio","Alighiero","Amerigo","Anastasio","Antimo","Antonio","Arduino","Aroldo","Arturo","Augusto","Avide","Baldassarre","Bettino","Bortolo","Caligola","Carmelo","Celeste","Ciro","Costanzo","Dante","Dindo","Domiziano","Edipo","Egisto","Eliziario","Emidio","Enzo","Eriberto","Erminio","Ettore","Eustachio","Fabio","Fernando","Fiorenzo","Folco","Furio","Gaetano","Gavino","Gerlando","Giacobbe","Giancarlo","Gianmaria","Giobbe","Giorgio","Giulio","Gregorio","Ippolito","Ivano","Jacopo","Lamberto","Lazzaro","Leone","Lino","Loris","Luigi","Manfredi","Marco","Marino","Marzio","Mattia","Max","Michele","Mirko","Moreno","Nazzareno","Nestore","Nico","Odone","Omar","Orfeo","Osvaldo","Pacifico","Pericle","Pietro","Primo","Quasimodo","Radio","Raoul","Renzo","Rodolfo","Romolo","Rosolino","Rufo","Sabino","Sandro","Secondo","Sesto","Silverio","Siro","Tazio","Teseo","Tommaso","Tristano","Umberto","Artemide","Assia","Azue","Benedetta","Bibiana","Brigitta","Carmela","Cassiopea","Cesidia","Cira","Clea","Cleopatra","Clodovea","Concetta","Cosetta","Cristyn","Damiana","Danuta","Deborah","Demi","Diamante","Diana","Donatella","Doriana","Elda","Elga","Elsa","Emilia","Enrica","Erminia","Eufemia","Evita","Fatima","Felicia","Filomena","Flaviana","Fortunata","Gelsomina","Genziana","Giacinta","Gilda","Giovanna","Giulietta","Grazia","Guendalina","Ileana","Irene","Isabel","Isira","Ivonne","Jole","Claudia","Laura","Lucia","Lia","Lidia","Lisa","Loredana","Loretta","Luce","Lucrezia","Luna","Marcella","Maria","Mariagiulia","Marianita","Mariapia","Marieva","Marina","Maristella","Matilde","Mecren","Mietta","Miriana","Miriam","Monia","Morgana","Naomi","Nicoletta","Ninfa","Noemi","Nunzia","Olimpia","Oretta","Ortensia","Penelope","Piccarda","Prisca","Rebecca","Rita","Rosalba","Rosaria","Rosita","Samira","Sarita","Selvaggia","Sibilla","Soriana","Thea","Tosca","Ursula","Vania","Vera","Vienna","Violante","Vitalba","Zelida"],"last_name":["Amato","Barbieri","Barone","Basile","Battaglia","Bellini","Benedetti","Bernardi","Bianc","Bianchi","Bruno","Caputo","Carbon","Caruso","Cattaneo","Colombo","Cont","Conte","Coppola","Costa","Costantin","D'amico","D'angelo","Damico","De Angelis","De luca","De rosa","De Santis","Donati","Esposito","Fabbri","Farin","Ferrara","Ferrari","Ferraro","Ferretti","Ferri","Fior","Fontana","Galli","Gallo","Gatti","Gentile","Giordano","Giuliani","Grassi","Grasso","Greco","Guerra","Leone","Lombardi","Lombardo","Longo","Mancini","Marchetti","Marian","Marini","Marino","Martinelli","Martini","Martino","Mazza","Messina","Milani","Montanari","Monti","Morelli","Moretti","Negri","Neri","Orlando","Pagano","Palmieri","Palumbo","Parisi","Pellegrini","Pellegrino","Piras","Ricci","Rinaldi","Riva","Rizzi","Rizzo","Romano","Ross","Rossetti","Ruggiero","Russo","Sala","Sanna","Santoro","Sartori","Serr","Silvestri","Sorrentino","Testa","Valentini","Villa","Vitale","Vitali"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}"],"prefix":["Sig.","Dott.","Dr.","Ing."],"suffix":""},"phone_number":{"formats":["+## ### ## ## ####","+## ## #######","+## ## ########","+## ### #######","+## ### ########","+## #### #######","+## #### ########","0## ### ####","+39 0## ### ###","3## ### ###","+39 3## ### ###"]}}}); -I18n.translations["de-AT"] = I18n.extend((I18n.translations["de-AT"] || {}), {"faker":{"address":{"building_number":["###","##","#","##a","##b","##c"],"city":["#{city_name}"],"city_name":["Aigen im Mühlkreis","Allerheiligen bei Wildon","Altenfelden","Arriach","Axams","Baumgartenberg","Bergern im Dunkelsteinerwald","Berndorf bei Salzburg","Bregenz","Breitenbach am Inn","Deutsch-Wagram","Dienten am Hochkönig","Dietach","Dornbirn","Dürnkrut","Eben im Pongau","Ebenthal in Kärnten","Eichgraben","Eisenstadt","Ellmau","Feistritz am Wechsel","Finkenberg","Fiss","Frantschach-St. Gertraud","Fritzens","Gams bei Hieflau","Geiersberg","Graz","Großhöflein","Gößnitz","Hartl","Hausleiten","Herzogenburg","Hinterhornbach","Hochwolkersdorf","Ilz","Ilztal","Innerbraz","Innsbruck","Itter","Jagerberg","Jeging","Johnsbach","Johnsdorf-Brunn","Jungholz","Kirchdorf am Inn","Klagenfurt","Kottes-Purk","Krumau am Kamp","Krumbach","Lavamünd","Lech","Linz","Ludesch","Lödersdorf","Marbach an der Donau","Mattsee","Mautern an der Donau","Mauterndorf","Mitterbach am Erlaufsee","Neudorf bei Passail","Neudorf bei Staatz","Neukirchen an der Enknach","Neustift an der Lafnitz","Niederleis","Oberndorf in Tirol","Oberstorcha","Oberwaltersdorf","Oed-Oehling","Ort im Innkreis","Pilgersdorf","Pitschgau","Pollham","Preitenegg","Purbach am Neusiedler See","Rabenwald","Raiding","Rastenfeld","Ratten","Rettenegg","Salzburg","Sankt Johann im Saggautal","St. Peter am Kammersberg","St. Pölten","St. Veit an der Glan","Taxenbach","Tragwein","Trebesing","Trieben","Turnau","Ungerdorf","Unterauersbach","Unterstinkenbrunn","Untertilliach","Uttendorf","Vals","Velden am Wörther See","Viehhofen","Villach","Vitis","Waidhofen an der Thaya","Waldkirchen am Wesen","Weißkirchen an der Traun","Wien","Wimpassing im Schwarzatale","Ybbs an der Donau","Ybbsitz","Yspertal","Zeillern","Zell am Pettenfirst","Zell an der Pram","Zerlach","Zwölfaxing","Öblarn","Übelbach","Überackern","Übersaxen","Übersbach"],"country":["Ägypten","Äquatorialguinea","Äthiopien","Österreich","Afghanistan","Albanien","Algerien","Amerikanisch-Samoa","Amerikanische Jungferninseln","Andorra","Angola","Anguilla","Antarktis","Antigua und Barbuda","Argentinien","Armenien","Aruba","Aserbaidschan","Australien","Bahamas","Bahrain","Bangladesch","Barbados","Belarus","Belgien","Belize","Benin","die Bermudas","Bhutan","Bolivien","Bosnien und Herzegowina","Botsuana","Bouvetinsel","Brasilien","Britische Jungferninseln","Britisches Territorium im Indischen Ozean","Brunei Darussalam","Bulgarien","Burkina Faso","Burundi","Chile","China","Cookinseln","Costa Rica","Dänemark","Demokratische Republik Kongo","Demokratische Volksrepublik Korea","Deutschland","Dominica","Dominikanische Republik","Dschibuti","Ecuador","El Salvador","Eritrea","Estland","Färöer","Falklandinseln","Fidschi","Finnland","Frankreich","Französisch-Guayana","Französisch-Polynesien","Französische Gebiete im südlichen Indischen Ozean","Gabun","Gambia","Georgien","Ghana","Gibraltar","Grönland","Grenada","Griechenland","Guadeloupe","Guam","Guatemala","Guinea","Guinea-Bissau","Guyana","Haiti","Heard und McDonaldinseln","Honduras","Hongkong","Indien","Indonesien","Irak","Iran","Irland","Island","Israel","Italien","Jamaika","Japan","Jemen","Jordanien","Jugoslawien","Kaimaninseln","Kambodscha","Kamerun","Kanada","Kap Verde","Kasachstan","Katar","Kenia","Kirgisistan","Kiribati","Kleinere amerikanische Überseeinseln","Kokosinseln","Kolumbien","Komoren","Kongo","Kroatien","Kuba","Kuwait","Laos","Lesotho","Lettland","Libanon","Liberia","Libyen","Liechtenstein","Litauen","Luxemburg","Macau","Madagaskar","Malawi","Malaysia","Malediven","Mali","Malta","ehemalige jugoslawische Republik Mazedonien","Marokko","Marshallinseln","Martinique","Mauretanien","Mauritius","Mayotte","Mexiko","Mikronesien","Monaco","Mongolei","Montserrat","Mosambik","Myanmar","Nördliche Marianen","Namibia","Nauru","Nepal","Neukaledonien","Neuseeland","Nicaragua","Niederländische Antillen","Niederlande","Niger","Nigeria","Niue","Norfolkinsel","Norwegen","Oman","Osttimor","Pakistan","Palau","Panama","Papua-Neuguinea","Paraguay","Peru","Philippinen","Pitcairninseln","Polen","Portugal","Puerto Rico","Réunion","Republik Korea","Republik Moldau","Ruanda","Rumänien","Russische Föderation","São Tomé und Príncipe","Südafrika","Südgeorgien und Südliche Sandwichinseln","Salomonen","Sambia","Samoa","San Marino","Saudi-Arabien","Schweden","Schweiz","Senegal","Seychellen","Sierra Leone","Simbabwe","Singapur","Slowakei","Slowenien","Somalien","Spanien","Sri Lanka","St. Helena","St. Kitts und Nevis","St. Lucia","St. Pierre und Miquelon","St. Vincent und die Grenadinen","Sudan","Surinam","Svalbard und Jan Mayen","Swasiland","Syrien","Türkei","Tadschikistan","Taiwan","Tansania","Thailand","Togo","Tokelau","Tonga","Trinidad und Tobago","Tschad","Tschechische Republik","Tunesien","Turkmenistan","Turks- und Caicosinseln","Tuvalu","Uganda","Ukraine","Ungarn","Uruguay","Usbekistan","Vanuatu","Vatikanstadt","Venezuela","Vereinigte Arabische Emirate","Vereinigte Staaten","Vereinigtes Königreich","Vietnam","Wallis und Futuna","Weihnachtsinsel","Westsahara","Zentralafrikanische Republik","Zypern"],"default_country":["Österreich"],"postcode":["####"],"secondary_address":["Apt. ###","Zimmer ###","# OG"],"state":["Burgenland","Kärnten","Niederösterreich","Oberösterreich","Salzburg","Steiermark","Tirol","Vorarlberg","Wien"],"state_abbr":["Bgld.","Ktn.","NÖ","OÖ","Sbg.","Stmk.","T","Vbg.","W"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_root}"],"street_root":["Ahorn","Ahorngasse (St. Andrä)","Alleestraße (Poysbrunn)","Alpenlandstraße","Alte Poststraße","Alte Ufergasse","Am Kronawett (Hagenbrunn)","Am Mühlwasser","Am Rebenhang","Am Sternweg","Anton Wildgans-Straße","Auer-von-Welsbach-Weg","Auf der Stift","Aufeldgasse","Bahngasse","Bahnhofstraße","Bahnstraße (Gerhaus)","Basteigasse","Berggasse","Bergstraße","Birkenweg","Blasiussteig","Blattur","Bruderhofgasse","Brunnelligasse","Bühelweg","Darnautgasse","Donaugasse","Dorfplatz (Haselbach)","Dr.-Oberreiter-Straße","Dr.Karl Holoubek-Str.","Drautal Bundesstraße","Dürnrohrer Straße","Ebenthalerstraße","Eckgrabenweg","Erlenstraße","Erlenweg","Eschenweg","Etrichgasse","Fassergasse","Feichteggerwiese","Feld-Weg","Feldgasse","Feldstapfe","Fischpointweg","Flachbergstraße","Flurweg","Franz Schubert-Gasse","Franz-Schneeweiß-Weg","Franz-von-Assisi-Straße","Fritz-Pregl-Straße","Fuchsgrubenweg","Födlerweg","Föhrenweg","Fünfhaus (Paasdorf)","Gabelsbergerstraße","Gartenstraße","Geigen","Geigergasse","Gemeindeaugasse","Gemeindeplatz","Georg-Aichinger-Straße","Glanfeldbachweg","Graben (Burgauberg)","Grub","Gröretgasse","Grünbach","Gösting","Hainschwang","Hans-Mauracher-Straße","Hart","Teichstraße","Hauptplatz","Hauptstraße","Heideweg","Heinrich Landauer Gasse","Helenengasse","Hermann von Gilmweg","Hermann-Löns-Gasse","Herminengasse","Hernstorferstraße","Hirsdorf","Hochfeistritz","Hochhaus Neue Donau","Hof","Hussovits Gasse","Höggen","Hütten","Janzgasse","Jochriemgutstraße","Johann-Strauß-Gasse","Julius-Raab-Straße","Kahlenberger Straße","Karl Kraft-Straße","Kegelprielstraße","Keltenberg-Eponaweg","Kennedybrücke","Kerpelystraße","Kindergartenstraße","Kinderheimgasse","Kirchenplatz","Kirchweg","Klagenfurter Straße","Klamm","Kleinbaumgarten","Klingergasse","Koloniestraße","Konrad-Duden-Gasse","Krankenhausstraße","Kubinstraße","Köhldorfergasse","Lackenweg","Lange Mekotte","Leifling","Leopold Frank-Straße (Pellendorf)","Lerchengasse (Pirka)","Lichtensternsiedlung V","Lindenhofstraße","Lindenweg","Luegstraße","Maierhof","Malerweg","Mitterweg","Mittlere Hauptstraße","Moosbachgasse","Morettigasse","Musikpavillon Riezlern","Mühlboden","Mühle","Mühlenweg","Neustiftgasse","Niederegg","Niedergams","Nordwestbahnbrücke","Oberbödenalm","Obere Berggasse","Oedt","Am Färberberg","Ottogasse","Paul Peters-Gasse","Perspektivstraße","Poppichl","Privatweg","Prixgasse","Pyhra","Radetzkystraße","Raiden","Reichensteinstraße","Reitbauernstraße","Reiterweg","Reitschulgasse","Ringweg","Rupertistraße","Römerstraße","Römerweg","Sackgasse","Schaunbergerstraße","Schloßweg","Schulgasse (Langeck)","Schönholdsiedlung","Seeblick","Seestraße","Semriacherstraße","Simling","Sipbachzeller Straße","Sonnenweg","Spargelfeldgasse","Spiesmayrweg","Sportplatzstraße","St.Ulrich","Steilmannstraße","Steingrüneredt","Strassfeld","Straßerau","Stöpflweg","Stüra","Taferngasse","Tennweg","Thomas Koschat-Gasse","Tiroler Straße","Torrogasse","Uferstraße (Schwarzau am Steinfeld)","Unterdörfl","Unterer Sonnrainweg","Verwaltersiedlung","Waldhang","Wasen","Weidenstraße","Weiherweg","Wettsteingasse","Wiener Straße","Windisch","Zebragasse","Zellerstraße","Ziehrerstraße","Zulechnerweg","Zwergjoch","Ötzbruck"]},"cell_phone":{"formats":["+43-6##-#######","06##-########","+436#########","06##########"]},"company":{"legal_form":["GmbH","AG","Gruppe","KG","GmbH \u0026 Co. KG","UG","OHG"],"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} und #{Name.last_name}"],"suffix":["GmbH","AG","Gruppe","KG","GmbH \u0026 Co. KG","UG","OHG"]},"internet":{"domain_suffix":["com","info","name","net","org","de","ch","at"],"free_email":["gmail.com","yahoo.com","hotmail.com"]},"name":{"first_name":["Aaron","Abdul","Abdullah","Adam","Adrian","Adriano","Ahmad","Ahmed","Ahmet","Alan","Albert","Alessandro","Alessio","Alex","Alexander","Alfred","Ali","Amar","Amir","Amon","Andre","Andreas","Andrew","Angelo","Ansgar","Anthony","Anton","Antonio","Arda","Arian","Armin","Arne","Arno","Arthur","Artur","Arved","Arvid","Ayman","Baran","Baris","Bastian","Batuhan","Bela","Ben","Benedikt","Benjamin","Bennet","Bennett","Benno","Bent","Berat","Berkay","Bernd","Bilal","Bjarne","Björn","Bo","Boris","Brandon","Brian","Bruno","Bryan","Burak","Calvin","Can","Carl","Carlo","Carlos","Caspar","Cedric","Cedrik","Cem","Charlie","Chris","Christian","Christiano","Christoph","Christopher","Claas","Clemens","Colin","Collin","Conner","Connor","Constantin","Corvin","Curt","Damian","Damien","Daniel","Danilo","Danny","Darian","Dario","Darius","Darren","David","Davide","Davin","Dean","Deniz","Dennis","Denny","Devin","Diego","Dion","Domenic","Domenik","Dominic","Dominik","Dorian","Dustin","Dylan","Ecrin","Eddi","Eddy","Edgar","Edwin","Efe","Ege","Elia","Eliah","Elias","Elijah","Emanuel","Emil","Emilian","Emilio","Emir","Emirhan","Emre","Enes","Enno","Enrico","Eren","Eric","Erik","Etienne","Fabian","Fabien","Fabio","Fabrice","Falk","Felix","Ferdinand","Fiete","Filip","Finlay","Finley","Finn","Finnley","Florian","Francesco","Franz","Frederic","Frederick","Frederik","Friedrich","Fritz","Furkan","Fynn","Gabriel","Georg","Gerrit","Gian","Gianluca","Gino","Giuliano","Giuseppe","Gregor","Gustav","Hagen","Hamza","Hannes","Hanno","Hans","Hasan","Hassan","Hauke","Hendrik","Hennes","Henning","Henri","Henrick","Henrik","Henry","Hugo","Hussein","Ian","Ibrahim","Ilias","Ilja","Ilyas","Immanuel","Ismael","Ismail","Ivan","Iven","Jack","Jacob","Jaden","Jakob","Jamal","James","Jamie","Jan","Janek","Janis","Janne","Jannek","Jannes","Jannik","Jannis","Jano","Janosch","Jared","Jari","Jarne","Jarno","Jaron","Jason","Jasper","Jay","Jayden","Jayson","Jean","Jens","Jeremias","Jeremie","Jeremy","Jermaine","Jerome","Jesper","Jesse","Jim","Jimmy","Joe","Joel","Joey","Johann","Johannes","John","Johnny","Jon","Jona","Jonah","Jonas","Jonathan","Jonte","Joost","Jordan","Joris","Joscha","Joschua","Josef","Joseph","Josh","Joshua","Josua","Juan","Julian","Julien","Julius","Juri","Justin","Justus","Kaan","Kai","Kalle","Karim","Karl","Karlo","Kay","Keanu","Kenan","Kenny","Keno","Kerem","Kerim","Kevin","Kian","Kilian","Kim","Kimi","Kjell","Klaas","Klemens","Konrad","Konstantin","Koray","Korbinian","Kurt","Lars","Lasse","Laurence","Laurens","Laurenz","Laurin","Lean","Leander","Leandro","Leif","Len","Lenn","Lennard","Lennart","Lennert","Lennie","Lennox","Lenny","Leo","Leon","Leonard","Leonardo","Leonhard","Leonidas","Leopold","Leroy","Levent","Levi","Levin","Lewin","Lewis","Liam","Lian","Lias","Lino","Linus","Lio","Lion","Lionel","Logan","Lorenz","Lorenzo","Loris","Louis","Luan","Luc","Luca","Lucas","Lucian","Lucien","Ludwig","Luis","Luiz","Luk","Luka","Lukas","Luke","Lutz","Maddox","Mads","Magnus","Maik","Maksim","Malik","Malte","Manuel","Marc","Marcel","Marco","Marcus","Marek","Marian","Mario","Marius","Mark","Marko","Markus","Marlo","Marlon","Marten","Martin","Marvin","Marwin","Mateo","Mathis","Matis","Mats","Matteo","Mattes","Matthias","Matthis","Matti","Mattis","Maurice","Max","Maxim","Maximilian","Mehmet","Meik","Melvin","Merlin","Mert","Michael","Michel","Mick","Miguel","Mika","Mikail","Mike","Milan","Milo","Mio","Mirac","Mirco","Mirko","Mohamed","Mohammad","Mohammed","Moritz","Morten","Muhammed","Murat","Mustafa","Nathan","Nathanael","Nelson","Neo","Nevio","Nick","Niclas","Nico","Nicolai","Nicolas","Niels","Nikita","Niklas","Niko","Nikolai","Nikolas","Nils","Nino","Noah","Noel","Norman","Odin","Oke","Ole","Oliver","Omar","Onur","Oscar","Oskar","Pascal","Patrice","Patrick","Paul","Peer","Pepe","Peter","Phil","Philip","Philipp","Pierre","Piet","Pit","Pius","Quentin","Quirin","Rafael","Raik","Ramon","Raphael","Rasmus","Raul","Rayan","René","Ricardo","Riccardo","Richard","Rick","Rico","Robert","Robin","Rocco","Roman","Romeo","Ron","Ruben","Ryan","Said","Salih","Sam","Sami","Sammy","Samuel","Sandro","Santino","Sascha","Sean","Sebastian","Selim","Semih","Shawn","Silas","Simeon","Simon","Sinan","Sky","Stefan","Steffen","Stephan","Steve","Steven","Sven","Sönke","Sören","Taha","Tamino","Tammo","Tarik","Tayler","Taylor","Teo","Theo","Theodor","Thies","Thilo","Thomas","Thorben","Thore","Thorge","Tiago","Til","Till","Tillmann","Tim","Timm","Timo","Timon","Timothy","Tino","Titus","Tizian","Tjark","Tobias","Tom","Tommy","Toni","Tony","Torben","Tore","Tristan","Tyler","Tyron","Umut","Valentin","Valentino","Veit","Victor","Viktor","Vin","Vincent","Vito","Vitus","Wilhelm","Willi","William","Willy","Xaver","Yannic","Yannick","Yannik","Yannis","Yasin","Youssef","Yunus","Yusuf","Yven","Yves","Ömer","Aaliyah","Abby","Abigail","Ada","Adelina","Adriana","Aileen","Aimee","Alana","Alea","Alena","Alessa","Alessia","Alexa","Alexandra","Alexia","Alexis","Aleyna","Alia","Alica","Alice","Alicia","Alina","Alisa","Alisha","Alissa","Aliya","Aliyah","Allegra","Alma","Alyssa","Amalia","Amanda","Amelia","Amelie","Amina","Amira","Amy","Ana","Anabel","Anastasia","Andrea","Angela","Angelina","Angelique","Anja","Ann","Anna","Annabel","Annabell","Annabelle","Annalena","Anne","Anneke","Annelie","Annemarie","Anni","Annie","Annika","Anny","Anouk","Antonia","Arda","Ariana","Ariane","Arwen","Ashley","Asya","Aurelia","Aurora","Ava","Ayleen","Aylin","Ayse","Azra","Betty","Bianca","Bianka","Caitlin","Cara","Carina","Carla","Carlotta","Carmen","Carolin","Carolina","Caroline","Cassandra","Catharina","Catrin","Cecile","Cecilia","Celia","Celina","Celine","Ceyda","Ceylin","Chantal","Charleen","Charlotta","Charlotte","Chayenne","Cheyenne","Chiara","Christin","Christina","Cindy","Claire","Clara","Clarissa","Colleen","Collien","Cora","Corinna","Cosima","Dana","Daniela","Daria","Darleen","Defne","Delia","Denise","Diana","Dilara","Dina","Dorothea","Ecrin","Eda","Eileen","Ela","Elaine","Elanur","Elea","Elena","Eleni","Eleonora","Eliana","Elif","Elina","Elisa","Elisabeth","Ella","Ellen","Elli","Elly","Elsa","Emelie","Emely","Emilia","Emilie","Emily","Emma","Emmely","Emmi","Emmy","Enie","Enna","Enya","Esma","Estelle","Esther","Eva","Evelin","Evelina","Eveline","Evelyn","Fabienne","Fatima","Fatma","Felicia","Felicitas","Felina","Femke","Fenja","Fine","Finia","Finja","Finnja","Fiona","Flora","Florentine","Francesca","Franka","Franziska","Frederike","Freya","Frida","Frieda","Friederike","Giada","Gina","Giulia","Giuliana","Greta","Hailey","Hana","Hanna","Hannah","Heidi","Helen","Helena","Helene","Helin","Henriette","Henrike","Hermine","Ida","Ilayda","Imke","Ina","Ines","Inga","Inka","Irem","Isa","Isabel","Isabell","Isabella","Isabelle","Ivonne","Jacqueline","Jamie","Jamila","Jana","Jane","Janin","Janina","Janine","Janna","Janne","Jara","Jasmin","Jasmina","Jasmine","Jella","Jenna","Jennifer","Jenny","Jessica","Jessy","Jette","Jil","Jill","Joana","Joanna","Joelina","Joeline","Joelle","Johanna","Joleen","Jolie","Jolien","Jolin","Jolina","Joline","Jona","Jonah","Jonna","Josefin","Josefine","Josephin","Josephine","Josie","Josy","Joy","Joyce","Judith","Judy","Jule","Julia","Juliana","Juliane","Julie","Julienne","Julika","Julina","Juna","Justine","Kaja","Karina","Karla","Karlotta","Karolina","Karoline","Kassandra","Katarina","Katharina","Kathrin","Katja","Katrin","Kaya","Kayra","Kiana","Kiara","Kim","Kimberley","Kimberly","Kira","Klara","Korinna","Kristin","Kyra","Laila","Lana","Lara","Larissa","Laura","Laureen","Lavinia","Lea","Leah","Leana","Leandra","Leann","Lee","Leila","Lena","Lene","Leni","Lenia","Lenja","Lenya","Leona","Leoni","Leonie","Leonora","Leticia","Letizia","Levke","Leyla","Lia","Liah","Liana","Lili","Lilia","Lilian","Liliana","Lilith","Lilli","Lillian","Lilly","Lily","Lina","Linda","Lindsay","Line","Linn","Linnea","Lisa","Lisann","Lisanne","Liv","Livia","Liz","Lola","Loreen","Lorena","Lotta","Lotte","Louisa","Louise","Luana","Luca","Lucia","Lucie","Lucienne","Lucy","Luisa","Luise","Luka","Luna","Luzie","Lya","Lydia","Lyn","Lynn","Madeleine","Madita","Madleen","Madlen","Magdalena","Maike","Mailin","Maira","Maja","Malena","Malia","Malin","Malina","Mandy","Mara","Marah","Mareike","Maren","Maria","Mariam","Marie","Marieke","Mariella","Marika","Marina","Marisa","Marissa","Marit","Marla","Marleen","Marlen","Marlena","Marlene","Marta","Martha","Mary","Maryam","Mathilda","Mathilde","Matilda","Maxi","Maxima","Maxine","Maya","Mayra","Medina","Medine","Meike","Melanie","Melek","Melike","Melina","Melinda","Melis","Melisa","Melissa","Merle","Merve","Meryem","Mette","Mia","Michaela","Michelle","Mieke","Mila","Milana","Milena","Milla","Mina","Mira","Miray","Miriam","Mirja","Mona","Monique","Nadine","Nadja","Naemi","Nancy","Naomi","Natalia","Natalie","Nathalie","Neele","Nela","Nele","Nelli","Nelly","Nia","Nicole","Nika","Nike","Nikita","Nila","Nina","Nisa","Noemi","Nora","Olivia","Patricia","Patrizia","Paula","Paulina","Pauline","Penelope","Philine","Phoebe","Pia","Rahel","Rania","Rebecca","Rebekka","Riana","Rieke","Rike","Romina","Romy","Ronja","Rosa","Rosalie","Ruby","Sabrina","Sahra","Sally","Salome","Samantha","Samia","Samira","Sandra","Sandy","Sanja","Saphira","Sara","Sarah","Saskia","Selin","Selina","Selma","Sena","Sidney","Sienna","Silja","Sina","Sinja","Smilla","Sofia","Sofie","Sonja","Sophia","Sophie","Soraya","Stefanie","Stella","Stephanie","Stina","Sude","Summer","Susanne","Svea","Svenja","Sydney","Tabea","Talea","Talia","Tamara","Tamia","Tamina","Tanja","Tara","Tarja","Teresa","Tessa","Thalea","Thalia","Thea","Theresa","Tia","Tina","Tomke","Tuana","Valentina","Valeria","Valerie","Vanessa","Vera","Veronika","Victoria","Viktoria","Viola","Vivian","Vivien","Vivienne","Wibke","Wiebke","Xenia","Yara","Yaren","Yasmin","Ylvi","Ylvie","Yvonne","Zara","Zehra","Zeynep","Zoe","Zoey","Zoé"],"last_name":["Abel","Abicht","Abraham","Abramovic","Abt","Achilles","Achkinadze","Ackermann","Adam","Adams","Ade","Agostini","Ahlke","Ahrenberg","Ahrens","Aigner","Albert","Albrecht","Alexa","Alexander","Alizadeh","Allgeyer","Amann","Amberg","Anding","Anggreny","Apitz","Arendt","Arens","Arndt","Aryee","Aschenbroich","Assmus","Astafei","Auer","Axmann","Baarck","Bachmann","Badane","Bader","Baganz","Bahl","Bak","Balcer","Balck","Balkow","Balnuweit","Balzer","Banse","Barr","Bartels","Barth","Barylla","Baseda","Battke","Bauer","Bauermeister","Baumann","Baumeister","Bauschinger","Bauschke","Bayer","Beavogui","Beck","Beckel","Becker","Beckmann","Bedewitz","Beele","Beer","Beggerow","Beh","Behr","Behrenbruch","Belz","Bender","Benecke","Benner","Benninger","Benzing","Berends","Berger","Berner","Berning","Bertenbreiter","Best","Bethke","Betz","Beushausen","Beutelspacher","Beyer","Biba","Bichler","Bickel","Biedermann","Bieler","Bielert","Bienasch","Bienias","Biesenbach","Bigdeli","Birkemeyer","Bittner","Blank","Blaschek","Blassneck","Bloch","Blochwitz","Blockhaus","Blum","Blume","Bock","Bode","Bogdashin","Bogenrieder","Bohge","Bolm","Borgschulze","Bork","Bormann","Bornscheuer","Borrmann","Borsch","Boruschewski","Bos","Bosler","Bourrouag","Bouschen","Boxhammer","Boyde","Bozsik","Brand","Brandenburg","Brandis","Brandt","Brauer","Braun","Brehmer","Breitenstein","Bremer","Bremser","Brenner","Brettschneider","Breu","Breuer","Briesenick","Bringmann","Brinkmann","Brix","Broening","Brosch","Bruckmann","Bruder","Bruhns","Brunner","Bruns","Bräutigam","Brömme","Brüggmann","Buchholz","Buchrucker","Buder","Bultmann","Bunjes","Burger","Burghagen","Burkhard","Burkhardt","Burmeister","Busch","Buschbaum","Busemann","Buss","Busse","Bussmann","Byrd","Bäcker","Böhm","Bönisch","Börgeling","Börner","Böttner","Büchele","Bühler","Büker","Büngener","Bürger","Bürklein","Büscher","Büttner","Camara","Carlowitz","Carlsohn","Caspari","Caspers","Chapron","Christ","Cierpinski","Clarius","Cleem","Cleve","Co","Conrad","Cordes","Cornelsen","Cors","Cotthardt","Crews","Cronjäger","Crosskofp","Da","Dahm","Dahmen","Daimer","Damaske","Danneberg","Danner","Daub","Daubner","Daudrich","Dauer","Daum","Dauth","Dautzenberg","De","Decker","Deckert","Deerberg","Dehmel","Deja","Delonge","Demut","Dengler","Denner","Denzinger","Derr","Dertmann","Dethloff","Deuschle","Dieckmann","Diedrich","Diekmann","Dienel","Dies","Dietrich","Dietz","Dietzsch","Diezel","Dilla","Dingelstedt","Dippl","Dittmann","Dittmar","Dittmer","Dix","Dobbrunz","Dobler","Dohring","Dolch","Dold","Dombrowski","Donie","Doskoczynski","Dragu","Drechsler","Drees","Dreher","Dreier","Dreissigacker","Dressler","Drews","Duma","Dutkiewicz","Dyett","Dylus","Dächert","Döbel","Döring","Dörner","Dörre","Dück","Eberhard","Eberhardt","Ecker","Eckhardt","Edorh","Effler","Eggenmueller","Ehm","Ehmann","Ehrig","Eich","Eichmann","Eifert","Einert","Eisenlauer","Ekpo","Elbe","Eleyth","Elss","Emert","Emmelmann","Ender","Engel","Engelen","Engelmann","Eplinius","Erdmann","Erhardt","Erlei","Erm","Ernst","Ertl","Erwes","Esenwein","Esser","Evers","Everts","Ewald","Fahner","Faller","Falter","Farber","Fassbender","Faulhaber","Fehrig","Feld","Felke","Feller","Fenner","Fenske","Feuerbach","Fietz","Figl","Figura","Filipowski","Filsinger","Fincke","Fink","Finke","Fischer","Fitschen","Fleischer","Fleischmann","Floder","Florczak","Flore","Flottmann","Forkel","Forst","Frahmeke","Frank","Franke","Franta","Frantz","Franz","Franzis","Franzmann","Frauen","Frauendorf","Freigang","Freimann","Freimuth","Freisen","Frenzel","Frey","Fricke","Fried","Friedek","Friedenberg","Friedmann","Friedrich","Friess","Frisch","Frohn","Frosch","Fuchs","Fuhlbrügge","Fusenig","Fust","Förster","Gaba","Gabius","Gabler","Gadschiew","Gakstädter","Galander","Gamlin","Gamper","Gangnus","Ganzmann","Garatva","Gast","Gastel","Gatzka","Gauder","Gebhardt","Geese","Gehre","Gehrig","Gehring","Gehrke","Geiger","Geisler","Geissler","Gelling","Gens","Gerbennow","Gerdel","Gerhardt","Gerschler","Gerson","Gesell","Geyer","Ghirmai","Ghosh","Giehl","Gierisch","Giesa","Giesche","Gilde","Glatting","Goebel","Goedicke","Goldbeck","Goldfuss","Goldkamp","Goldkühle","Goller","Golling","Gollnow","Golomski","Gombert","Gotthardt","Gottschalk","Gotz","Goy","Gradzki","Graf","Grams","Grasse","Gratzky","Grau","Greb","Green","Greger","Greithanner","Greschner","Griem","Griese","Grimm","Gromisch","Gross","Grosser","Grossheim","Grosskopf","Grothaus","Grothkopp","Grotke","Grube","Gruber","Grundmann","Gruning","Gruszecki","Gröss","Grötzinger","Grün","Grüner","Gummelt","Gunkel","Gunther","Gutjahr","Gutowicz","Gutschank","Göbel","Göckeritz","Göhler","Görlich","Görmer","Götz","Götzelmann","Güldemeister","Günther","Günz","Gürbig","Haack","Haaf","Habel","Hache","Hackbusch","Hackelbusch","Hadfield","Hadwich","Haferkamp","Hahn","Hajek","Hallmann","Hamann","Hanenberger","Hannecker","Hanniske","Hansen","Hardy","Hargasser","Harms","Harnapp","Harter","Harting","Hartlieb","Hartmann","Hartwig","Hartz","Haschke","Hasler","Hasse","Hassfeld","Haug","Hauke","Haupt","Haverney","Heberstreit","Hechler","Hecht","Heck","Hedermann","Hehl","Heidelmann","Heidler","Heinemann","Heinig","Heinke","Heinrich","Heinze","Heiser","Heist","Hellmann","Helm","Helmke","Helpling","Hengmith","Henkel","Hennes","Henry","Hense","Hensel","Hentel","Hentschel","Hentschke","Hepperle","Herberger","Herbrand","Hering","Hermann","Hermecke","Herms","Herold","Herrmann","Herschmann","Hertel","Herweg","Herwig","Herzenberg","Hess","Hesse","Hessek","Hessler","Hetzler","Heuck","Heydemüller","Hiebl","Hildebrand","Hildenbrand","Hilgendorf","Hillard","Hiller","Hingsen","Hingst","Hinrichs","Hirsch","Hirschberg","Hirt","Hodea","Hoffman","Hoffmann","Hofmann","Hohenberger","Hohl","Hohn","Hohnheiser","Hold","Holdt","Holinski","Holl","Holtfreter","Holz","Holzdeppe","Holzner","Hommel","Honz","Hooss","Hoppe","Horak","Horn","Horna","Hornung","Hort","Howard","Huber","Huckestein","Hudak","Huebel","Hugo","Huhn","Hujo","Huke","Huls","Humbert","Huneke","Huth","Häber","Häfner","Höcke","Höft","Höhne","Hönig","Hördt","Hübenbecker","Hübl","Hübner","Hügel","Hüttcher","Hütter","Ibe","Ihly","Illing","Isak","Isekenmeier","Itt","Jacob","Jacobs","Jagusch","Jahn","Jahnke","Jakobs","Jakubczyk","Jambor","Jamrozy","Jander","Janich","Janke","Jansen","Jarets","Jaros","Jasinski","Jasper","Jegorov","Jellinghaus","Jeorga","Jerschabek","Jess","John","Jonas","Jossa","Jucken","Jung","Jungbluth","Jungton","Just","Jürgens","Kaczmarek","Kaesmacher","Kahl","Kahlert","Kahles","Kahlmeyer","Kaiser","Kalinowski","Kallabis","Kallensee","Kampf","Kampschulte","Kappe","Kappler","Karhoff","Karrass","Karst","Karsten","Karus","Kass","Kasten","Kastner","Katzinski","Kaufmann","Kaul","Kausemann","Kawohl","Kazmarek","Kedzierski","Keil","Keiner","Keller","Kelm","Kempe","Kemper","Kempter","Kerl","Kern","Kesselring","Kesselschläger","Kette","Kettenis","Keutel","Kick","Kiessling","Kinadeter","Kinzel","Kinzy","Kirch","Kirst","Kisabaka","Klaas","Klabuhn","Klapper","Klauder","Klaus","Kleeberg","Kleiber","Klein","Kleinert","Kleininger","Kleinmann","Kleinsteuber","Kleiss","Klemme","Klimczak","Klinger","Klink","Klopsch","Klose","Kloss","Kluge","Kluwe","Knabe","Kneifel","Knetsch","Knies","Knippel","Knobel","Knoblich","Knoll","Knorr","Knorscheidt","Knut","Kobs","Koch","Kochan","Kock","Koczulla","Koderisch","Koehl","Koehler","Koenig","Koester","Kofferschlager","Koha","Kohle","Kohlmann","Kohnle","Kohrt","Koj","Kolb","Koleiski","Kolokas","Komoll","Konieczny","Konig","Konow","Konya","Koob","Kopf","Kosenkow","Koster","Koszewski","Koubaa","Kovacs","Kowalick","Kowalinski","Kozakiewicz","Krabbe","Kraft","Kral","Kramer","Krauel","Kraus","Krause","Krauspe","Kreb","Krebs","Kreissig","Kresse","Kreutz","Krieger","Krippner","Krodinger","Krohn","Krol","Kron","Krueger","Krug","Kruger","Krull","Kruschinski","Krämer","Kröckert","Kröger","Krüger","Kubera","Kufahl","Kuhlee","Kuhnen","Kulimann","Kulma","Kumbernuss","Kummle","Kunz","Kupfer","Kupprion","Kuprion","Kurnicki","Kurrat","Kurschilgen","Kuschewitz","Kuschmann","Kuske","Kustermann","Kutscherauer","Kutzner","Kwadwo","Kähler","Käther","Köhler","Köhrbrück","Köhre","Kölotzei","König","Köpernick","Köseoglu","Kúhn","Kúhnert","Kühn","Kühnel","Kühnemund","Kühnert","Kühnke","Küsters","Küter","Laack","Lack","Ladewig","Lakomy","Lammert","Lamos","Landmann","Lang","Lange","Langfeld","Langhirt","Lanig","Lauckner","Lauinger","Laurén","Lausecker","Laux","Laws","Lax","Leberer","Lehmann","Lehner","Leibold","Leide","Leimbach","Leipold","Leist","Leiter","Leiteritz","Leitheim","Leiwesmeier","Lenfers","Lenk","Lenz","Lenzen","Leo","Lepthin","Lesch","Leschnik","Letzelter","Lewin","Lewke","Leyckes","Lg","Lichtenfeld","Lichtenhagen","Lichtl","Liebach","Liebe","Liebich","Liebold","Lieder","Lienshöft","Linden","Lindenberg","Lindenmayer","Lindner","Linke","Linnenbaum","Lippe","Lipske","Lipus","Lischka","Lobinger","Logsch","Lohmann","Lohre","Lohse","Lokar","Loogen","Lorenz","Losch","Loska","Lott","Loy","Lubina","Ludolf","Lufft","Lukoschek","Lutje","Lutz","Löser","Löwa","Lübke","Maak","Maczey","Madetzky","Madubuko","Mai","Maier","Maisch","Malek","Malkus","Mallmann","Malucha","Manns","Manz","Marahrens","Marchewski","Margis","Markowski","Marl","Marner","Marquart","Marschek","Martel","Marten","Martin","Marx","Marxen","Mathes","Mathies","Mathiszik","Matschke","Mattern","Matthes","Matula","Mau","Maurer","Mauroff","May","Maybach","Mayer","Mebold","Mehl","Mehlhorn","Mehlorn","Meier","Meisch","Meissner","Meloni","Melzer","Menga","Menne","Mensah","Mensing","Merkel","Merseburg","Mertens","Mesloh","Metzger","Metzner","Mewes","Meyer","Michallek","Michel","Mielke","Mikitenko","Milde","Minah","Mintzlaff","Mockenhaupt","Moede","Moedl","Moeller","Moguenara","Mohr","Mohrhard","Molitor","Moll","Moller","Molzan","Montag","Moormann","Mordhorst","Morgenstern","Morhelfer","Moritz","Moser","Motchebon","Motzenbbäcker","Mrugalla","Muckenthaler","Mues","Muller","Mulrain","Mächtig","Mäder","Möcks","Mögenburg","Möhsner","Möldner","Möllenbeck","Möller","Möllinger","Mörsch","Mühleis","Müller","Münch","Nabein","Nabow","Nagel","Nannen","Nastvogel","Nau","Naubert","Naumann","Ne","Neimke","Nerius","Neubauer","Neubert","Neuendorf","Neumair","Neumann","Neupert","Neurohr","Neuschwander","Newton","Ney","Nicolay","Niedermeier","Nieklauson","Niklaus","Nitzsche","Noack","Nodler","Nolte","Normann","Norris","Northoff","Nowak","Nussbeck","Nwachukwu","Nytra","Nöh","Oberem","Obergföll","Obermaier","Ochs","Oeser","Olbrich","Onnen","Ophey","Oppong","Orth","Orthmann","Oschkenat","Osei","Osenberg","Ostendarp","Ostwald","Otte","Otto","Paesler","Pajonk","Pallentin","Panzig","Paschke","Patzwahl","Paukner","Peselman","Peter","Peters","Petzold","Pfeiffer","Pfennig","Pfersich","Pfingsten","Pflieger","Pflügner","Philipp","Pichlmaier","Piesker","Pietsch","Pingpank","Pinnock","Pippig","Pitschugin","Plank","Plass","Platzer","Plauk","Plautz","Pletsch","Plotzitzka","Poehn","Poeschl","Pogorzelski","Pohl","Pohland","Pohle","Polifka","Polizzi","Pollmächer","Pomp","Ponitzsch","Porsche","Porth","Poschmann","Poser","Pottel","Prah","Prange","Prediger","Pressler","Preuk","Preuss","Prey","Priemer","Proske","Pusch","Pöche","Pöge","Raabe","Rabenstein","Rach","Radtke","Rahn","Ranftl","Rangen","Ranz","Rapp","Rath","Rau","Raubuch","Raukuc","Rautenkranz","Rehwagen","Reiber","Reichardt","Reichel","Reichling","Reif","Reifenrath","Reimann","Reinberg","Reinelt","Reinhardt","Reinke","Reitze","Renk","Rentz","Renz","Reppin","Restle","Restorff","Retzke","Reuber","Reumann","Reus","Reuss","Reusse","Rheder","Rhoden","Richards","Richter","Riedel","Riediger","Rieger","Riekmann","Riepl","Riermeier","Riester","Riethmüller","Rietmüller","Rietscher","Ringel","Ringer","Rink","Ripken","Ritosek","Ritschel","Ritter","Rittweg","Ritz","Roba","Rockmeier","Rodehau","Rodowski","Roecker","Roggatz","Rohländer","Rohrer","Rokossa","Roleder","Roloff","Roos","Rosbach","Roschinsky","Rose","Rosenauer","Rosenbauer","Rosenthal","Rosksch","Rossberg","Rossler","Roth","Rother","Ruch","Ruckdeschel","Rumpf","Rupprecht","Ruth","Ryjikh","Ryzih","Rädler","Räntsch","Rödiger","Röse","Röttger","Rücker","Rüdiger","Rüter","Sachse","Sack","Saflanis","Sagafe","Sagonas","Sahner","Saile","Sailer","Salow","Salzer","Salzmann","Sammert","Sander","Sarvari","Sattelmaier","Sauer","Sauerland","Saumweber","Savoia","Scc","Schacht","Schaefer","Schaffarzik","Schahbasian","Scharf","Schedler","Scheer","Schelk","Schellenbeck","Schembera","Schenk","Scherbarth","Scherer","Schersing","Scherz","Scheurer","Scheuring","Scheytt","Schielke","Schieskow","Schildhauer","Schilling","Schima","Schimmer","Schindzielorz","Schirmer","Schirrmeister","Schlachter","Schlangen","Schlawitz","Schlechtweg","Schley","Schlicht","Schlitzer","Schmalzle","Schmid","Schmidt","Schmidtchen","Schmitt","Schmitz","Schmuhl","Schneider","Schnelting","Schnieder","Schniedermeier","Schnürer","Schoberg","Scholz","Schonberg","Schondelmaier","Schorr","Schott","Schottmann","Schouren","Schrader","Schramm","Schreck","Schreiber","Schreiner","Schreiter","Schroder","Schröder","Schuermann","Schuff","Schuhaj","Schuldt","Schult","Schulte","Schultz","Schultze","Schulz","Schulze","Schumacher","Schumann","Schupp","Schuri","Schuster","Schwab","Schwalm","Schwanbeck","Schwandke","Schwanitz","Schwarthoff","Schwartz","Schwarz","Schwarzer","Schwarzkopf","Schwarzmeier","Schwatlo","Schweisfurth","Schwennen","Schwerdtner","Schwidde","Schwirkschlies","Schwuchow","Schäfer","Schäffel","Schäffer","Schäning","Schöckel","Schönball","Schönbeck","Schönberg","Schönebeck","Schönenberger","Schönfeld","Schönherr","Schönlebe","Schötz","Schüler","Schüppel","Schütz","Schütze","Seeger","Seelig","Sehls","Seibold","Seidel","Seiders","Seigel","Seiler","Seitz","Semisch","Senkel","Sewald","Siebel","Siebert","Siegling","Sielemann","Siemon","Siener","Sievers","Siewert","Sihler","Sillah","Simon","Sinnhuber","Sischka","Skibicki","Sladek","Slotta","Smieja","Soboll","Sokolowski","Soller","Sollner","Sommer","Somssich","Sonn","Sonnabend","Spahn","Spank","Spelmeyer","Spiegelburg","Spielvogel","Spinner","Spitzmüller","Splinter","Sporrer","Sprenger","Spöttel","Stahl","Stang","Stanger","Stauss","Steding","Steffen","Steffny","Steidl","Steigauf","Stein","Steinecke","Steinert","Steinkamp","Steinmetz","Stelkens","Stengel","Stengl","Stenzel","Stepanov","Stephan","Stern","Steuk","Stief","Stifel","Stoll","Stolle","Stolz","Storl","Storp","Stoutjesdijk","Stratmann","Straub","Strausa","Streck","Streese","Strege","Streit","Streller","Strieder","Striezel","Strogies","Strohschank","Strunz","Strutz","Stube","Stöckert","Stöppler","Stöwer","Stürmer","Suffa","Sujew","Sussmann","Suthe","Sutschet","Swillims","Szendrei","Sören","Sürth","Tafelmeier","Tang","Tasche","Taufratshofer","Tegethof","Teichmann","Tepper","Terheiden","Terlecki","Teufel","Theele","Thieke","Thimm","Thiomas","Thomas","Thriene","Thränhardt","Thust","Thyssen","Thöne","Tidow","Tiedtke","Tietze","Tilgner","Tillack","Timmermann","Tischler","Tischmann","Tittman","Tivontschik","Tonat","Tonn","Trampeli","Trauth","Trautmann","Travan","Treff","Tremmel","Tress","Tsamonikian","Tschiers","Tschirch","Tuch","Tucholke","Tudow","Tuschmo","Tächl","Többen","Töpfer","Uhlemann","Uhlig","Uhrig","Uibel","Uliczka","Ullmann","Ullrich","Umbach","Umlauft","Umminger","Unger","Unterpaintner","Urban","Urbaniak","Urbansky","Urhig","Vahlensieck","Van","Vangermain","Vater","Venghaus","Verniest","Verzi","Vey","Viellehner","Vieweg","Voelkel","Vogel","Vogelgsang","Vogt","Voigt","Vokuhl","Volk","Volker","Volkmann","Von","Vona","Vontein","Wachenbrunner","Wachtel","Wagner","Waibel","Wakan","Waldmann","Wallner","Wallstab","Walter","Walther","Walton","Walz","Wanner","Wartenberg","Waschbüsch","Wassilew","Wassiluk","Weber","Wehrsen","Weidlich","Weidner","Weigel","Weight","Weiler","Weimer","Weis","Weiss","Weller","Welsch","Welz","Welzel","Weniger","Wenk","Werle","Werner","Werrmann","Wessel","Wessinghage","Weyel","Wezel","Wichmann","Wickert","Wiebe","Wiechmann","Wiegelmann","Wierig","Wiese","Wieser","Wilhelm","Wilky","Will","Willwacher","Wilts","Wimmer","Winkelmann","Winkler","Winter","Wischek","Wischer","Wissing","Wittich","Wittl","Wolf","Wolfarth","Wolff","Wollenberg","Wollmann","Woytkowska","Wujak","Wurm","Wyludda","Wölpert","Wöschler","Wühn","Wünsche","Zach","Zaczkiewicz","Zahn","Zaituc","Zandt","Zanner","Zapletal","Zauber","Zeidler","Zekl","Zender","Zeuch","Zeyen","Zeyhle","Ziegler","Zimanyi","Zimmer","Zimmermann","Zinser","Zintl","Zipp","Zipse","Zschunke","Zuber","Zwiener","Zümsande","Östringer","Überacker"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{nobility_title_prefix} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}"],"nobility_title_prefix":["zu","von","vom","von der"],"prefix":["Dr.","Prof. Dr."]},"phone_number":{"formats":["01 #######","01#######","+43-1-#######","+431#######","0#### ####","0#########","+43-####-####","+43 ########"]}}}); -I18n.translations["sk"] = I18n.extend((I18n.translations["sk"] || {}), {"faker":{"address":{"building_number":["#","##","###"],"city":["#{city_name}"],"city_name":["Bánovce nad Bebravou","Banská Bystrica","Banská Štiavnica","Bardejov","Bratislava I","Bratislava II","Bratislava III","Bratislava IV","Bratislava V","Brezno","Bytča","Čadca","Detva","Dolný Kubín","Dunajská Streda","Galanta","Gelnica","Hlohovec","Humenné","Ilava","Kežmarok","Komárno","Košice I","Košice II","Košice III","Košice IV","Košice-okolie","Krupina","Kysucké Nové Mesto","Levice","Levoča","Liptovský Mikuláš","Lučenec","Malacky","Martin","Medzilaborce","Michalovce","Myjava","Námestovo","Nitra","Nové Mesto n.Váhom","Nové Zámky","Partizánske","Pezinok","Piešťany","Poltár","Poprad","Považská Bystrica","Prešov","Prievidza","Púchov","Revúca","Rimavská Sobota","Rožňava","Ružomberok","Sabinov","Šaľa","Senec","Senica","Skalica","Snina","Sobrance","Spišská Nová Ves","Stará Ľubovňa","Stropkov","Svidník","Topoľčany","Trebišov","Trenčín","Trnava","Turčianske Teplice","Tvrdošín","Veľký Krtíš","Vranov nad Topľou","Žarnovica","Žiar nad Hronom","Žilina","Zlaté Moravce","Zvolen"],"city_prefix":["North","East","West","South","New","Lake","Port"],"city_suffix":["town","ton","land","ville","berg","burgh","borough","bury","view","port","mouth","stad","furt","chester","mouth","fort","haven","side","shire"],"country":["Afganistan","Afgánsky islamský štát","Albánsko","Albánska republika","Alžírsko","Alžírska demokratická ľudová republika","Andorra","Andorrské kniežatsvo","Angola","Angolská republika","Antigua a Barbuda","Antigua a Barbuda","Argentína","Argentínska republika","Arménsko","Arménska republika","Austrália","Austrálsky zväz","Azerbajdžan","Azerbajdžanská republika","Bahamy","Bahamské spoločenstvo","Bahrajn","Bahrajnské kráľovstvo","Bangladéš","Bangladéšska ľudová republika","Barbados","Barbados","Belgicko","Belgické kráľovstvo","Belize","Belize","Benin","Beninská republika","Bhután","Bhutánske kráľovstvo","Bielorusko","Bieloruská republika","Bolívia","Bolívijská republika","Bosna a Hercegovina","Republika Bosny a Hercegoviny","Botswana","Botswanská republika","Brazília","Brazílska federatívna republika","Brunej","Brunejský sultanát","Bulharsko","Bulharská republika","Burkina Faso","Burkina Faso","Burundi","Burundská republika","Cyprus","Cyperská republika","Čad","Republika Čad","Česko","Česká republika","Čína","Čínska ľudová republika","Dánsko","Dánsko kráľovstvo","Dominika","Spoločenstvo Dominika","Dominikánska republika","Dominikánska republika","Džibutsko","Džibutská republika","Egypt","Egyptská arabská republika","Ekvádor","Ekvádorská republika","Eritrea","Eritrejský štát","Estónsko","Estónska republika","Etiópia","Etiópska federatívna demokratická republika","Fidži","Republika ostrovy Fidži","Filipíny","Filipínska republika","Fínsko","Fínska republika","Francúzsko","Francúzska republika","Gabon","Gabonská republika","Gambia","Gambijská republika","Ghana","Ghanská republika","Grécko","Helénska republika","Grenada","Grenada","Gruzínsko","Gruzínsko","Guatemala","Guatemalská republika","Guinea","Guinejská republika","Guinea-Bissau","Republika Guinea-Bissau","Guayana","Guayanská republika","Haiti","Republika Haiti","Holandsko","Holandské kráľovstvo","Honduras","Honduraská republika","Chile","Čílska republika","Chorvátsko","Chorvátska republika","India","Indická republika","Indonézia","Indonézska republika","Irak","Iracká republika","Irán","Iránska islamská republika","Island","Islandská republika","Izrael","Štát Izrael","Írsko","Írska republika","Jamajka","Jamajka","Japonsko","Japonsko","Jemen","Jemenská republika","Jordánsko","Jordánske hášimovské kráľovstvo","Južná Afrika","Juhoafrická republika","Kambodža","Kambodžské kráľovstvo","Kamerun","Kamerunská republika","Kanada","Kanada","Kapverdy","Kapverdská republika","Katar","Štát Katar","Kazachstan","Kazašská republika","Keňa","Kenská republika","Kirgizsko","Kirgizská republika","Kiribati","Kiribatská republika","Kolumbia","Kolumbijská republika","Komory","Komorská únia","Kongo","Konžská demokratická republika","Kongo (\"Brazzaville\")","Konžská republika","Kórea (\"Južná\")","Kórejská republika","Kórea (\"Severná\")","Kórejská ľudovodemokratická republika","Kostarika","Kostarická republika","Kuba","Kubánska republika","Kuvajt","Kuvajtský štát","Laos","Laoská ľudovodemokratická republika","Lesotho","Lesothské kráľovstvo","Libanon","Libanonská republika","Libéria","Libérijská republika","Líbya","Líbyjská arabská ľudová socialistická džamáhírija","Lichtenštajnsko","Lichtenštajnské kniežatstvo","Litva","Litovská republika","Lotyšsko","Lotyšská republika","Luxembursko","Luxemburské veľkovojvodstvo","Macedónsko","Macedónska republika","Madagaskar","Madagaskarská republika","Maďarsko","Maďarská republika","Malajzia","Malajzia","Malawi","Malawijská republika","Maldivy","Maldivská republika","Mali","Malijská republika","Malta","Malta","Maroko","Marocké kráľovstvo","Marshallove ostrovy","Republika Marshallových ostrovy","Mauritánia","Mauritánska islamská republika","Maurícius","Maurícijská republika","Mexiko","Spojené štáty mexické","Mikronézia","Mikronézske federatívne štáty","Mjanmarsko","Mjanmarský zväz","Moldavsko","Moldavská republika","Monako","Monacké kniežatstvo","Mongolsko","Mongolsko","Mozambik","Mozambická republika","Namíbia","Namíbijská republika","Nauru","Naurská republika","Nemecko","Nemecká spolková republika","Nepál","Nepálske kráľovstvo","Niger","Nigerská republika","Nigéria","Nigérijská federatívna republika","Nikaragua","Nikaragujská republika","Nový Zéland","Nový Zéland","Nórsko","Nórske kráľovstvo","Omán","Ománsky sultanát","Pakistan","Pakistanská islamská republika","Palau","Palauská republika","Panama","Panamská republika","Papua-Nová Guinea","Nezávislý štát Papua-Nová Guinea","Paraguaj","Paraguajská republika","Peru","Peruánska republika","Pobrežie Slonoviny","Republika Pobrežie Slonoviny","Poľsko","Poľská republika","Portugalsko","Portugalská republika","Rakúsko","Rakúska republika","Rovníková Guinea","Republika Rovníková Guinea","Rumunsko","Rumunsko","Rusko","Ruská federácia","Rwanda","Rwandská republika","Salvádor","Salvádorská republika","Samoa","Nezávislý štát Samoa","San Maríno","Sanmarínska republika","Saudská Arábia","Kráľovstvo Saudskej Arábie","Senegal","Senegalská republika","Seychely","Seychelská republika","Sierra Leone","Republika Sierra Leone","Singapur","Singapurska republika","Slovensko","Slovenská republika","Slovinsko","Slovinská republika","Somálsko","Somálska demokratická republika","Spojené arabské emiráty","Spojené arabské emiráty","Spojené štáty americké","Spojené štáty americké","Srbsko a Čierna Hora","Srbsko a Čierna Hora","Srí Lanka","Demokratická socialistická republika Srí Lanka","Stredoafrická republika","Stredoafrická republika","Sudán","Sudánska republika","Surinam","Surinamská republika","Svazijsko","Svazijské kráľovstvo","Svätá Lucia","Svätá Lucia","Svätý Krištof a Nevis","Federácia Svätý Krištof a Nevis","Sv. Tomáš a Princov Ostrov","Demokratická republika Svätý Tomáš a Princov Ostrov","Sv. Vincent a Grenadíny","Svätý Vincent a Grenadíny","Sýria","Sýrska arabská republika","Šalamúnove ostrovy","Šalamúnove ostrovy","Španielsko","Španielske kráľovstvo","Švajčiarsko","Švajčiarska konfederácia","Švédsko","Švédske kráľovstvo","Tadžikistan","Tadžická republika","Taliansko","Talianska republika","Tanzánia","Tanzánijská zjednotená republika","Thajsko","Thajské kráľovstvo","Togo","Tožská republika","Tonga","Tonžské kráľovstvo","Trinidad a Tobago","Republika Trinidad a Tobago","Tunisko","Tuniská republika","Turecko","Turecká republika","Turkménsko","Turkménsko","Tuvalu","Tuvalu","Uganda","Ugandská republika","Ukrajina","Uruguaj","Uruguajská východná republika","Uzbekistan","Vanuatu","Vanuatská republika","Vatikán","Svätá Stolica","Veľká Británia","Spojené kráľovstvo Veľkej Británie a Severného Írska","Venezuela","Venezuelská bolívarovská republika","Vietnam","Vietnamská socialistická republika","Východný Timor","Demokratická republika Východný Timor","Zambia","Zambijská republika","Zimbabwe","Zimbabwianska republika"],"default_country":["Slovensko"],"postcode":["#####","### ##","## ###"],"secondary_address":["Apt. ###","Suite ###"],"state":["Bratislavský","Trnavský","Trenčiansky","Nitriansky","Žilinský","Banskobystrický","Prešovský","Košický"],"state_abbr":["BA","TT","TN","NR","ZA","BB","PO","KI"],"street":["Adámiho","Ahoj","Albína Brunovského","Albrechtova","Alejová","Alešova","Alibernetová","Alžbetínska","Alžbety Gwerkovej","Ambroseho","Ambrušova","Americká","Americké námestie","Americké námestie","Andreja Mráza","Andreja Plávku","Andrusovova","Anenská","Anenská","Antolská","Astronomická","Astrová","Azalková","Azovská","Babuškova","Bachova","Bajkalská","Bajkalská","Bajkalská","Bajkalská","Bajkalská","Bajkalská","Bajzova","Bancíkovej","Banícka","Baníkova","Banskobystrická","Banšelova","Bardejovská","Bartókova","Bartoňova","Bartoškova","Baštová","Bazová","Bažantia","Beblavého","Beckovská","Bedľová","Belániková","Belehradská","Belinského","Belopotockého","Beňadická","Bencúrova","Benediktiho","Beniakova","Bernolákova","Beskydská","Betliarska","Bezručova","Biela","Bielkova","Björnsonova","Blagoevova","Blatnická","Blumentálska","Blyskáčová","Bočná","Bohrova","Bohúňova","Bojnická","Borodáčova","Borská","Bosákova","Botanická","Bottova","Boženy Němcovej","Bôrik","Bradáčova","Bradlianska","Brančská","Bratská","Brestová","Brezovská","Briežky","Brnianska","Brodná","Brodská","Broskyňová","Břeclavská","Budatínska","Budatínska","Budatínska","Búdkova cesta","Budovateľská","Budyšínska","Budyšínska","Buková","Bukureštská","Bulharská","Bulíkova","Bystrého","Bzovícka","Cablkova","Cesta na Červený most","Cesta na Červený most","Cesta na Senec","Cikkerova","Cintorínska","Cintulova","Cukrová","Cyrilova","Čajakova","Čajkovského","Čaklovská","Čalovská","Čapajevova","Čapkova","Čárskeho","Čavojského","Čečinová","Čelakovského","Čerešňová","Černyševského","Červeňova","Česká","Československých par","Čipkárska","Čmelíkova","Čmeľovec","Čulenova","Daliborovo námestie","Dankovského","Dargovská","Ďatelinová","Daxnerovo námestie","Devínska cesta","Dlhé diely I.","Dlhé diely II.","Dlhé diely III.","Dobrovičova","Dobrovičova","Dobrovského","Dobšinského","Dohnalova","Dohnányho","Doležalova","Dolná","Dolnozemská cesta","Domkárska","Domové role","Donnerova","Donovalova","Dostojevského rad","Dr. Vladimíra Clemen","Drevená","Drieňová","Drieňová","Drieňová","Drotárska cesta","Drotárska cesta","Drotárska cesta","Družicová","Družstevná","Dubnická","Dubová","Dúbravská cesta","Dudova","Dulovo námestie","Dulovo námestie","Dunajská","Dvořákovo nábrežie","Edisonova","Einsteinova","Elektrárenská","Exnárova","F. Kostku","Fadruszova","Fajnorovo nábrežie","Fándlyho","Farebná","Farská","Farského","Fazuľová","Fedinova","Ferienčíkova","Fialkové údolie","Fibichova","Filiálne nádražie","Flöglova","Floriánske námestie","Fraňa Kráľa","Francisciho","Francúzskych partizá","Františkánska","Františkánske námest","Furdekova","Furdekova","Gabčíkova","Gagarinova","Gagarinova","Gagarinova","Gajova","Galaktická","Galandova","Gallova","Galvaniho","Gašparíkova","Gaštanová","Gavlovičova","Gemerská","Gercenova","Gessayova","Gettingová","Godrova","Gogoľova","Goláňova","Gondova","Goralská","Gorazdova","Gorkého","Gregorovej","Grösslingova","Gruzínska","Gunduličova","Gusevova","Haanova","Haburská","Halašova","Hálkova","Hálova","Hamuliakova","Hanácka","Handlovská","Hany Meličkovej","Harmanecká","Hasičská","Hattalova","Havlíčkova","Havrania","Haydnova","Herlianska","Herlianska","Heydukova","Hlaváčikova","Hlavatého","Hlavné námestie","Hlboká cesta","Hlboká cesta","Hlivová","Hlučínska","Hodálova","Hodžovo námestie","Holekova","Holíčska","Hollého","Holubyho","Hontianska","Horárska","Horné Židiny","Horská","Horská","Hrad","Hradné údolie","Hrachová","Hraničná","Hrebendova","Hríbová","Hriňovská","Hrobákova","Hrobárska","Hroboňova","Hudecova","Humenské námestie","Hummelova","Hurbanovo námestie","Hurbanovo námestie","Hviezdoslavovo námes","Hýrošova","Chalupkova","Chemická","Chlumeckého","Chorvátska","Chorvátska","Iľjušinova","Ilkovičova","Inovecká","Inovecká","Iskerníková","Ivana Horvátha","Ivánska cesta","J.C.Hronského","Jabloňová","Jadrová","Jakabova","Jakubovo námestie","Jamnického","Jána Stanislava","Janáčkova","Jančova","Janíkove role","Jankolova","Jánošíkova","Jánoškova","Janotova","Jánska","Jantárová cesta","Jarabinková","Jarná","Jaroslavova","Jarošova","Jaseňová","Jasná","Jasovská","Jastrabia","Jašíkova","Javorinská","Javorová","Jazdecká","Jedlíkova","Jégého","Jelačičova","Jelenia","Jesenná","Jesenského","Jiráskova","Jiskrova","Jozefská","Junácka","Jungmannova","Jurigovo námestie","Jurovského","Jurská","Justičná","K lomu","K Železnej studienke","Kalinčiakova","Kamenárska","Kamenné námestie","Kapicova","Kapitulská","Kapitulský dvor","Kapucínska","Kapušianska","Karadžičova","Karadžičova","Karadžičova","Karadžičova","Karloveská","Karloveské rameno","Karpatská","Kašmírska","Kaštielska","Kaukazská","Kempelenova","Kežmarské námestie","Kladnianska","Klariská","Kláštorská","Klatovská","Klatovská","Klemensova","Klincová","Klobučnícka","Klokočova","Kľukatá","Kmeťovo námestie","Koceľova","Kočánkova","Kohútova","Kolárska","Kolískova","Kollárovo námestie","Kollárovo námestie","Kolmá","Komárňanská","Komárnická","Komárnická","Komenského námestie","Kominárska","Komonicová","Konopná","Konvalinková","Konventná","Kopanice","Kopčianska","Koperníkova","Korabinského","Koreničova","Kostlivého","Kostolná","Košická","Košická","Košická","Kováčska","Kovorobotnícka","Kozia","Koziarka","Kozmonautická","Krajná","Krakovská","Kráľovské údolie","Krasinského","Kraskova","Krásna","Krásnohorská","Krasovského","Krátka","Krčméryho","Kremnická","Kresánkova","Krivá","Križkova","Krížna","Krížna","Krížna","Krížna","Krmanova","Krompašská","Krupinská","Krupkova","Kubániho","Kubínska","Kuklovská","Kukučínova","Kukuričná","Kulíškova","Kultúrna","Kupeckého","Kúpeľná","Kutlíkova","Kutuzovova","Kuzmányho","Kvačalova","Kvetná","Kýčerského","Kyjevská","Kysucká","Laborecká","Lackova","Ladislava Sáru","Ľadová","Lachova","Ľaliová","Lamačská cesta","Lamačská cesta","Lamanského","Landererova","Langsfeldova","Ľanová","Laskomerského","Laučekova","Laurinská","Lazaretská","Lazaretská","Legerského","Legionárska","Legionárska","Lehockého","Lehockého","Lenardova","Lermontovova","Lesná","Leškova","Letecká","Letisko M.R.Štefánik","Letná","Levárska","Levická","Levočská","Lidická","Lietavská","Lichardova","Lipová","Lipovinová","Liptovská","Listová","Líščie nivy","Líščie údolie","Litovská","Lodná","Lombardiniho","Lomonosovova","Lopenícka","Lovinského","Ľubietovská","Ľubinská","Ľubľanská","Ľubochnianska","Ľubovnianska","Lúčna","Ľudové námestie","Ľudovíta Fullu","Luhačovická","Lužická","Lužná","Lýcejná","Lykovcová","M. Hella","Magnetová","Macharova","Majakovského","Majerníkova","Májkova","Májová","Makovického","Malá","Malé pálenisko","Malinová","Malý Draždiak","Malý trh","Mamateyova","Mamateyova","Mánesovo námestie","Mariánska","Marie Curie-Sklodows","Márie Medveďovej","Markova","Marótyho","Martákovej","Martinčekova","Martinčekova","Martinengova","Martinská","Mateja Bela","Matejkova","Matičná","Matúšova","Medená","Medzierka","Medzilaborecká","Merlotová","Mesačná","Mestská","Meteorová","Metodova","Mickiewiczova","Mierová","Michalská","Mikovíniho","Mikulášska","Miletičova","Miletičova","Mišíkova","Mišíkova","Mišíkova","Mliekárenská","Mlynarovičova","Mlynská dolina","Mlynská dolina","Mlynská dolina","Mlynské luhy","Mlynské nivy","Mlynské nivy","Mlynské nivy","Mlynské nivy","Mlynské nivy","Mlyny","Modranská","Mojmírova","Mokráň záhon","Mokrohájska cesta","Moldavská","Molecova","Moravská","Moskovská","Most SNP","Mostová","Mošovského","Motýlia","Moyzesova","Mozartova","Mraziarenská","Mudroňova","Mudroňova","Mudroňova","Muchovo námestie","Murgašova","Muškátová","Muštová","Múzejná","Myjavská","Mýtna","Mýtna","Na Baránku","Na Brezinách","Na Hrebienku","Na Kalvárii","Na Kampárke","Na kopci","Na križovatkách","Na lánoch","Na paši","Na piesku","Na Riviére","Na Sitine","Na Slavíne","Na stráni","Na Štyridsiatku","Na úvrati","Na vŕšku","Na výslní","Nábělkova","Nábrežie arm. gen. L","Nábrežná","Nad Dunajom","Nad lomom","Nad lúčkami","Nad lúčkami","Nad ostrovom","Nad Sihoťou","Námestie 1. mája","Námestie Alexandra D","Námestie Biely kríž","Námestie Hraničiarov","Námestie Jána Pavla","Námestie Ľudovíta Št","Námestie Martina Ben","Nám. M.R.Štefánika","Námestie slobody","Námestie slobody","Námestie SNP","Námestie SNP","Námestie sv. Františ","Narcisová","Nedbalova","Nekrasovova","Neronetová","Nerudova","Nevädzová","Nezábudková","Niťová","Nitrianska","Nížinná","Nobelova","Nobelovo námestie","Nová","Nová Rožňavská","Novackého","Nové pálenisko","Nové záhrady I","Nové záhrady II","Nové záhrady III","Nové záhrady IV","Nové záhrady V","Nové záhrady VI","Nové záhrady VII","Novinárska","Novobanská","Novohradská","Novosvetská","Novosvetská","Novosvetská","Obežná","Obchodná","Očovská","Odbojárov","Odborárska","Odborárske námestie","Odborárske námestie","Ohnicová","Okánikova","Okružná","Olbrachtova","Olejkárska","Ondavská","Ondrejovova","Oravská","Orechová cesta","Orechový rad","Oriešková","Ormisova","Osadná","Ostravská","Ostredková","Osuského","Osvetová","Otonelská","Ovručská","Ovsištské námestie","Pajštúnska","Palackého","Palárikova","Palárikova","Pálavská","Palisády","Palisády","Palisády","Palkovičova","Panenská","Pankúchova","Panónska cesta","Panská","Papánkovo námestie","Papraďová","Páričkova","Parková","Partizánska","Pasienky","Paulínyho","Pavlovičova","Pavlovova","Pavlovská","Pažického","Pažítková","Pečnianska","Pernecká","Pestovateľská","Peterská","Petzvalova","Pezinská","Piesočná","Piešťanská","Pifflova","Pilárikova","Pionierska","Pivoňková","Planckova","Planét","Plátenícka","Pluhová","Plynárenská","Plzenská","Pobrežná","Pod Bôrikom","Pod Kalváriou","Pod lesom","Pod Rovnicami","Pod vinicami","Podhorského","Podjavorinskej","Podlučinského","Podniková","Podtatranského","Pohronská","Polárna","Poloreckého","Poľná","Poľská","Poludníková","Porubského","Poštová","Považská","Povraznícka","Povraznícka","Pražská","Predstaničné námesti","Prepoštská","Prešernova","Prešovská","Prešovská","Prešovská","Pri Bielom kríži","Pri dvore","Pri Dynamitke","Pri Habánskom mlyne","Pri hradnej studni","Pri seči","Pri Starej Prachárni","Pri Starom háji","Pri Starom Mýte","Pri strelnici","Pri Suchom mlyne","Pri zvonici","Pribinova","Pribinova","Pribinova","Pribišova","Pribylinská","Priečna","Priekopy","Priemyselná","Priemyselná","Prievozská","Prievozská","Prievozská","Príkopova","Primaciálne námestie","Prístav","Prístavná","Prokofievova","Prokopa Veľkého","Prokopova","Prúdová","Prvosienková","Púpavová","Pustá","Puškinova","Račianska","Račianska","Račianske mýto","Radarová","Rádiová","Radlinského","Radničná","Radničné námestie","Radvanská","Rajská","Raketová","Rákosová","Rastislavova","Rázusovo nábrežie","Repná","Rešetkova","Revolučná","Révová","Revúcka","Rezedová","Riazanská","Riazanská","Ribayová","Riečna","Rigeleho","Rízlingová","Riznerova","Robotnícka","Romanova","Röntgenova","Rosná","Rovná","Rovniankova","Rovníková","Rozmarínová","Rožňavská","Rožňavská","Rožňavská","Rubinsteinova","Rudnayovo námestie","Rumančeková","Rusovská cesta","Ružičková","Ružinovská","Ružinovská","Ružinovská","Ružomberská","Ružová dolina","Ružová dolina","Rybárska brána","Rybné námestie","Rýdziková","Sabinovská","Sabinovská","Sad Janka Kráľa","Sadová","Sartorisova","Sasinkova","Seberíniho","Sečovská","Sedlárska","Sedmokrásková","Segnerova","Sekulská","Semianova","Senická","Senná","Schillerova","Schody pri starej vo","Sibírska","Sienkiewiczova","Silvánska","Sinokvetná","Skalická cesta","Skalná","Sklenárova","Sklenárska","Sládkovičova","Sladová","Slávičie údolie","Slavín","Slepá","Sliačska","Sliezska","Slivková","Slnečná","Slovanská","Slovinská","Slovnaftská","Slowackého","Smetanova","Smikova","Smolenická","Smolnícka","Smrečianska","Soferove schody","Socháňova","Sokolská","Solivarská","Sološnická","Somolického","Somolického","Sosnová","Spišská","Spojná","Spoločenská","Sputniková","Sreznevského","Srnčia","Stachanovská","Stálicová","Staničná","Stará Černicová","Stará Ivánska cesta","Stará Prievozská","Stará Vajnorská","Stará vinárska","Staré Grunty","Staré ihrisko","Staré záhrady","Starhradská","Starohájska","Staromestská","Staroturský chodník","Staviteľská","Stodolova","Stoklasová","Strakova","Strážnická","Strážny dom","Strečnianska","Stredná","Strelecká","Strmá cesta","Strojnícka","Stropkovská","Struková","Studená","Stuhová","Súbežná","Súhvezdná","Suché mýto","Suchohradská","Súkennícka","Súľovská","Sumbalova","Súmračná","Súťažná","Svätého Vincenta","Svätoplukova","Svätoplukova","Svätovojtešská","Svetlá","Svíbová","Svidnícka","Svoradova","Svrčia","Syslia","Šafárikovo námestie","Šafárikovo námestie","Šafránová","Šagátova","Šalviová","Šancová","Šancová","Šancová","Šancová","Šándorova","Šarišská","Šášovská","Šaštínska","Ševčenkova","Šintavská","Šípková","Škarniclova","Školská","Škovránčia","Škultétyho","Šoltésovej","Špieszova","Špitálska","Športová","Šrobárovo námestie","Šťastná","Štedrá","Štefánikova","Štefánikova","Štefánikova","Štefanovičova","Štefunkova","Štetinova","Štiavnická","Štúrova","Štyndlova","Šulekova","Šulekova","Šulekova","Šumavská","Šuňavcova","Šustekova","Švabinského","Tabaková","Tablicova","Táborská","Tajovského","Tallerova","Tehelná","Technická","Tekovská","Telocvičná","Tematínska","Teplická","Terchovská","Teslova","Tetmayerova","Thurzova","Tichá","Tilgnerova","Timravina","Tobrucká","Tokajícka","Tolstého","Tománkova","Tomášikova","Tomášikova","Tomášikova","Tomášikova","Tomášikova","Topoľčianska","Topoľová","Továrenská","Trebišovská","Trebišovská","Trebišovská","Trenčianska","Treskoňova","Trnavská cesta","Trnavská cesta","Trnavská cesta","Trnavská cesta","Trnavská cesta","Trnavské mýto","Tŕňová","Trojdomy","Tučkova","Tupolevova","Turbínova","Turčianska","Turnianska","Tvarožkova","Tylova","Tyršovo nábrežie","Údernícka","Údolná","Uhorková","Ukrajinská","Ulica 29. augusta","Ulica 29. augusta","Ulica 29. augusta","Ulica 29. augusta","Ulica Imricha Karvaš","Ulica Jozefa Krónera","Ulica Viktora Tegelh","Úprkova","Úradnícka","Uránová","Urbánkova","Ursínyho","Uršulínska","Úzka","V záhradách","Vajanského nábrežie","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Vajnorská","Valašská","Valchárska","Vansovej","Vápenná","Varínska","Varšavská","Varšavská","Vavilovova","Vavrínova","Vazovova","Včelárska","Velehradská","Veltlínska","Ventúrska","Veterná","Veternicová","Vetvová","Viedenská cesta","Viedenská cesta","Vietnamská","Vígľašská","Vihorlatská","Viktorínova","Vilová","Vincenta Hložníka","Vínna","Vlastenecké námestie","Vlčkova","Vlčkova","Vlčkova","Vodný vrch","Votrubova","Vrábeľská","Vrakunská cesta","Vranovská","Vretenová","Vrchná","Vrútocká","Vyhliadka","Vyhnianska cesta","Vysoká","Vyšehradská","Vyšná","Wattova","Wilsonova","Wolkrova","Za Kasárňou","Za sokolovňou","Za Stanicou","Za tehelňou","Záborského","Zadunajská cesta","Záhorácka","Záhradnícka","Záhradnícka","Záhradnícka","Záhradnícka","Záhrebská","Záhrebská","Zálužická","Zámocká","Zámocké schody","Zámočnícka","Západná","Západný rad","Záporožská","Zátišie","Závodníkova","Zelená","Zelinárska","Zimná","Zlaté piesky","Zlaté schody","Znievska","Zohorská","Zochova","Zrinského","Zvolenská","Žabí majer","Žabotova","Žehrianska","Železná","Železničiarska","Žellova","Žiarska","Židovská","Žilinská","Žilinská","Živnostenská","Žižkova","Župné námestie"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street}"],"time_zone":["Pacific/Midway","Pacific/Pago_Pago","Pacific/Honolulu","America/Juneau","America/Los_Angeles","America/Tijuana","America/Denver","America/Phoenix","America/Chihuahua","America/Mazatlan","America/Chicago","America/Regina","America/Mexico_City","America/Mexico_City","America/Monterrey","America/Guatemala","America/New_York","America/Indiana/Indianapolis","America/Bogota","America/Lima","America/Lima","America/Halifax","America/Caracas","America/La_Paz","America/Santiago","America/St_Johns","America/Sao_Paulo","America/Argentina/Buenos_Aires","America/Guyana","America/Godthab","Atlantic/South_Georgia","Atlantic/Azores","Atlantic/Cape_Verde","Europe/Dublin","Europe/London","Europe/Lisbon","Europe/London","Africa/Casablanca","Africa/Monrovia","Etc/UTC","Europe/Belgrade","Europe/Bratislava","Europe/Budapest","Europe/Ljubljana","Europe/Prague","Europe/Sarajevo","Europe/Skopje","Europe/Warsaw","Europe/Zagreb","Europe/Brussels","Europe/Copenhagen","Europe/Madrid","Europe/Paris","Europe/Amsterdam","Europe/Berlin","Europe/Berlin","Europe/Rome","Europe/Stockholm","Europe/Vienna","Africa/Algiers","Europe/Bucharest","Africa/Cairo","Europe/Helsinki","Europe/Kiev","Europe/Riga","Europe/Sofia","Europe/Tallinn","Europe/Vilnius","Europe/Athens","Europe/Istanbul","Europe/Minsk","Asia/Jerusalem","Africa/Harare","Africa/Johannesburg","Europe/Moscow","Europe/Moscow","Europe/Moscow","Asia/Kuwait","Asia/Riyadh","Africa/Nairobi","Asia/Baghdad","Asia/Tehran","Asia/Muscat","Asia/Muscat","Asia/Baku","Asia/Tbilisi","Asia/Yerevan","Asia/Kabul","Asia/Yekaterinburg","Asia/Karachi","Asia/Karachi","Asia/Tashkent","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kathmandu","Asia/Dhaka","Asia/Dhaka","Asia/Colombo","Asia/Almaty","Asia/Novosibirsk","Asia/Rangoon","Asia/Bangkok","Asia/Bangkok","Asia/Jakarta","Asia/Krasnoyarsk","Asia/Shanghai","Asia/Chongqing","Asia/Hong_Kong","Asia/Urumqi","Asia/Kuala_Lumpur","Asia/Singapore","Asia/Taipei","Australia/Perth","Asia/Irkutsk","Asia/Ulaanbaatar","Asia/Seoul","Asia/Tokyo","Asia/Tokyo","Asia/Tokyo","Asia/Yakutsk","Australia/Darwin","Australia/Adelaide","Australia/Melbourne","Australia/Melbourne","Australia/Sydney","Australia/Brisbane","Australia/Hobart","Asia/Vladivostok","Pacific/Guam","Pacific/Port_Moresby","Asia/Magadan","Asia/Magadan","Pacific/Noumea","Pacific/Fiji","Asia/Kamchatka","Pacific/Majuro","Pacific/Auckland","Pacific/Auckland","Pacific/Tongatapu","Pacific/Fakaofo","Pacific/Apia"]},"company":{"bs":[["implement","utilize","integrate","streamline","optimize","evolve","transform","embrace","enable","orchestrate","leverage","reinvent","aggregate","architect","enhance","incentivize","morph","empower","envisioneer","monetize","harness","facilitate","seize","disintermediate","synergize","strategize","deploy","brand","grow","target","syndicate","synthesize","deliver","mesh","incubate","engage","maximize","benchmark","expedite","reintermediate","whiteboard","visualize","repurpose","innovate","scale","unleash","drive","extend","engineer","revolutionize","generate","exploit","transition","e-enable","iterate","cultivate","matrix","productize","redefine","recontextualize"],["clicks-and-mortar","value-added","vertical","proactive","robust","revolutionary","scalable","leading-edge","innovative","intuitive","strategic","e-business","mission-critical","sticky","one-to-one","24/7","end-to-end","global","B2B","B2C","granular","frictionless","virtual","viral","dynamic","24/365","best-of-breed","killer","magnetic","bleeding-edge","web-enabled","interactive","dot-com","sexy","back-end","real-time","efficient","front-end","distributed","seamless","extensible","turn-key","world-class","open-source","cross-platform","cross-media","synergistic","bricks-and-clicks","out-of-the-box","enterprise","integrated","impactful","wireless","transparent","next-generation","cutting-edge","user-centric","visionary","customized","ubiquitous","plug-and-play","collaborative","compelling","holistic","rich"],["synergies","web-readiness","paradigms","markets","partnerships","infrastructures","platforms","initiatives","channels","eyeballs","communities","ROI","solutions","e-tailers","e-services","action-items","portals","niches","technologies","content","vortals","supply-chains","convergence","relationships","architectures","interfaces","e-markets","e-commerce","systems","bandwidth","infomediaries","models","mindshare","deliverables","users","schemas","networks","applications","metrics","e-business","functionalities","experiences","web services","methodologies"]],"buzzwords":[["Adaptive","Advanced","Ameliorated","Assimilated","Automated","Balanced","Business-focused","Centralized","Cloned","Compatible","Configurable","Cross-group","Cross-platform","Customer-focused","Customizable","Decentralized","De-engineered","Devolved","Digitized","Distributed","Diverse","Down-sized","Enhanced","Enterprise-wide","Ergonomic","Exclusive","Expanded","Extended","Face to face","Focused","Front-line","Fully-configurable","Function-based","Fundamental","Future-proofed","Grass-roots","Horizontal","Implemented","Innovative","Integrated","Intuitive","Inverse","Managed","Mandatory","Monitored","Multi-channelled","Multi-lateral","Multi-layered","Multi-tiered","Networked","Object-based","Open-architected","Open-source","Operative","Optimized","Optional","Organic","Organized","Persevering","Persistent","Phased","Polarised","Pre-emptive","Proactive","Profit-focused","Profound","Programmable","Progressive","Public-key","Quality-focused","Reactive","Realigned","Re-contextualized","Re-engineered","Reduced","Reverse-engineered","Right-sized","Robust","Seamless","Secured","Self-enabling","Sharable","Stand-alone","Streamlined","Switchable","Synchronised","Synergistic","Synergized","Team-oriented","Total","Triple-buffered","Universal","Up-sized","Upgradable","User-centric","User-friendly","Versatile","Virtual","Visionary","Vision-oriented"],["24 hour","24/7","3rd generation","4th generation","5th generation","6th generation","actuating","analyzing","asymmetric","asynchronous","attitude-oriented","background","bandwidth-monitored","bi-directional","bifurcated","bottom-line","clear-thinking","client-driven","client-server","coherent","cohesive","composite","context-sensitive","contextually-based","content-based","dedicated","demand-driven","didactic","directional","discrete","disintermediate","dynamic","eco-centric","empowering","encompassing","even-keeled","executive","explicit","exuding","fault-tolerant","foreground","fresh-thinking","full-range","global","grid-enabled","heuristic","high-level","holistic","homogeneous","human-resource","hybrid","impactful","incremental","intangible","interactive","intermediate","leading edge","local","logistical","maximized","methodical","mission-critical","mobile","modular","motivating","multimedia","multi-state","multi-tasking","national","needs-based","neutral","next generation","non-volatile","object-oriented","optimal","optimizing","radical","real-time","reciprocal","regional","responsive","scalable","secondary","solution-oriented","stable","static","systematic","systemic","system-worthy","tangible","tertiary","transitional","uniform","upward-trending","user-facing","value-added","web-enabled","well-modulated","zero administration","zero defect","zero tolerance"],["ability","access","adapter","algorithm","alliance","analyzer","application","approach","architecture","archive","artificial intelligence","array","attitude","benchmark","budgetary management","capability","capacity","challenge","circuit","collaboration","complexity","concept","conglomeration","contingency","core","customer loyalty","database","data-warehouse","definition","emulation","encoding","encryption","extranet","firmware","flexibility","focus group","forecast","frame","framework","function","functionalities","Graphic Interface","groupware","Graphical User Interface","hardware","help-desk","hierarchy","hub","implementation","info-mediaries","infrastructure","initiative","installation","instruction set","interface","internet solution","intranet","knowledge user","knowledge base","local area network","leverage","matrices","matrix","methodology","middleware","migration","model","moderator","monitoring","moratorium","neural-net","open architecture","open system","orchestration","paradigm","parallelism","policy","portal","pricing structure","process improvement","product","productivity","project","projection","protocol","secured line","service-desk","software","solution","standardization","strategy","structure","success","superstructure","support","synergy","system engine","task-force","throughput","time-frame","toolset","utilisation","website","workforce"]],"name":["#{Name.last_name} #{suffix}","#{Name.last_name} #{suffix}","#{Name.man_last_name} a #{Name.man_last_name} #{suffix}"],"suffix":["s.r.o.","a.s.","v.o.s."]},"internet":{"domain_suffix":["sk","com","net","eu","org"],"free_email":["gmail.com","zoznam.sk","azet.sk"]},"lorem":{"supplemental":["abbas","abduco","abeo","abscido","absconditus","absens","absorbeo","absque","abstergo","absum","abundans","abutor","accedo","accendo","acceptus","accipio","accommodo","accusator","acer","acerbitas","acervus","acidus","acies","acquiro","acsi","adamo","adaugeo","addo","adduco","ademptio","adeo","adeptio","adfectus","adfero","adficio","adflicto","adhaero","adhuc","adicio","adimpleo","adinventitias","adipiscor","adiuvo","administratio","admiratio","admitto","admoneo","admoveo","adnuo","adopto","adsidue","adstringo","adsuesco","adsum","adulatio","adulescens","adultus","aduro","advenio","adversus","advoco","aedificium","aeger","aegre","aegrotatio","aegrus","aeneus","aequitas","aequus","aer","aestas","aestivus","aestus","aetas","aeternus","ager","aggero","aggredior","agnitio","agnosco","ago","ait","aiunt","alienus","alii","alioqui","aliqua","alius","allatus","alo","alter","altus","alveus","amaritudo","ambitus","ambulo","amicitia","amiculum","amissio","amita","amitto","amo","amor","amoveo","amplexus","amplitudo","amplus","ancilla","angelus","angulus","angustus","animadverto","animi","animus","annus","anser","ante","antea","antepono","antiquus","aperio","aperte","apostolus","apparatus","appello","appono","appositus","approbo","apto","aptus","apud","aqua","ara","aranea","arbitro","arbor","arbustum","arca","arceo","arcesso","arcus","argentum","argumentum","arguo","arma","armarium","armo","aro","ars","articulus","artificiose","arto","arx","ascisco","ascit","asper","aspicio","asporto","assentator","astrum","atavus","ater","atqui","atrocitas","atrox","attero","attollo","attonbitus","auctor","auctus","audacia","audax","audentia","audeo","audio","auditor","aufero","aureus","auris","aurum","aut","autem","autus","auxilium","avaritia","avarus","aveho","averto","avoco","baiulus","balbus","barba","bardus","basium","beatus","bellicus","bellum","bene","beneficium","benevolentia","benigne","bestia","bibo","bis","blandior","bonus","bos","brevis","cado","caecus","caelestis","caelum","calamitas","calcar","calco","calculus","callide","campana","candidus","canis","canonicus","canto","capillus","capio","capitulus","capto","caput","carbo","carcer","careo","caries","cariosus","caritas","carmen","carpo","carus","casso","caste","casus","catena","caterva","cattus","cauda","causa","caute","caveo","cavus","cedo","celebrer","celer","celo","cena","cenaculum","ceno","censura","centum","cerno","cernuus","certe","certo","certus","cervus","cetera","charisma","chirographum","cibo","cibus","cicuta","cilicium","cimentarius","ciminatio","cinis","circumvenio","cito","civis","civitas","clam","clamo","claro","clarus","claudeo","claustrum","clementia","clibanus","coadunatio","coaegresco","coepi","coerceo","cogito","cognatus","cognomen","cogo","cohaero","cohibeo","cohors","colligo","colloco","collum","colo","color","coma","combibo","comburo","comedo","comes","cometes","comis","comitatus","commemoro","comminor","commodo","communis","comparo","compello","complectus","compono","comprehendo","comptus","conatus","concedo","concido","conculco","condico","conduco","confero","confido","conforto","confugo","congregatio","conicio","coniecto","conitor","coniuratio","conor","conqueror","conscendo","conservo","considero","conspergo","constans","consuasor","contabesco","contego","contigo","contra","conturbo","conventus","convoco","copia","copiose","cornu","corona","corpus","correptius","corrigo","corroboro","corrumpo","coruscus","cotidie","crapula","cras","crastinus","creator","creber","crebro","credo","creo","creptio","crepusculum","cresco","creta","cribro","crinis","cruciamentum","crudelis","cruentus","crur","crustulum","crux","cubicularis","cubitum","cubo","cui","cuius","culpa","culpo","cultellus","cultura","cum","cunabula","cunae","cunctatio","cupiditas","cupio","cuppedia","cupressus","cur","cura","curatio","curia","curiositas","curis","curo","curriculum","currus","cursim","curso","cursus","curto","curtus","curvo","curvus","custodia","damnatio","damno","dapifer","debeo","debilito","decens","decerno","decet","decimus","decipio","decor","decretum","decumbo","dedecor","dedico","deduco","defaeco","defendo","defero","defessus","defetiscor","deficio","defigo","defleo","defluo","defungo","degenero","degero","degusto","deinde","delectatio","delego","deleo","delibero","delicate","delinquo","deludo","demens","demergo","demitto","demo","demonstro","demoror","demulceo","demum","denego","denique","dens","denuncio","denuo","deorsum","depereo","depono","depopulo","deporto","depraedor","deprecator","deprimo","depromo","depulso","deputo","derelinquo","derideo","deripio","desidero","desino","desipio","desolo","desparatus","despecto","despirmatio","infit","inflammatio","paens","patior","patria","patrocinor","patruus","pauci","paulatim","pauper","pax","peccatus","pecco","pecto","pectus","pecunia","pecus","peior","pel","ocer","socius","sodalitas","sol","soleo","solio","solitudo","solium","sollers","sollicito","solum","solus","solutio","solvo","somniculosus","somnus","sonitus","sono","sophismata","sopor","sordeo","sortitus","spargo","speciosus","spectaculum","speculum","sperno","spero","spes","spiculum","spiritus","spoliatio","sponte","stabilis","statim","statua","stella","stillicidium","stipes","stips","sto","strenuus","strues","studio","stultus","suadeo","suasoria","sub","subito","subiungo","sublime","subnecto","subseco","substantia","subvenio","succedo","succurro","sufficio","suffoco","suffragium","suggero","sui","sulum","sum","summa","summisse","summopere","sumo","sumptus","supellex","super","suppellex","supplanto","suppono","supra","surculus","surgo","sursum","suscipio","suspendo","sustineo","suus","synagoga","tabella","tabernus","tabesco","tabgo","tabula","taceo","tactus","taedium","talio","talis","talus","tam","tamdiu","tamen","tametsi","tamisium","tamquam","tandem","tantillus","tantum","tardus","tego","temeritas","temperantia","templum","temptatio","tempus","tenax","tendo","teneo","tener","tenuis","tenus","tepesco","tepidus","ter","terebro","teres","terga","tergeo","tergiversatio","tergo","tergum","termes","terminatio","tero","terra","terreo","territo","terror","tersus","tertius","testimonium","texo","textilis","textor","textus","thalassinus","theatrum","theca","thema","theologus","thermae","thesaurus","thesis","thorax","thymbra","thymum","tibi","timidus","timor","titulus","tolero","tollo","tondeo","tonsor","torqueo","torrens","tot","totidem","toties","totus","tracto","trado","traho","trans","tredecim","tremo","trepide","tres","tribuo","tricesimus","triduana","triginta","tripudio","tristis","triumphus","trucido","truculenter","tubineus","tui","tum","tumultus","tunc","turba","turbo","turpe","turpis","tutamen","tutis","tyrannus","uberrime","ubi","ulciscor","ullus","ulterius","ultio","ultra","umbra","umerus","umquam","una","unde","undique","universe","unus","urbanus","urbs","uredo","usitas","usque","ustilo","ustulo","usus","uter","uterque","utilis","utique","utor","utpote","utrimque","utroque","utrum","uxor","vaco","vacuus","vado","vae","valde","valens","valeo","valetudo","validus","vallum","vapulus","varietas","varius","vehemens","vel","velociter","velum","velut","venia","venio","ventito","ventosus","ventus","venustas","ver","verbera","verbum","vere","verecundia","vereor","vergo","veritas","vero","versus","verto","verumtamen","verus","vesco","vesica","vesper","vespillo","vester","vestigium","vestrum","vetus","via","vicinus","vicissitudo","victoria","victus","videlicet","video","viduata","viduo","vigilo","vigor","vilicus","vilis","vilitas","villa","vinco","vinculum","vindico","vinitor","vinum","vir","virga","virgo","viridis","viriliter","virtus","vis","viscus","vita","vitiosus","vitium","vito","vivo","vix","vobis","vociferor","voco","volaticus","volo","volubilis","voluntarius","volup","volutabrum","volva","vomer","vomica","vomito","vorago","vorax","voro","vos","votum","voveo","vox","vulariter","vulgaris","vulgivagus","vulgo","vulgus","vulnero","vulnus","vulpes","vulticulus","vultuosus","xiphias"],"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"man_first_name":["Drahoslav","Severín","Alexej","Ernest","Rastislav","Radovan","Dobroslav","Dalibor","Vincent","Miloš","Timotej","Gejza","Bohuš","Alfonz","Gašpar","Emil","Erik","Blažej","Zdenko","Dezider","Arpád","Valentín","Pravoslav","Jaromír","Roman","Matej","Frederik","Viktor","Alexander","Radomír","Albín","Bohumil","Kazimír","Fridrich","Radoslav","Tomáš","Alan","Branislav","Bruno","Gregor","Vlastimil","Boleslav","Eduard","Jozef","Víťazoslav","Blahoslav","Beňadik","Adrián","Gabriel","Marián","Emanuel","Miroslav","Benjamín","Hugo","Richard","Izidor","Zoltán","Albert","Igor","Július","Aleš","Fedor","Rudolf","Valér","Marcel","Ervín","Slavomír","Vojtech","Juraj","Marek","Jaroslav","Žigmund","Florián","Roland","Pankrác","Servác","Bonifác","Svetozár","Bernard","Júlia","Urban","Dušan","Viliam","Ferdinand","Norbert","Róbert","Medard","Zlatko","Anton","Vasil","Vít","Adolf","Vratislav","Alfréd","Alojz","Ján","Tadeáš","Ladislav","Peter","Pavol","Miloslav","Prokop","Cyril","Metod","Patrik","Oliver","Ivan","Kamil","Henrich","Drahomír","Bohuslav","Iľja","Daniel","Vladimír","Jakub","Krištof","Ignác","Gustáv","Jerguš","Dominik","Oskar","Vavrinec","Ľubomír","Mojmír","Leonard","Tichomír","Filip","Bartolomej","Ľudovít","Samuel","Augustín","Belo","Oleg","Bystrík","Ctibor","Ľudomil","Konštantín","Ľuboslav","Matúš","Móric","Ľuboš","Ľubor","Vladislav","Cyprián","Václav","Michal","Jarolím","Arnold","Levoslav","František","Dionýz","Maximilián","Koloman","Boris","Lukáš","Kristián","Vendelín","Sergej","Aurel","Demeter","Denis","Hubert","Karol","Imrich","René","Bohumír","Teodor","Tibor","Maroš","Martin","Svätopluk","Stanislav","Leopold","Eugen","Félix","Klement","Kornel","Milan","Vratko","Ondrej","Andrej","Edmund","Oldrich","Oto","Mikuláš","Ambróz","Radúz","Bohdan","Adam","Štefan","Dávid","Silvester"],"man_last_name":["Antal","Babka","Bahna","Bahno","Baláž","Baran","Baranka","Bartovič","Bartoš","Bača","Bernolák","Beňo","Bicek","Bielik","Blaho","Bondra","Bosák","Boška","Brezina","Bukovský","Chalupka","Chudík","Cibula","Cibulka","Cibuľa","Cyprich","Cíger","Danko","Daňko","Daňo","Debnár","Dej","Dekýš","Doležal","Dočolomanský","Droppa","Dubovský","Dudek","Dula","Dulla","Dusík","Dvonč","Dzurjanin","Dávid","Fabian","Fabián","Fajnor","Farkašovský","Fico","Filc","Filip","Finka","Ftorek","Gašpar","Gašparovič","Gocník","Gregor","Greguš","Grznár","Hablák","Habšuda","Halda","Haluška","Halák","Hanko","Hanzal","Haščák","Heretik","Hečko","Hlaváček","Hlinka","Holub","Holuby","Hossa","Hoza","Hraško","Hric","Hrmo","Hrušovský","Huba","Ihnačák","Janeček","Janoška","Jantošovič","Janík","Janček","Jedľovský","Jendek","Jonata","Jurina","Jurkovič","Jurík","Jánošík","Kafenda","Kaliský","Karul","Keníž","Klapka","Kmeť","Kolesár","Kollár","Kolnik","Kolník","Kolár","Korec","Kostka","Kostrec","Kováč","Kováčik","Koza","Kočiš","Krajíček","Krajči","Krajčo","Krajčovič","Krajčír","Králik","Krúpa","Kubík","Kyseľ","Kállay","Labuda","Lepšík","Lipták","Lisický","Lubina","Lukáč","Lupták","Líška","Madej","Majeský","Malachovský","Malíšek","Mamojka","Marcinko","Marián","Masaryk","Maslo","Matiaško","Medveď","Melcer","Mečiar","Michalík","Mihalik","Mihál","Mihálik","Mikloško","Mikulík","Mikuš","Mikúš","Milota","Mináč","Mišík","Mojžiš","Mokroš","Mora","Moravčík","Mydlo","Nemec","Nitra","Novák","Obšut","Ondruš","Otčenáš","Pauko","Pavlikovský","Pavúk","Pašek","Paška","Paško","Pelikán","Petrovický","Petruška","Peško","Plch","Plekanec","Podhradský","Podkonický","Poliak","Pupák","Rak","Repiský","Romančík","Rus","Ružička","Rybníček","Rybár","Rybárik","Samson","Sedliak","Senko","Sklenka","Skokan","Skutecký","Slašťan","Sloboda","Slobodník","Slota","Slovák","Smrek","Stodola","Straka","Strnisko","Svrbík","Sámel","Sýkora","Tatar","Tatarka","Tatár","Tatárka","Thomka","Tomeček","Tomka","Tomko","Truben","Turčok","Uram","Urblík","Vajcík","Vajda","Valach","Valachovič","Valent","Valuška","Vanek","Vesel","Vicen","Višňovský","Vlach","Vojtek","Vydarený","Zajac","Zima","Zimka","Záborský","Zúbrik","Čapkovič","Čaplovič","Čarnogurský","Čierny","Čobrda","Ďaďo","Ďurica","Ďuriš","Šidlo","Šimonovič","Škriniar","Škultéty","Šmajda","Šoltés","Šoltýs","Štefan","Štefanka","Šulc","Šurka","Švehla","Šťastný"],"name":["#{prefix} #{man_first_name} #{man_last_name}","#{prefix} #{woman_first_name} #{woman_last_name}","#{man_first_name} #{man_last_name} #{suffix}","#{woman_first_name} #{woman_last_name} #{suffix}","#{man_first_name} #{man_last_name}","#{man_first_name} #{man_last_name}","#{man_first_name} #{man_last_name}","#{woman_first_name} #{woman_last_name}","#{woman_first_name} #{woman_last_name}","#{woman_first_name} #{woman_last_name}"],"prefix":["Ing.","Mgr.","JUDr.","MUDr."],"suffix":["Phd."],"title":{"descriptor":["Lead","Senior","Direct","Corporate","Dynamic","Future","Product","National","Regional","District","Central","Global","Customer","Investor","Dynamic","International","Legacy","Forward","Internal","Human","Chief","Principal"],"job":["Supervisor","Associate","Executive","Liaison","Officer","Manager","Engineer","Specialist","Director","Coordinator","Administrator","Architect","Analyst","Designer","Planner","Orchestrator","Technician","Developer","Producer","Consultant","Assistant","Facilitator","Agent","Representative","Strategist"],"level":["Solutions","Program","Brand","Security","Research","Marketing","Directives","Implementation","Integration","Functionality","Response","Paradigm","Tactics","Identity","Markets","Group","Division","Applications","Optimization","Operations","Infrastructure","Intranet","Communications","Web","Branding","Quality","Assurance","Mobility","Accounts","Data","Creative","Configuration","Accountability","Interactions","Factors","Usability","Metrics"]},"woman_first_name":["Alexandra","Karina","Daniela","Andrea","Antónia","Bohuslava","Dáša","Malvína","Kristína","Nataša","Bohdana","Drahomíra","Sára","Zora","Tamara","Ema","Tatiana","Erika","Veronika","Agáta","Dorota","Vanda","Zoja","Gabriela","Perla","Ida","Liana","Miloslava","Vlasta","Lívia","Eleonóra","Etela","Romana","Zlatica","Anežka","Bohumila","Františka","Angela","Matilda","Svetlana","Ľubica","Alena","Soňa","Vieroslava","Zita","Miroslava","Irena","Milena","Estera","Justína","Dana","Danica","Jela","Jaroslava","Jarmila","Lea","Anastázia","Galina","Lesana","Hermína","Monika","Ingrida","Viktória","Blažena","Žofia","Sofia","Gizela","Viola","Gertrúda","Zina","Júlia","Juliana","Želmíra","Ela","Vanesa","Iveta","Vilma","Petronela","Žaneta","Xénia","Karolína","Lenka","Laura","Stanislava","Margaréta","Dobroslava","Blanka","Valéria","Paulína","Sidónia","Adriána","Beáta","Petra","Melánia","Diana","Berta","Patrícia","Lujza","Amália","Milota","Nina","Margita","Kamila","Dušana","Magdaléna","Oľga","Anna","Hana","Božena","Marta","Libuša","Božidara","Dominika","Hortenzia","Jozefína","Štefánia","Ľubomíra","Zuzana","Darina","Marcela","Milica","Elena","Helena","Lýdia","Anabela","Jana","Silvia","Nikola","Ružena","Nora","Drahoslava","Linda","Melinda","Rebeka","Rozália","Regína","Alica","Marianna","Miriama","Martina","Mária","Jolana","Ľudomila","Ľudmila","Olympia","Eugénia","Ľuboslava","Zdenka","Edita","Michaela","Stela","Viera","Natália","Eliška","Brigita","Valentína","Terézia","Vladimíra","Hedviga","Uršuľa","Alojza","Kvetoslava","Sabína","Dobromila","Klára","Simona","Aurélia","Denisa","Renáta","Irma","Agnesa","Klaudia","Alžbeta","Elvíra","Cecília","Emília","Katarína","Henrieta","Bibiána","Barbora","Marína","Izabela","Hilda","Otília","Lucia","Branislava","Bronislava","Ivica","Albína","Kornélia","Sláva","Slávka","Judita","Dagmara","Adela","Nadežda","Eva","Filoména","Ivana","Milada"],"woman_last_name":["Antalová","Babková","Bahnová","Balážová","Baranová","Baranková","Bartovičová","Bartošová","Bačová","Bernoláková","Beňová","Biceková","Bieliková","Blahová","Bondrová","Bosáková","Bošková","Brezinová","Bukovská","Chalupková","Chudíková","Cibulová","Cibulková","Cyprichová","Cígerová","Danková","Daňková","Daňová","Debnárová","Dejová","Dekýšová","Doležalová","Dočolomanská","Droppová","Dubovská","Dudeková","Dulová","Dullová","Dusíková","Dvončová","Dzurjaninová","Dávidová","Fabianová","Fabiánová","Fajnorová","Farkašovská","Ficová","Filcová","Filipová","Finková","Ftoreková","Gašparová","Gašparovičová","Gocníková","Gregorová","Gregušová","Grznárová","Habláková","Habšudová","Haldová","Halušková","Haláková","Hanková","Hanzalová","Haščáková","Heretiková","Hečková","Hlaváčeková","Hlinková","Holubová","Holubyová","Hossová","Hozová","Hrašková","Hricová","Hrmová","Hrušovská","Hubová","Ihnačáková","Janečeková","Janošková","Jantošovičová","Janíková","Jančeková","Jedľovská","Jendeková","Jonatová","Jurinová","Jurkovičová","Juríková","Jánošíková","Kafendová","Kaliská","Karulová","Kenížová","Klapková","Kmeťová","Kolesárová","Kollárová","Kolniková","Kolníková","Kolárová","Korecová","Kostkaová","Kostrecová","Kováčová","Kováčiková","Kozová","Kočišová","Krajíčeková","Krajčová","Krajčovičová","Krajčírová","Králiková","Krúpová","Kubíková","Kyseľová","Kállayová","Labudová","Lepšíková","Liptáková","Lisická","Lubinová","Lukáčová","Luptáková","Líšková","Madejová","Majeská","Malachovská","Malíšeková","Mamojková","Marcinková","Mariánová","Masaryková","Maslová","Matiašková","Medveďová","Melcerová","Mečiarová","Michalíková","Mihaliková","Mihálová","Miháliková","Miklošková","Mikulíková","Mikušová","Mikúšová","Milotová","Mináčová","Mišíková","Mojžišová","Mokrošová","Morová","Moravčíková","Mydlová","Nemcová","Nováková","Obšutová","Ondrušová","Otčenášová","Pauková","Pavlikovská","Pavúková","Pašeková","Pašková","Pelikánová","Petrovická","Petrušková","Pešková","Plchová","Plekanecová","Podhradská","Podkonická","Poliaková","Pupáková","Raková","Repiská","Romančíková","Rusová","Ružičková","Rybníčeková","Rybárová","Rybáriková","Samsonová","Sedliaková","Senková","Sklenková","Skokanová","Skutecká","Slašťanová","Slobodová","Slobodníková","Slotová","Slováková","Smreková","Stodolová","Straková","Strnisková","Svrbíková","Sámelová","Sýkorová","Tatarová","Tatarková","Tatárová","Tatárkaová","Thomková","Tomečeková","Tomková","Trubenová","Turčoková","Uramová","Urblíková","Vajcíková","Vajdová","Valachová","Valachovičová","Valentová","Valušková","Vaneková","Veselová","Vicenová","Višňovská","Vlachová","Vojteková","Vydarená","Zajacová","Zimová","Zimková","Záborská","Zúbriková","Čapkovičová","Čaplovičová","Čarnogurská","Čierná","Čobrdová","Ďaďová","Ďuricová","Ďurišová","Šidlová","Šimonovičová","Škriniarová","Škultétyová","Šmajdová","Šoltésová","Šoltýsová","Štefanová","Štefanková","Šulcová","Šurková","Švehlová","Šťastná"]},"phone_number":{"formats":["09## ### ###","0## #### ####","0# #### ####","+421 ### ### ###"]}}}); -I18n.translations["ca-CAT"] = I18n.extend((I18n.translations["ca-CAT"] || {}), {"faker":{"address":{"building_number":[" s/n.",", #",", ##"," #"," ##"],"city":["Amposta","Badalona","Barberà del Vallès","Barcelona","Blanes","Calafell","Cambrils","Castellar del Vallès","Castelldefels","Cerdanyola del Vallès","Cornellà de Llobregat","El Masnou","El Prat de Llobregat","El Vendrell","Esparreguera","Esplugues de Llobregat","Figueres","Gavà","Girona","Granollers","Igualada","Lleida","Lloret de Mar","Manlleu","Manresa","Martorell","Mataró","Molins de Rei","Mollet del Vallès","Montcada i Reixac","Olesa de Montserrat","Olot","Palafrugell","Pineda de Mar","Premià de Mar","Reus","Ripollet","Rubí","Sabadell","Salou","Salt","Sant Adrià de Besòs","Sant Andreu de la Barca","Sant Boi de Llobregat","Sant Cugat del Vallès","Sant Feliu de Guíxols","Sant Feliu de Llobregat","Sant Joan Despí","Sant Pere de Ribes","Sant Vicenç dels Horts","Santa Coloma de Gramenet","Santa Perpètua de Mogoda","Sitges","Tarragona","Terrassa","Tortosa","Valls","Vic","Vila-seca","Viladecans","Vilafranca del Penedès","Vilanova i la Geltrú"],"country":["Afganistan","Albània","Alemanya","Algèria","Andorra","Angola","Antigua i Barbuda","Aràbia Saudita","Argentina","Armènia","Austràlia","Àustria","Azerbaidjan","Bahames","Bahrain","Bangla Desh","Barbados","Bèlgica","Belize","Benín","Bhutan","Bielorússia","Bolívia","Bòsnia i Hercegovina","Botswana","Brasil","Brunei","Bulgària","Burkina Faso","Burundi","Cambodja","Camerun","Canadà","Cap Verd","Catalunya","Ciutat del Vaticà","Colòmbia","Comores","Corea del Nord","Corea del Sud","Costa d''Ivori","Costa Rica","Croàcia","Cuba","Dinamarca","Djibouti","Dominica","Egipte","El Salvador","Emirats Àrabs Units","Equador","Eritrea","Eslovàquia","Eslovènia","Espanya","Estats Federats de Micronèsia","Estats Units","Estònia","Etiòpia","Fiji","Filipines","Finlàndia","França","Gabon","Gàmbia","Geòrgia","Ghana","Grècia","Grenada","Guatemala","Guinea","Guinea Bissau","Guinea Equatorial","Guyana","Haití","Hondures","Hongria","Iemen","Illes Marshall","Índia","Indonèsia","Iran","Iraq","Islàndia","Israel","Itàlia","Jamaica","Japó","Jordània","Kazakhstan","Kenya","Kirguizistan","Kiribati","Kuwait","Laos","Lesotho","Letònia","Líban","Libèria","Líbia","Liechtenstein","Lituània","Luxemburg","Macedònia","Madagascar","Malàisia","Malawi","Maldives","Mali","Malta","Marroc","Maurici","Mauritània","Mèxic","Moçambic","Moldàvia","Mònaco","Mongòlia","Myanmar","Namíbia","Nauru","Nepal","Nicaragua","Níger","Nigèria","Noruega","Nova Zelanda","Oman","Països Baixos","Pakistan","Palau","Panamà","Papua Nova Guinea","Paraguai","Perú","Polònia","Portugal","Qatar","Regne Unit","República Centreafricana","República d''Irlanda","República de la Xina","República del Congo","República Democràtica del Congo","República Dominicana","República Popular de la Xina","República Txeca","Romania","Rússia","Rwanda","Saint Kitts i Nevis","Saint Lucia","Saint Vincent i les Grenadines","Salomó","Samoa Occidental","San Marino","São Tomé i Príncipe","Senegal","Sèrbia i Montenegro","Seychelles","Sierra Leone","Singapur","Síria","Somàlia","Sri Lanka","Sud-àfrica","Sudan","Sudan del Sud","Suècia","Suïssa","Surinam","Swazilàndia","Tadjikistan","Tailàndia","Tanzània","Timor Oriental","Togo","Tonga","Trinitat i Tobago","Tunísia","Turkmenistan","Turquia","Tuvalu","Txad","Ucraïna","Uganda","Uruguai","Uzbekistan","Vanuatu","Veneçuela","Vietnam","Xile","Xipre","Zàmbia","Zimbabwe"],"default_country":["Catalunya"],"postcode":["#####"],"province":["Barcelona","Girona","Lleida","Tarragona"],"secondary_address":["Esc. ###","Porta ###"],"state":["l''Alt Camp","l''Alt Empordà","l''Alt Penedès","l''Alt Urgell","l''Alta Ribagorça","l''Anoia","el Bages","el Baix Camp","el Baix Ebre","el Baix Empordà","el Baix Llobregat","el Baix Penedès","el Barcelonès","el Berguedà","la Cerdanya","la Conca de Barberà","el Garraf","les Garrigues","la Garrotxa","el Gironès","el Maresme","el Moianès","el Montsià","la Noguera","Osona","el Pallars Jussà","el Pallars Sobirà","el Pla d''Urgell","el Pla de l''Estany","el Priorat","la Ribera d''Ebre","el Ripollès","la Segarra","el Segrià","la Selva","el Solsonès","el Tarragonès","la Terra Alta","l''Urgell","la Val d''Aran","el Vallès Occidental","el Vallès Oriental"],"street_address":["#{street_name}#{building_number}","#{street_name}#{building_number} #{secondary_address}"],"street_name":["#{street_suffix} #{Name.first_name}","#{street_suffix} #{Name.first_name} #{Name.last_name}","#{street_suffix} #{country}"],"street_suffix":["Avinguda","Baixada","Barranc","Barri","Carrer","Camí","Carretera","Coll","Passeig","Plaça","Polígon","Rambla","Riera","Ronda","Torrent","Travessia"]},"cell_phone":{"formats":["6##-###-###","6##.###.###","6## ### ###","6########"]},"phone_number":{"formats":["9##-###-###","9##.###.###","9## ### ###","9########"]}}}); -I18n.translations["de-CH"] = I18n.extend((I18n.translations["de-CH"] || {}), {"faker":{"address":{"country_code":["CH","CH","CH","DE","AT","US","LI","US","HK","VN"],"default_country":["Schweiz"],"postcode":["1###","2###","3###","4###","5###","6###","7###","8###","9###"]},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} und #{Name.last_name}"],"suffix":["AG","GmbH","und Söhne","und Partner","\u0026 Co.","Gruppe","LLC","Inc."]},"internet":{"domain_suffix":["com","net","biz","ch","de","li","at","ch","ch"]},"phone_number":{"formats":["0800 ### ###","0800 ## ## ##","0## ### ## ##","0## ### ## ##","+41 ## ### ## ##","0900 ### ###","076 ### ## ##","+4178 ### ## ##","0041 79 ### ## ##"]}}}); -I18n.translations["es-MX"] = I18n.extend((I18n.translations["es-MX"] || {}), {"faker":{"address":{"building_number":["S/N","#","##","###","####","#####"],"city":["#{municipality}"],"city_prefix":"","city_suffix":"","city_with_state":["#{municipality}, #{state}"],"country":["Afganistán","Albania","Alemania","Andorra","Angola","Anguila","Antigua y Barbuda","Antártida","Arabia Saudita","Argelia","Argentina","Armenia","Aruba","Australia","Austria","Autoridad Nacional Palestina","Azerbaiyán","Bahamas","Bangladés","Barbados","Baréin","Belice","Benín","Bermudas","Bielorrusia","Birmania","Bolivia","Bonaire","San Eustaquio y Saba","Bosnia y Herzegovina","Botsuana","Brasil","Brunéi","Bulgaria","Burkina Faso","Burundi","Bután","Bélgica","Cabo Verde","Camboya","Camerún","Canadá","Chad","Chile","China","Chipre","Ciudad del Vaticano","Colombia","Comoras","Corea del Norte","Corea del Sur","Costa Rica","Costa de Marfil","Croacia","Cuba","Curaçao","Dinamarca","Dominica","Ecuador","Egipto","El Salvador","Emiratos Árabes Unidos","Eritrea","Eslovaquia","Eslovenia","España","Estados Unidos","Estonia","Etiopía","Filipinas","Finlandia","Fiyi","Francia","Gabón","Gambia","Georgia","Ghana","Gibraltar","Granada","Grecia","Groenlandia","Guadalupe","Guam","Guatemala","Guayana Francesa","Guernsey","Guinea","Guinea Ecuatorial","Guinea-Bissau","Guyana","Haití","Honduras","Hong Kong","Hungría","India","Indonesia","Irak","Irlanda","Irán","Isla Bouvet","Isla de Man","Isla de Navidad","Islandia","Islas Caimán","Islas Cocos","Islas Cook","Islas Faroe","Islas Georgias del Sur y Sandwich del Sur","Islas Heard y McDonald","Islas Malvinas","Islas Marianas del Norte","Islas Marshall","Islas Pitcairn","Islas Salomón","Islas Turcas y Caicos","Islas Vírgenes Británicas","Islas Vírgenes de los Estados Unidos","Islas ultramarinas de Estados Unidos","Israel","Italia","Jamaica","Japón","Jersey","Jordania","Kazajistán","Kenia","Kirguistán","Kiribati","Kuwait","Laos","Lesoto","Letonia","Liberia","Libia","Liechtenstein","Lituania","Luxemburgo","Líbano","Macao","Madagascar","Malasia","Malaui","Maldivas","Malta","Malí","Marruecos","Martinica","Mauricio","Mauritania","Mayotte","Micronesia","Moldavia","Mongolia","Montenegro","Montserrat","Mozambique","México","Mónaco","Namibia","Nauru","Nepal","Nicaragua","Nigeria","Niue","Norfolk","Noruega","Nueva Caledonia","Nueva Zelanda","Níger","Omán","Pakistán","Palaos","Panamá","Papúa Nueva Guinea","Paraguay","Países Bajos","Perú","Polinesia Francesa","Polonia","Portugal","Qatar","Reino Unido","Rep. Dem. del Congo","República Centroafricana","República Checa","República Dominicana","República de Macedonia","República del Congo","Reunión","Ruanda","Rumania","Rusia","Samoa","Samoa Estadounidense","San Bartolomé","San Cristóbal y Nieves","San Marino","San Martín","San Martín (parte holandesa)","San Pedro y Miquelón","San Vicente y las Granadinas","Santa Helena","A. y T.","Santa Lucía","Santo Tomé y Príncipe","Senegal","Serbia","Seychelles","Sierra Leona","Singapur","Siria","Somalia","Sri Lanka","Suazilandia","Sudáfrica","Sudán","Sudán del Sur","Suecia","Suiza","Surinam","Svalbard y Jan Mayen","Sáhara Occidental","Tailandia","Taiwán","Tanzania","Tayikistán","Territorio Británico del Océano Índico","Territorios Australes Franceses","Timor Oriental","Togo","Tokelau","Tonga","Trinidad y Tobago","Turkmenistán","Turquía","Tuvalu","Túnez","Ucrania","Uganda","Uruguay","Uzbekistán","Vanuatu","Venezuela","Vietnam","Wallis y Futuna","Yemen","Yibuti","Zambia","Zimbabue","Åland"],"country_code":["AND","ARE","AFG","ATG","AIA","ALB","ARM","AGO","ATA","ARG","ASM","AUT","AUS","ABW","ALA","AZE","BIH","BRB","BGD","BEL","BFA","BGR","BHR","BDI","BEN","BLM","BMU","BRN","BOL","BES","BRA","BHS","BTN","BVT","BWA","BLR","BLZ","CAN","CCK","COD","CAF","COG","CHE","CIV","COK","CHL","CMR","CHN","COL","CRI","CUB","CPV","CUW","CXR","CYP","CZE","DEU","DJI","DNK","DMA","DOM","DZA","ECU","EST","EGY","ESH","ERI","ESP","ETH","FIN","FJI","FLK","FSM","FRO","FRA","GAB","GBR","GRD","GEO","GUF","GGY","GHA","GIB","GRL","GMB","GIN","GLP","GNQ","GRC","SGS","GTM","GUM","GNB","GUY","HKG","HMD","HND","HRV","HTI","HUN","IDN","IRL","ISR","IMN","IND","IOT","IRQ","IRN","ISL","ITA","JEY","JAM","JOR","JPN","KEN","KGZ","KHM","KIR","COM","KNA","PRK","KOR","KWT","CYM","KAZ","LAO","LBN","LCA","LIE","LKA","LBR","LSO","LTU","LUX","LVA","LBY","MAR","MCO","MDA","MNE","MAF","MDG","MHL","MKD","MLI","MMR","MNG","MAC","MNP","MTQ","MRT","MSR","MLT","MUS","MDV","MWI","MEX","MYS","MOZ","NAM","NCL","NER","NFK","NGA","NIC","NLD","NOR","NPL","NRU","NIU","NZL","OMN","PAN","PER","PYF","PNG","PHL","PAK","POL","SPM","PCN","PSE","PRT","PLW","PRY","QAT","REU","ROU","SRB","RUS","RWA","SAU","SLB","SYC","SDN","SWE","SGP","SHN","SVN","SJM","SVK","SLE","SMR","SEN","SOM","SUR","SSD","STP","SLV","SXM","SYR","SWZ","TCA","TCD","ATF","TGO","THA","TJK","TKL","TLS","TKM","TUN","TON","TUR","TTO","TUV","TWN","TZA","UKR","UGA","UMI","USA","URY","UZB","VAT","VCT","VEN","VGB","VIR","VNM","VUT","WLF","WSM","YEM","MYT","ZAF","ZMB","ZWE"],"default_country":["México"],"municipality":["Abasolo","Acapulco","Actopan","Acuña","Aguascalientes","Ahome","Ahuacatlán","Ahuacuotzingo","Ahuatlan","Alaquines","Altar","Amatlán de Cañas","Angostura","Apan","Apaseo el Alto","Apizaco","Apodaca","Aporo","Aquila","Armería","Arroyo Seco","Arteaga","Asientos","Atenco","Atenguillo","Atolinga","Atzalan","Ayapango","Azcapotzalco","Bacadehuachi","Bacalar","Bacanora","Badiraguato","Benito Juárez","Brise","Buenaventura","Burgos","Bustamante","Cabo Corrientes","Caborca","Calakmul","Calera","Calnali","Calvillo","Camargo","Campeche","Canatlán","Cancún","Candelaria","Cantamayec","Carbo","Carmen","Catorce","Celaya","Centla","Centro","Cerritos","Chalchihuites","Champotón","Chanal","Chapulhuacán","Chapultepec","Chavinda","Chiautempan","Chichiquila","Chicoasen","Chietla","Chihuahua","Chimalhuacán","Choix","Citlaltepetl","Ciudad Madero","Ciudad Valles","Coatzacoalcos","Cocula","Colima","Comala","Comondú","Comonfort","Compostela","Copainala","Copalillo","Copanatoyac","Coquimatlán","Coronango","Cosio","Coyame del Sotol","Coyoacán","Cozumel","Cualac","Cuatro Ciénegas","Cuauhtémoc","Cucurpe","Cuencame","Cuernavaca","Culiacán","Cunduacán","Cárdenas","Doctor Mora","Durango","Dzidzantun","Ecatepec","El Fuerte","El Llano","El Mante","El Marqués","El Naranjo","El Salvador","Emiliano Zapata","Ensenada","Epazoyucan","Epitacio Huerta","Erongaricuaro","Escarcega","Esperanza","Ezequiel Montes","Galeana","Genaro Codina","General Escobedo","González","Gral. Zaragoza","Guachochi","Guadalajara","Guadalupe","Guanacevi","Guerrero","Gómez Palacio","Hecelchakan","Hermosillo","Hocaba","Hopelchen","Huajicori","Hualahuises","Huanimaro","Huayacocotla","Huejucar","Hueyotlipan","Huimilpan","Huixquilucan","Hunucma","Iliatenco","Inde","Irapuato","Irimbo","Isla Mujeres","Ixil","Ixtapaluca","Ixtlahuacán","Ixtlan de Juárez","Ixtlán del Río","Iztacalco","Jalpa de Méndez","Jalpan de Serra","Jamapa","Jesús María","Jiutepec","Jonuta","Juárez","Kaua","La Huerta","La Independencia","La Paz","La Yesca","Las Margaritas","Lazaro Cárdenas","Lerdo","León","Lolotla","Loreto","Los Cabos","Luvianos","López","Magdalena","Manzanillo","Marin","Matamoros","Matehuala","Mazapil","Mazatepec","Mazatlan","Mazatlán","Mecatlan","Melchor Ocampo","Metepec","Metztitlán","Mexicali","Mezquital","Mier y Noriega","Miguel Hidalgo","Milpa Alta","Minatitlán","Miquihuana","Moctezuma","Monclova","Monte Escobedo","Montemorelos","Monterrey","Morelia","Morelos","Moroleón","Mulege","Méndez","Mérida","Nacajuca","Nadadores","Naucalpan","Naupan","Nava","Navolato","Nazareno Etla","Nazas","Nezahualcóyotl","Nombre de Dios","Nuevo Laredo","Nuevo Zoquiapam","Ocampo","Ojinaga","Othón P. Blanco","Oxkutzcab","Palizada","Panuco","Paracuaro","Patzcuaro","Pedro Escobedo","Penjamo","Pinal de Amoles","Poncitlan","Progreso","Puebla","Puente de Ixtla","Queretaro","Querétaro","Rayones","Reynosa","Rincón de Romos","Romita","Rosario","Salamanca","Salinas Victoria","Saltillo","Salto de Agua","San Blas","San Buenaventura","San Carlos","San Ignacio","San Juan","San Juan del Río","San Lorenzo","San Luis Potosí","San Marcos","San Miguel Yotao","San Nicolas","San Nicolás de los Garza","Santa Catarina","Santiago Nuyoo","Santiago Tenango","Saric","Sinaloa","Singuilucan","Solidaridad","Soteapan","Suchiate","Susticacán","Tacotalpa","Tahdziu","Tamazunchale","Tancanhuitz","Tapachula","Tapilula","Taxco de Alarcón","Teapa","Tecamac","Tecate","Tecomán","Tecuala","Temosachic","Tenabo","Tenango del Aire","Tenosique","Teocaltiche","Tepalcingo","Tepezala","Tepic","Tepoztlan","Tetecala","Tetepango","Tijuana","Tlacuilotepec","Tlalchapa","Tlalnepantla","Tlalpan","Tlaquepaque","Tlayacapan","Tocatlan","Tochimilco","Tocumbo","Tolimán","Toluca","Tonalá","Tonatico","Torreón","Totolac","Tulum","Tuxpan","Tuxtla","Umán","Unión Hidalgo","Uruachi","Valladolid","Vanegas","Veracruz","Villa Victoria","Villa de Álvarez","Villa del Carbón","Villahermosa","Xalapa","Xalisco","Xaloztoc","Xico","Xicohtzinco","Xochihuehuetlán","Xochimilco","Xochistlahuaca","Xochitepec","Yauhquemehcan","Yecapixtla","Yogana","Zacatecas","Zacatepec","Zapopan","Zaragoza","Zongolica","Álvaro Obregón"],"postcode":["#####"],"secondary_address":["Apartamento ##","Departamento ###","Depto. ###","Interior ###","Interior ?#","Int. #","Piso #","Piso ##","#ª Planta","Planta alta","Planta baja"],"state":["Aguascalientes","Baja California","Baja California Sur","Campeche","Coahuila","Colima","Chiapas","Chihuahua","Ciudad de México","Durango","Guanajuato","Guerrero","Hidalgo","Jalisco","México","Michoacán","Morelos","Nayarit","Nuevo León","Oaxaca","Puebla","Querétaro","Quintana Roo","San Luis Potosí","Sinaloa","Sonora","Tabasco","Tamaulipas","Tlaxcala","Veracruz","Yucatán","Zacatecas"],"state_abbr":["AGU","BCN","BCS","CAM","CHP","CHH","COA","COL","DIF","DUR","GUA","GRO","HID","JAL","MEX","MIC","MOR","NAY","NLE","OAX","PUE","QUE","ROO","SLP","SIN","SON","TAB","TAM","TLA","VER","YUC","ZAC"],"street_address":["#{street_name} #{building_number}","#{street_name} #{building_number} #{secondary_address}"],"street_name":["#{street_prefix} #{Name.first_name}","#{street_prefix} #{Name.first_name} #{Name.last_name}","#{street_prefix} #{state}","#{street_prefix} #{municipality}"],"street_prefix":["Arroyo","Avenida","Bajada","Barranco","Calle","Camino","Carretera","Conjunto","Entrada","Escalinata","Explanada","Glorieta","Grupo","Huerta","Jardines","Lago","Manzana","Mercado","Monte","Muelle","Parque","Pasaje","Paseo","Plaza","Privada","Prolongación","Quinta","Rampa","Rincón","Salida","Sector","Subida","Vía"],"time_zone":["África/Argel","África/Cairo","África/Casablanca","África/Harare","África/Johannesburgo","África/Monrovia","África/Nairobi","América/Argentina/Buenos_Aires","América/Bogotá","América/Caracas","América/Chicago","América/Chihuahua","América/Ciudad_de_México","América/Denver","América/Guatemala","América/Guyana","América/Halifax","América/Indiana/Indianapolis","América/Juneau","América/La_Paz","América/Lima","América/Los_Angeles","América/Mazatlán","América/Monterrey","América/Nueva_York","América/Nuuk","América/Phoenix","América/Regina","América/San_Juan_de_Terranova","América/Santiago","América/São_Paulo","América/Tijuana","Asia/Almatý","Asia/Bagdad","Asia/Bakú","Asia/Bangkok","Asia/Calcuta","Asia/Chongqing","Asia/Colombo","Asia/Daca","Asia/Ekaterimburgo","Asia/Ereván","Asia/Hong_Kong","Asia/Irkutsk","Asia/Jerusalén","Asia/Kabul","Asia/Kamchatka","Asia/Karachi","Asia/Katmandú","Asia/Krasnoyarsk","Asia/Kuala_Lumpur","Asia/Kuwait","Asia/Magadán","Asia/Mascate","Asia/Novosibirsk","Asia/Rangún","Asia/Riad","Asia/Seúl","Asia/Shanghai","Asia/Singapur","Asia/Taipéi","Asia/Taskent","Asia/Teherán","Asia/Tiflis","Asia/Tokio","Asia/Ulán_Bator","Asia/Urumchi","Asia/Vladivostok","Asia/Yakarta","Asia/Yakutsk","Atlantic/Azores","Atlantic/Cabo_Verde","Atlantic/Georgia_Del_Sur","Australia/Adelaida","Australia/Brisbane","Australia/Darwin","Australia/Hobart","Australia/Melbourne","Australia/Perth","Australia/Sydney","Etc/UTC","Europa/Atenas","Europa/Belgrado","Europa/Berlín","Europa/Bratislava","Europa/Bruselas","Europa/Bucarest","Europa/Budapest","Europa/Copenhague","Europa/Dublín","Europa/Estambul","Europa/Estocolmo","Europa/Helsinki","Europa/Kiev","Europa/Lisboa","Europa/Liubliana","Europa/Londres","Europa/Madrid","Europa/Minsk","Europa/Moscú","Europa/Paris","Europa/Praga","Europa/Riga","Europa/Roma","Europa/Sarajevo","Europa/Skopie","Europa/Sofía","Europa/Tallin","Europa/Viena","Europa/Vilna","Europa/Warsaw Europa/Zagreb","Europa/Ámsterdam","Pacífico/Apia","Pacífico/Auckland","Pacífico/Fakaofo","Pacífico/Fiji","Pacífico/Guaján","Pacífico/Honolulú","Pacífico/Islas_Midway","Pacífico/Majuro","Pacífico/Numea","Pacífico/Pago_Pago","Pacífico/Puerto_Moresby","Pacífico/Tongatapu"]},"cell_phone":{"formats":["#{PhoneNumber.lada_dos} #### ####","#{PhoneNumber.lada_tres} ### ####","(#{PhoneNumber.lada_dos}) #### ####","(#{PhoneNumber.lada_tres}) ### ####","#{PhoneNumber.lada_dos}-####-####","#{PhoneNumber.lada_tres}-###-####","044 #{PhoneNumber.lada_dos} #### ####","044 #{PhoneNumber.lada_tres} ### ####","044 (#{PhoneNumber.lada_dos}) #### ####","044 (#{PhoneNumber.lada_tres}) ### ####","044 #{PhoneNumber.lada_dos}-####-####","044 #{PhoneNumber.lada_tres}-###-####"]},"company":{"name":["#{Name.last_name} #{suffix}","#{prefix} #{Name.last_name} #{suffix}","#{Name.last_name} y #{Name.last_name} #{suffix}","#{Name.last_name} #{Name.last_name} #{suffix}","#{Name.last_name}, #{Name.last_name} y #{Name.last_name} Asociados #{suffix}"],"prefix":["Grupo","Sociedad","Grupo Financiero","Colegio","Fondo"],"suffix":["S.A.","S.A. de C.V.","S.R.L","S.A.B.","S.C."],"university":{"name":["#{University.prefix} #{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name}","#{University.prefix} #{Address.state} #{University.suffix}"],"prefix":["Universidad","Instituto","Academia","Colegio"],"suffix":["Norte","del Norte","Occidental","Oeste","Del Sur","Sur","Oriental","Oriente","de Graduados","de Administración"]}},"internet":{"domain_suffix":["com","com.mx","mx","info","me","org","org.mx"],"free_email":["gmail.com","yahoo.com","hotmail.com","prodigy.net.mx"]},"name":{"first_name":["José Luis","Juan","Francisco","José","Antonio","Jesús","Miguel Ángel","Pedro","Alejandro","Manuel","Juan Carlos","Roberto","Jorge","Carlos","Fernando","Ricardo","Miguel","Javier","Martín","Rafael","Raúl","Arturo","Daniel","Eduardo","Enrique","Mario","José Antonio","Sergio","Gerardo","Salvador","Marco Antonio","Alfredo","David","Armando","Alberto","Luis","Óscar","Ramón","Guillermo","Rubén","Jaime","Felipe","Julio César","Andrés","Pablo","Ángel","Gabriel","Héctor","Alfonso","José Guadalupe","Agustín","Ignacio","Víctor","Rogelio","Gustavo","Ernesto","Rodolfo","Luis Alberto","Gilberto","Vicente","Juan Antonio","Tomás","Israel","César","Adrián","Ismael","Santiago","Humberto","Gregorio","Joel","Esteban","José Alfredo","Nicolás","Omar","Moisés","Félix","Lorenzo","Samuel","Carlos Alberto","José Angel","Ramiro","Abel","Jorge Luis","Marcos","Mario Alberto","Rodrigo","Edgar","Isidro","José Alberto","Leonardo","Benjamín","Jorge Alberto","Julio","Raymundo","Víctor Hugo","Saúl","Benito","José Juan","Rigoberto","Hugo","Guadalupe","María","Margarita","Verónica","María Elena","Josefina","Leticia","Teresa","Patricia","Rosa","Martha","Rosa María","Alicia","Yolanda","Francisca","Silvia","Elizabeth","Gloria","Ana María","Gabriela","Alejandra","María Luisa","María de Lourdes","Adriana","Araceli","Antonia","Lucía","Carmen","Irma","Claudia","Beatriz","Isabel","Laura","Maribel","Graciela","Virginia","Catalina","Esperanza","Angélica","Maricela","Cecilia","Susana","Cristina","Julia","Concepción","Victoria","Ofelia","Rocío","Carolina","Raquel","Petra","Lorena","Reyna","Sandra","Paula","Guillermina","Sara","Elvira","Manuela","Marisol","Mónica","Erika","Celia","Luz María","Irene","Magdalena","Estela","Ángela","Rosario","Esther","Eva","Norma","Aurora","Socorro","Consuelo","Lidia","Bertha","Sofía","Dolores","Elena","Rosalba","Liliana","Andrea","Adela","Mariana","Fabiola","Karina","Martina","Marcela","Miriam","Mercedes","Marina","Amalia","Olivia","Angelina","Sonia","Agustina","Edith","Lilia","Micaela"],"last_name":["Hernández","García","Martínez","López","González","Rodríguez","Pérez","Sánchez","Ramírez","Cruz","Flores","Gómez","Morales","Vázquez","Reyes","Jímenez","Torres","Díaz","Gutiérrez","Mendoza","Ruiz","Aguilar","Ortiz","Castillo","Moreno","Romero","Álvarez","Chávez","Rivera","Juárez","Ramos","Méndez","Domínguez","Herrera","Medina","Vargas","Castro","Guzmán","Velázquez","Muñoz","Rojas","Contreras","Salazar","Luna","de la Cruz","Ortega","Guerrero","Santiago","Estrada","Bautista","Cortés","Soto","Alvarado","Espinoza","Lara","Ávila","Ríos","Cervantes","Silva","Delgado","Vega","Márquez","Sandoval","Fernández","León","Carrillo","Mejía","Solís","Núñez","Rosas","Valdez","Ibarra","Campos","Santos","Camacho","Peña","Maldonado","Navarro","Rosales","Acosta","Miranda","Trejo","Cabrera","Valencia","Nava","Castañeda","Pacheco","Robles","Molina","Rangel","Fuentes","Huerta","Meza","Aguirre","Cárdenas","Orozco","Padilla","Espinosa","Ayala","Salas","Valenzuela","Zúñiga","Ochoa","Salinas","Mora","Tapia","Serrano","Durán","Olvera","Macías","Zamora","Calderón","Arellano","Suárez","Barrera","Zavala","Villegas","Gallegos","Lozano","Galván","Figueroa","Beltrán","Franco","Villanueva","Sosa","Montes","Andrade","Velasco","Arias","Marín","Corona","Garza","Ponce","Esquivel","Pineda","Alonso","Palacios","Antonio","Vásquez","Trujillo","Cortez","Rocha","Rubio","Bernal","Benítez","Escobar","Villa","Galindo","Cuevas","Bravo","Cano","Osorio","Mata","Carmona","Montoya","de Jesús","Enríquez","Cisneros","Rivas","Parra","Reséndiz","Téllez","Zárate","Salgado","de la Rosa","Vera","Tovar","Arroyo","Córdova","Leyva","Quintero","Becerra","Quiroz","Barajas","Ávalos","Peralta","Román","Esparza","Murillo","Guevara","Olivares","Félix","de León","Castellanos","Villarreal","Villalobos","Lugo","Ángeles","Montiel","Segura","Magaña","Saucedo","Gallardo","Mercado","Navarrete","Reyna","Paredes","Dávila","Leal","Guerra","Saldaña","Guillén","Santana","Uribe","Monroy","Piña","Yáñez","Nieto","Islas","Granados","Escobedo","Zapata","Caballero","del Ángel","Solano","Barron","Zepeda","Acevedo","Arriaga","Barrios","Mondragón","Galicia","Godínez","Ojeda","Duarte","Alfaro","Medrano","Rico","Aguilera","Gil","Ventura","Balderas","Arredondo","Coronado","Escamilla","Nájera","Palma","Amador","Blanco","Ocampo","Garduño","Barragán","Gámez","Francisco","Meléndez","Carbajal","Hurtado","Carrasco","Bonilla","Correa","Sierra","Anaya","Carranza","Romo","Valdés","Armenta","Alcántara","Escalante","Arreola","Quezada","Alarcón","Gaytán","Rentería","Vidal","Báez","de los Santos","Toledo","Colín","May","Carrera","Jaramillo","Santillán","Valle","Varela","Arenas","Rendón","Treviño","Venegas","Soriano","Zaragoza","Morán","Áviles","Aranda","Lira","Quintana","Arteaga","Valadez","Cordero","Sotelo","de la Torre","Muñiz","Hidalgo","Cázares","Covarrubias","Zamudio","Ordoñez","Aparicio","Baltazar","Gálvez","Madrigal"],"name":["#{prefix} #{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name}"],"prefix":["Sr.","Sra.","Srita.","Dr.","Ing."],"suffix":["Jr.","Sr.","I","II","III","IV","V"],"title":{"descriptor":["Supervisor","Asociado","Ejecutivo","Relacciones","Oficial","Gerente","Ingeniero","Especialista","Director","Coordinador","Administrador","Arquitecto","Analista","Diseñador","Planificador","Técnico","Funcionario","Desarrollador","Productor","Consultor","Asistente","Facilitador","Agente","Representante","Estratega"],"job":["Soluciones","Programa","Marca","Seguridad","Investigación","Marketing","Normas","Implementación","Integración","Funcionalidad","Respuesta","Paradigma","Tácticas","Identidad","Mercados","Grupo","División","Aplicaciones","Optimización","Operaciones","Infraestructura","Tecnologías de Información","Comunicaciones","Web","Calidad","Seguro","Mobilidad","Cuentas","Datos","Creativo","Configuración","Contabilidad","Interacciones","Factores","Usabilidad","Métricas","Departamento","Región","Supervisión","Planeación"],"level":["de","para"]}},"phone_number":{"formats":["#{PhoneNumber.lada_dos} #### ####","#{PhoneNumber.lada_tres} ### ####","(#{PhoneNumber.lada_dos}) #### ####","(#{PhoneNumber.lada_tres}) ### ####","#{PhoneNumber.lada_dos}-####-####","#{PhoneNumber.lada_tres}-###-####"],"lada_dos":["33","55","81"],"lada_tres":["222","223","224","225","226","227","228","229","231","232","233","235","236","237","238","241","243","244","245","246","247","248","249","271","272","273","274","275","276","278","279","281","282","283","284","285","287","288","294","296","297","311","312","313","314","315","316","317","319","321","322","323","324","325","326","327","328","329","341","342","343","344","345","346","347","348","349","351","352","353","354","355","356","357","358","359","371","372","373","374","375","376","377","378","381","382","383","384","385","386","387","388","389","391","392","393","394","395","411","412","413","414","415","417","418","419","421","422","423","424","425","426","427","428","429","431","432","433","434","435","436","437","438","441","442","443","444","445","447","448","449","451","452","453","454","455","456","457","458","459","461","462","463","464","465","466","467","468","469","471","472","473","474","475","476","477","478","481","482","483","485","486","487","488","489","492","493","494","495","496","498","499","588","591","592","593","594","595","596","597","599","612","613","614","615","616","618","621","622","623","624","625","626","627","628","629","631","632","633","634","635","636","637","638","639","641","642","643","644","645","646","647","648","649","651","652","653","656","658","659","661","662","664","665","667","668","669","671","672","673","674","675","676","677","686","687","694","695","696","697","698","711","712","713","714","715","716","717","718","719","721","722","723","724","725","726","727","728","731","732","733","734","735","736","737","738","739","741","742","743","744","745","746","747","748","749","751","753","754","755","756","757","758","759","761","762","763","764","765","766","767","768","769","771","772","773","774","775","776","777","778","779","781","782","783","784","785","786","789","791","797","821","823","824","825","826","828","829","831","832","833","834","835","836","841","842","844","845","846","861","862","864","866","867","868","869","871","872","873","877","878","891","892","894","897","899","913","914","916","917","918","919","921","922","923","924","932","933","934","936","937","938","951","953","954","958","961","962","963","964","965","966","967","968","969","971","972","981","982","983","984","985","986","987","988","991","992","993","994","995","996","997","998","999"]}}}); -I18n.translations["en-NG"] = I18n.extend((I18n.translations["en-NG"] || {}), {"faker":{"address":{"cities":["Aba","Abakaliki","Abeokuta","Abuja","Ado","Ekiti","Agege","Akpawfu","Akure","Asaba","Awka","Bauchi","Benin","City","Birnin","Kebbi","Buguma","Calabar","Dutse","Eket","Enugu","Gombe","Gusau","Ibadan","Ifelodun","Ife","Ikeja","Ikirun","Ikot-Abasi","Ikot","Ekpene","Ilorin","Iragbiji","Jalingo","Jimeta","Jos","Kaduna","Kano","Katsina","Karu","Kumariya","Lafia","Lagos","Lekki","Lokoja","Maiduguri","Makurdi","Minna","Nsukka","Offa","Ogbomoso","Onitsha","Okene","Ogaminana","Omu-Aran","Oron","Oshogbo","Owerri","Owo","Orlu","Oyo","Port","Harcourt","Potiskum","Sokoto","Suleja","Umuahia","Uyo","Warri","Wukari","Yenagoa","Yola","Zaria","Ogbomosho","Osogbo","Iseyin","Ilesa","Ondo","Damaturu","Mubi","Sagamu","Ugep","Ijebu","Ode","Ise","Gboko","Ilawe","Ikare","Bida","Okpoko","Sapele","Ila","Shaki","Ijero","Otukpo","Kisi","Funtua","Gbongan","Igboho","Amaigbo","Gashua","Bama","Uromi","Okigwe","Modakeke","Ebute","Ikorodu","Effon","Alaiye","Ikot-Ekpene","Iwo","Ikire","Shagamu","Ijebu-Ode","Nnewi","Ise-Ekiti","Orangun","Saki","Ijero-Ekiti","Inisa","Kishi","Ejigbo","Okrika","Ilobu","Okigwi","Esuk","Nguru","Hadejia","Ijebu-Igbo","Pindiga","Azare","Nkpor","Ikerre","Lafiagi","Kontagora","Biu","Olupona","Lere","Igbo","Ora","Emure-Ekiti","Isieke","Ifo","Igede-Ekiti","Effium","Idanre","Keffi","Epe","Gambaru","Ogaminan","Ihiala","Ipoti","Lalupon","Ughelli","Bende","Oke","Mesi","Kafachan","Ikom","Agulu","Daura","Numan","Kagoro","Igbo-Ukwu","Araomoko","Igbara-Odo","Ozubulu","Aku","Oyan","Jega","Ohafia-Ifigh","Afikpo","Apomu","Fiditi","Orita","Eruwa","Eha","Amufu","Malumfashi","Kaura","Namoda","Enugu-Ukwu","Idah","Obonoma","Agbor","Ezza","Ohu","Uga","Nkwerre","Auchi","Ekpoma","Ijesha","Kabba","Ilaro","Argungu","Gumel","Geidam","Talata","Mafara","Gummi","Ogoja","Ala","Itu","Kumo","Pankshin","Nassarawa","Kachia","Dikwa","Moriki","Pategi","Wamba","Baro","Okuta","Kudu","Badagry","Ogwashi-Uku","Kamba","Takum","Igbeti","Zungeru","Zuru","Tegina","Awgu","Wudil","Nafada","Ibi","Sofo-Birnin-Gwari","Dutsen","Wai","Kaiama","Ubiaja","Otukpa","Oguta","Damboa","Jebba","Garko","Mokwa","Gaya","Tambawel","Elele","Mongonu","Kwale","Gembu","Obudu","Little","Gombi","Magumeri","Degema","Hulk","Enugu-Ezike","Kari","Darazo"],"city":["#{cities}"],"default_country":["Nigeria"],"lga":["Abadam","Abaji","Abak","Abakaliki","Aba North","Aba South","Abeokuta North","Abeokuta South","Afijio","Afikpo North","Afikpo South","Agaie","Agatu","Agwara","Agege","Aguata","Ahoada East","Ahoada West","Ajaokuta","Ajeromi-Ifelodun","Akoko-Edo","Akoko North-East","Akoko North-West","Akoko South-West","Akoko South-East","Akuku-Toru","Akure North","Akure South","Akwanga","Albasu","Alimosho","Amuwo-Odofin","Arewa Dandi","Arochukwu","Asari-Toru","Atakunmosa East","Atakunmosa West","Awka North","Awka South","Bokkos","Batagarawa","Birnin Kebbi","Calabar Municipal","Calabar South","Dange Shuni","Ede North","Ede South","Ife Central","Ife East","Ife North","Ife South","Efon","Egbado North","Egbado South","Enugu East","Enugu North","Enugu South","Epe","Gayuk","Gwarzo","Gwer East","Gwer West","Ibeju-Lekki","Ibeno","Idemili North","Idemili South","Igueben","Ihiala","Ikeja","Ikenne","Ikot Abasi","Ikot Ekpene","Sapele","Sardauna","Shendam","Shinkafi","Shomolu","Surulere","Ughelli North","Ughelli South","Ugwunagbo","Uyo","Wase","Wudil","Yala","Yusufari"],"region":["South-West","North-East","South-South","North-Central","South-East","North-West"],"state":["Abia","Adamawa","Anambra","Akwa","Ibom","Bauchi","Bayelsa","Benue","Borno","Cross","River","Delta","Ebonyi","Enugu","Edo","Ekiti","Gombe","Imo","Jigawa","Kaduna","Kano","Katsina","Kebbi","Kogi","Kwara","Lagos","Nasarawa","Niger","Ogun","Ondo","Osun","Oyo","Plateau","Rivers","Sokoto","Taraba","Yobe","Zamfara","Abuja"],"street_suffix":["Avenue","Branch","Bridge","Bypass","Road","Drive","Drive","Drives","Estate","Estates","Expressway","Extension","Falls","Flat","Flats","Freeway","Garden","Gardens","Gateway","Harbor","GRA","Highway","Island","Island","Junction","Roundabout","Toll Gate","Lake","Land","Landing","Industrial Layout","Lane","Lodge","Lodge","Mill","Mills","Mission","Mission","Motorway","Overpass","Park","Parkway","Pass","Path","Pike","Mall","Plaza","Plaza","Port","Port","Ranch","River","Road","Road","Roads","Roads","Route","Square","Square","Station","Station","Street","Street","Streets","Terrace","Underpass","Union","Via","Ville","Walk","Way"]},"internet":{"domain_suffix":["com.ng","com","ng","net","edu.ng","org","gov.ng","org.ng","biz","co"]},"name":{"first_name":["Adedayo","Chukwu","Emmanuel","Yusuf","Chinedu","Muyiwa","Wale","Chizoba","Chinyere","Temitope","Chiamaka","Obioma","Aminat","Sekinat","Kubura","Damilola","Bukola","Johnson","Akande","Akanni","Tope","Titi","Emeka","Uzodimma","Akunna","Buchi","Ikenna","Azubuike","Ifeanyichukwu","Ifeoma","Adaugo","Adaobi","Danjuma","Musa","Yakubu","Fatima","Habiba","Kubra","Sumayyah","Zainab","Rasheedah","Aminu","Adegoke","Adeboye","Funmilayo","Funmilade","Olufunmi","Sname","Tobiloba","Tomiloba","Toluwani","Titilayo","Titilope","Kemi","Damilare","Olaide","Makinwa","Toke","Rotimi","Onome","Efe","Abisola","Abisoye","Chisom","Cherechi","Onoriode","Ifunanya","Simisola","Bankole","Mohammed","Tari","Ebiere","Ayebatari","Ebiowei","Esse","Isioma","Lola","Lolade","Augustina","Shalewa","Shade","Omolara","Gbeminiyi","Gbemisola","Jadesola","Omawunmi","Olumide","Oluwunmi","Ayinde","Chimamanda","Abimbola","Remilekun","Jolayemi","Ireti","Banji","Alade"],"last_name":["Tella","Justina","Ademayowa","Sabdat","Ayomide","Yussuf","Ayisat","Oyebola","Oluwanisola","Esther","Adeniyan","Olubukola","Adewale","Mayowa","Emmanuel","Ajakaiye","Mobolaji","Adeoluwa","Ajose-adeogun","Omowale","Abiola","Aremu","Ismail","Olawale","Atanda","Olasunkanmi","Taiwo","Bamisebi","Aderinsola","David","Egbochukwu","Ebubechukwu","Miracle","Ekwueme","Onyinyechukwu","Isokun","Adesina","Mustapha","Ladega","Olumide","Kayode","Leonard","Adaobi","Uchechi","Mogbadunade","Oluwatosin","Grace","Nojeem","Sekinat","Omolara","Chidinma","Maryjane","Ogunwande","Olubunmi","Agnes","Osuagwu","Elizabeth","Obianuju","Oyelude","Aminat","Odunayo","Peter","Chibuike","Sylvester","Salami","Oluwaseyi","Agboola","Abodunrin","Isreal","Ademola","Akintade","Katherine","Oluwaseun","Aligbe","Isaac","Amaechi","Bello","Adewura","Latifat","Ehigiator","Kimberly","Onohinosen","Elebiyo","Ayomide","Elizabeth","Ndukwu","Ngozi","Clare","Ogunbanwo","Olufeyikemi","Okonkwo","Makuachukwu","Obiageli","Oladeji","Odunayo","Abiodun","Wilcox","Tamunoemi","Iyalla","Adegboye","Kayode","David","Akeem-omosanya","Muinat","Wuraola","Nwuzor","Christian","Akerele","Samuel","Sanusi","Olutola","Mutiat","Elizabeth","Adebayo","Habeeb","Temitope","Adegoke","Joshua","Omobolaji","Adewale","Adewunmi","Gbogboade","Adewale","Adeyemo","Funmilayo","Afunku","Oyinkansola","Maryam","Aigbiniode","Tolulope","Onose","Babalola","Olaoluwa","Yaqub","Nwogu","Chidozie","Emmanuel","Chibike","Agboola","Mukaram","Afolabi","Gbadamosi","Saheed","Opeyemi","Jimoh","Jamiu","Babatunde","Motalo","Omobolanle","Sarah","Okunola","Oluwashina","Olasunkanmi-fasayo","Wasiu","Ayobami","Busari","Segunmaru","Aderonke","Hanifat","Balogun","Sulaimon","Oladimeji","Oluwakemi"],"name":["#{first_name} #{last_name}"]},"phone_number":{"formats":["080########","070########","090########","081########","071########","091########"]}}}); -I18n.translations["en-AU"] = I18n.extend((I18n.translations["en-AU"] || {}), {"faker":{"address":{"building_number":["####","###","##"],"default_country":["Australia"],"postcode":["0###","2###","3###","4###","5###","6###","7###"],"state":["New South Wales","Queensland","Northern Territory","South Australia","Western Australia","Tasmania","Australian Capital Territory","Victoria"],"state_abbr":["NSW","QLD","NT","SA","WA","TAS","ACT","VIC"],"street_suffix":["Avenue","Boulevard","Circle","Circuit","Court","Crescent","Crest","Drive","Estate Dr","Grove","Hill","Island","Junction","Knoll","Lane","Loop","Mall","Manor","Meadow","Mews","Parade","Parkway","Pass","Place","Plaza","Ridge","Road","Run","Square","Station St","Street","Summit","Terrace","Track","Trail","View Rd","Way"]},"cell_phone":{"formats":["04##-###-###","(0) 4##-###-###","04## ### ###","04########","04## ## ## ##"]},"company":{"suffix":["Pty Ltd","and Sons","Corp","Group","Brothers","Partners"]},"internet":{"domain_suffix":["com.au","com","net.au","net","org.au","org"]},"name":{"first_name":["William","Jack","Oliver","Joshua","Thomas","Lachlan","Cooper","Noah","Ethan","Lucas","James","Samuel","Jacob","Liam","Alexander","Benjamin","Max","Isaac","Daniel","Riley","Ryan","Charlie","Tyler","Jake","Matthew","Xavier","Harry","Jayden","Nicholas","Harrison","Levi","Luke","Adam","Henry","Aiden","Dylan","Oscar","Michael","Jackson","Logan","Joseph","Blake","Nathan","Connor","Elijah","Nate","Archie","Bailey","Marcus","Cameron","Jordan","Zachary","Caleb","Hunter","Ashton","Toby","Aidan","Hayden","Mason","Hamish","Edward","Angus","Eli","Sebastian","Christian","Patrick","Andrew","Anthony","Luca","Kai","Beau","Alex","George","Callum","Finn","Zac","Mitchell","Jett","Jesse","Gabriel","Leo","Declan","Charles","Jasper","Jonathan","Aaron","Hugo","David","Christopher","Chase","Owen","Justin","Ali","Darcy","Lincoln","Cody","Phoenix","Sam","John","Joel","Isabella","Ruby","Chloe","Olivia","Charlotte","Mia","Lily","Emily","Ella","Sienna","Sophie","Amelia","Grace","Ava","Zoe","Emma","Sophia","Matilda","Hannah","Jessica","Lucy","Georgia","Sarah","Abigail","Zara","Eva","Scarlett","Jasmine","Chelsea","Lilly","Ivy","Isla","Evie","Isabelle","Maddison","Layla","Summer","Annabelle","Alexis","Elizabeth","Bella","Holly","Lara","Madison","Alyssa","Maya","Tahlia","Claire","Hayley","Imogen","Jade","Ellie","Sofia","Addison","Molly","Phoebe","Alice","Savannah","Gabriella","Kayla","Mikayla","Abbey","Eliza","Willow","Alexandra","Poppy","Samantha","Stella","Amy","Amelie","Anna","Piper","Gemma","Isabel","Victoria","Stephanie","Caitlin","Heidi","Paige","Rose","Amber","Audrey","Claudia","Taylor","Madeline","Angelina","Natalie","Charli","Lauren","Ashley","Violet","Mackenzie","Abby","Skye","Lillian","Alana","Lola","Leah","Eve","Kiara"],"last_name":["Smith","Jones","Williams","Brown","Wilson","Taylor","Johnson","White","Martin","Anderson","Thompson","Nguyen","Thomas","Walker","Harris","Lee","Ryan","Robinson","Kelly","King","Davis","Wright","Evans","Roberts","Green","Hall","Wood","Jackson","Clarke","Patel","Khan","Lewis","James","Phillips","Mason","Mitchell","Rose","Davies","Rodriguez","Cox","Alexander","Garden","Campbell","Johnston","Moore","Smyth","O'neill","Doherty","Stewart","Quinn","Murphy","Graham","Mclaughlin","Hamilton","Murray","Hughes","Robertson","Thomson","Scott","Macdonald","Reid","Clark","Ross","Young","Watson","Paterson","Morrison","Morgan","Griffiths","Edwards","Rees","Jenkins","Owen","Price","Moss","Richards","Abbott","Adams","Armstrong","Bahringer","Bailey","Barrows","Bartell","Bartoletti","Barton","Bauch","Baumbach","Bayer","Beahan","Beatty","Becker","Beier","Berge","Bergstrom","Bode","Bogan","Borer","Bosco","Botsford","Boyer","Boyle","Braun","Bruen","Carroll","Carter","Cartwright","Casper","Cassin","Champlin","Christiansen","Cole","Collier","Collins","Connelly","Conroy","Corkery","Cormier","Corwin","Cronin","Crooks","Cruickshank","Cummings","D'amore","Daniel","Dare","Daugherty","Dickens","Dickinson","Dietrich","Donnelly","Dooley","Douglas","Doyle","Durgan","Ebert","Emard","Emmerich","Erdman","Ernser","Fadel","Fahey","Farrell","Fay","Feeney","Feil","Ferry","Fisher","Flatley","Gibson","Gleason","Glover","Goldner","Goodwin","Grady","Grant","Greenfelder","Greenholt","Grimes","Gutmann","Hackett","Hahn","Haley","Hammes","Hand","Hane","Hansen","Harber","Hartmann","Harvey","Hayes","Heaney","Heathcote","Heller","Hermann","Hermiston","Hessel","Hettinger","Hickle","Hill","Hills","Hoppe","Howe","Howell","Hudson","Huel","Hyatt","Jacobi","Jacobs","Jacobson","Jerde","Johns","Keeling","Kemmer","Kessler","Kiehn","Kirlin","Klein","Koch","Koelpin","Kohler","Koss","Kovacek","Kreiger","Kris","Kuhlman","Kuhn","Kulas","Kunde","Kutch","Lakin","Lang","Langworth","Larkin","Larson","Leannon","Leffler","Little","Lockman","Lowe","Lynch","Mann","Marks","Marvin","Mayer","Mccullough","Mcdermott","Mckenzie","Miller","Mills","Monahan","Morissette","Mueller","Muller","Nader","Nicolas","Nolan","O'connell","O'conner","O'hara","O'keefe","Olson","O'reilly","Parisian","Parker","Quigley","Reilly","Reynolds","Rice","Ritchie","Rohan","Rolfson","Rowe","Russel","Rutherford","Sanford","Sauer","Schmidt","Schmitt","Schneider","Schroeder","Schultz","Shields","Smitham","Spencer","Stanton","Stark","Stokes","Swift","Tillman","Towne","Tremblay","Tromp","Turcotte","Turner","Walsh","Walter","Ward","Waters","Weber","Welch","West","Wilderman","Wilkinson","Williamson","Windler","Wolf"]},"phone_number":{"formats":["0# #### ####","+61 # #### ####","+61 4## ### ###"]},"team":{"sport":["basketball","football","footy","netball","rugby"]}}}); -I18n.translations["en-PAK"] = I18n.extend((I18n.translations["en-PAK"] || {}), {"faker":{"address":{"default_country":["Pakistan","Islamic Republic of Pakistan"],"postcode":["####0"],"state":["Balochistan","Khyber Pakhtunkhwa","Punjab","Sindh","Islamabad Capital Territory","Federally Administered Tribal Areas","Azad Jammu and Kashmir","Gilgit-Baltistan"]},"company":{"suffix":["Pvt Ltd","Limited","Ltd","and Sons","Corp","Group","Brothers","CO"]},"internet":{"domain_suffix":["pk","com","com.pk","name","net","org","html","edu"],"free_email":["gmail.com","yahoo.com","hotmail.com"]},"name":{"first_name":["Hamza","Harris","Raees","Ehtisham","Zohair","Zuhaib","Aslam","Nadeem","Younas","Danish","Zahoor","Abdul","Nizam","Taimur","Iftikhar","Kashif","Naseer","Zohaib","Mazhar","Saeed","Jawad","Wakeel Khan","Quddus","Nasir","Tabraiz","Shahbaz","Wasi","Rahim","Suleman","Akbar","Maqbool Ahmed","Sajjad","Akif","Sarmad","Zarar","Zulqarnain","Sunny","Nawaz","Sattar","Humayun","Khurshid","Abid","Ahmed","Ijaz","Tariq","Sarim Hayat","Syed Najum","Rashid","Umair","Zubair","Salim","Sultan","Nauman","Waqar","Imran","Fazal","Usman","Adam","Ilyas","Saghar","Azeem","Ali","Akram","Dawood","Sohrab","Zeeshan","Amjad","Majid","Naveed","Yousaf","Safeer","Akhtar","Muzaffar","Saqlain","Afzal","Maqsood","Hassan","Moheem","Zaighum","Amir","Saqib","Vazir","Vakeel","Qadir","Malik","Jafar","Sikandar","Ismail","Junaid","Mehr","Idrees Khan","Jamal","Shafqat","Taufeeq","Rasheed","Shakoor","Wasim","Saadat","Siddiq","Shabbir","Umair","Shams","Habib","Salahuddin","Fayaz","Faiz","Zaeem","Yasir","Shan","Wasif","Khan","Adnan","Arsalan","Shamsher","Nafees","Mumtaz","Javid","Yahya","Uzaif","Ayub","Noman","Zameer","Mian","Mushtaq","Aleem","Ghayoor","Khalid","Taj","Parvez","Zahid","Aziz","Tanvir","Musharraf","Shakir","Sohail","Arif","Sabir","Zain","Tauseef","Saif","Rahman","Aqib","Zulfiqar","Salman","Sibtain","Hamid","Sohaib","Najib","Sadaqat","Inzamam","Haroon","Danial","Imran","Fahid","Aqeel","Subhan","Shakeel","Rana","Hammad","Faizan","Muhammad","Ahmer","Jabbar","Aamir Saleem","Kaleem","Tauqeer","Bilal","Razzaq","Zafar","Shahzad","Latif","Mohammed","Raja Zohaib","Munawar","Karim","Waheed","Mustafa","Sameer","Sarwar","Sarfraz","Jaleel","Jamal","Salman","Sagheer","Qasim","Mustansar","Umar","Mohammad","Waheed","Sadiq","Taha","Amin","Mujtaba","Mahmood","Hameed","Zareef","Fahad","Irfan","Yawar","Waqas","Ishaq","Arshad","Mustafa","Khushal","Murtaza","Qaiser","Farrukh","Naeem","Abbas","Qais","Idrees","Masood","Aon","Daniyal","Zaman","Zia","Obaid","Mubashar","Wasay","Yasin","Zakir","Shoaib","Bashir","Azhar","Jarrar","Waseem","Yar","Zain","Naeem","Zakaria","Jameel","Sahir","Ibrahim","Ahsan","Shafiq","Haji","Babar","Shahid","Sheraz","Saad","Ghous","Tajammul","Saif","Mohsin","Azad","Zaheer","Farooq","Rauf","Ghafoor","Babar","Sajid","Abrar","Haider","Shaukat","Omar","Sohail","Irfan","Wakeel","Wazir","Mohammad","Hadier","Shuja","Chaudhary","Adeel","Asad","Saad","Afzaal","Mudassar","Nabeel","Fazal","Altaf","Wajid","Ayaaz","Wahid","Usman","Fawad","Ajmal","Ibrahim","Raza","Danial","Rizwan","Wali"],"last_name":["Jutt","Khan","Butt","Mughal","Bhatti","Sindho","Virk","Dar","Nambardar","Qazi","Gujjar","Iqbal","Adil","Ali Raza","Azam","Zarnosh Khan","Riaz","Farid","Asim","Uzair","Tahir","Saud","Hasan","Muhammad","Tehsin","Sher","Ahmed","Tufail","Faisal","Shujaat","Shehzad","Sharjeel","A Haq Ansari","Kabir","Sheharyar","Safdar","Talat","Jalal","Hussain","Anwar","Hafeez","Ash","Rameez","Badar","Javed"]},"phone_number":{"formats":["+92##########","+92 ### #######","03##-#######"]}}}); -I18n.translations["en-SG"] = I18n.extend((I18n.translations["en-SG"] || {}), {"faker":{"address":{"building_number":["#","##","###"],"default_country":["Singapore"],"postcode":["######"],"street_address":["#{building_number} #{street_name}"],"street_name":["#{streets} St #{building_number}","#{streets} Ave #{building_number}","#{streets} Road"],"streets":["Tampines","Hougang","Sims","Bukit Timah","Jurong West","Teck Whye","Choa Chu Kang North","Woodlands","Sembawang","Ah Soo","Paya Lebar","Serangoon","Lor Lew Lian","Woodlands","Geyland","Clementi","Bukit Merah","Tanglin"]},"name":{"female_english_name":["Alicia","Caitlin","Denise","Emerald","Erin","Jocelyn","Levene","Rosaline","Victoria","Amy","Angelyn","Chloe","Erin","Isabel","Jolene","Natalyn","Rachael","Rishi","Valerie","Anastasia","Andrea","Carina","Celeste","Flo","Janessa","Joeunn","Mabel","Riya","Samantha","Tricia","Aurelia","Chanel","Colette","Fynn","Gwyneth","Josephine","Keisha","Rachael","Sarah","Sharlene","Val","Charlotte","Chloe","Danielle","Gabrielle","Glory","Isabel","Kyra","Marilyn","Raine","Sophie","Beatrice","Cassia","Cheralyn","Christy","Dilys","Glynis","Isabelle","Megan","Shannen","Tisha","Tricia","Victoria","Bethley","Catherine","Claire","Clarissa","Eleanor","Isabelle","Megan","Mikayla","Renee","Steffi","Vera","Zoe","Alanna","Alyssa","Angeline","Anya","Ciara","Clare","Isabella","Jeanette","Kaelyn","Kate","Megan","Nieve","Shannel","Valerie","Anastasia","Ariel","Gwenn","Janine","Kara","Kate","Katelyn","Natalie","Natally","Samantha","Shannon","Tiffany","Arielle","Ashley","Claire","Jovi","Kimi","Vil","Alicia","Caroline","Chanell","Elizabeth","Heidi","Megan","Nericcia","Sharmaine","Amelia","Caitlyn","Elisha","Rachel","Rannel","Rianne","Andrea","Celeste","Chantelle","Emma","Heidi","Joey","Khloe","Maegin","Mayenne","Regina","Anna","Cherie","Christie","Janelle","Jenell","Johannah","Leah","Marissa","Arissa","Evangelyn","Faith","Phobe","Rebecca","Regina","Cindy","Karen","Jess"],"female_first_name":["Xiu Yi","Wai Teng","Sing Yee","Jing Yi","Jia Yee","Jia Xuan","Shu En","Pei Ying","Pei Yu","Pih Foung","Li-ann","Shi Xuan","Yi Xuan","Shu En","Yi Xin","Hui Juan","Yu En","Yihui","Xin Yi","Yun Xuan","Xuan Xuan","Cheuk Ying","Shiqi","Yujin","Wee Xin","Jing Xuan","Huishan","Yi Ting","Wei Xuan","Shi Ning","Zi Shan","Jing Ning","Lee Shyin","Yi Ning","Enyi","Siying","Ruitong","Rui Xuan","Siyun","Xi Xuan","Shuwei","Jie Ying","Hui Jie","Xuan Na","Sze Han","Rou'en","Wei Xuan","Kaiyi","An Xuan","Enxuan","Yu Xuan","Qi Qi","Yutong","Jia En","Chee En","Ruining","Lee Ying","Yu Qi","Ke Xuan","Teo Xinyu","Xin Yee","Xuan Ling","Zhi Yi","Yan Tong","En Qi","Yi Ting","Yanling","Sining","Yixuan","Zu'er","Ke Xuan","Ying Le","Qinyi","Li Min","Yi Ling","Xu Tong","Ser Shyann","Teng Ee","Miao Yun","Yng Qi","Xuan Yi","Yi Shan","Rui Tian","Ruishan","Jia Xuan","Kai Le","Le Xuan","Yu Tong","Kai Qi","Xuan Rong","Wen Xin","Si Xuan","Ying Xin","Tong En","Xinhui","Qingyi","En Hui","Yunwen","Zi Xuan","Kai En","Ann Ting","Yu En","Yu Xin","Ting Loh","Jia Yi","Min Wen","Jia Jia","Ke Xin","Yuxuan","Xin Ling","Lizi","Tschi-xuan","Yu Chen","Yi Lea","Ziyu","Tay Ting","Yingbi","See-yi","Fang'en","Chze Xuan","Xue Ying","Wenyan","Zi Yuan","Bei'en","Yuxi","Rei En","Yitong","Kaiting","Jing Xuan","Shu Wen","Wenxuan","Hui Xuan","Wan Ying","Rui-han","Weining","Jia'en","Hann-yi","Cze En","Zhiyu","Yen Yee","Ling Xuan","Si Ying"],"first_name":["Jin Quan","Wen Jun","Jun Jie","Cheng Han","Tze-Kwang","Jin Leong","Zi Liang","Zhi Ren","Jin Quan","Wen Jun","Chee Hin","Guo Jun","Kai Jie","Kun Qiang","Jun Kiat","Yong Zheng","Yong Jun","Chit Boon","You Ren","Wen Zhong","Yang Shun","Qi Guang","Kang Soon","Wee Heng","Kah Yang","Siew Beng","Jia Woei","Chean Meng","Wai Kay","Keng Hua","Yew Meng","Cheng Wen","Jiun Wei","Yee Sian","Shao Hong","Bin Shen","Wing Yiu","Ee Hong","Yu Pyn","Yong Sheng","Jun Peng","Jia Jie","Guang Yi","Si Heng","Wei Hou","Kang Sheng","Hong Ern","Jia Liang","Wei Lip","Wee Chen","Wee Leng","Yu Xi","Ming Yang","Wen Hao","Siang Meng","Mong Li","Ghim Huat","Jun Yi","Jie Kai","Zhiming","Wei Jie","Teng Qing","Wei Jian","Wei Kwan","Chee Chin","Chun Mun","Ming Hui","Chuan Yeong","Yee Jen","Sin Tian","Jun Hao","Wai Kit","Wei Jie","Zhi Wei","Yan Han","Guo Qiang","Juin Wen","Jun Wei","Jia Jun","You Ming","Kok Keng","Jing Hui","Yi Hui","Peck Seng","Yu Ming","Yan Ming","Wang Jie","Wei Jian","Wei Xiang","Jian Yu","Kah Seng","Jia Woei","Li Heng","Shao Quan"],"last_name":["Tan","Lim","Lee","Ng","Ong","Wong","Goh","Chua","Chan","Koh","Teo","Ang","Yeo","Tay","Ho","Low","Toh","Sim","Chong","Chia","Fong","Leong","Chow","Ou","Li","Koh","Gan","Chai","Sim","Choo","Goy","Phua","Thio","Chin","Neo","Khoo","Wee","Kok","Lai","Soh","Lin","Liew","Ko","Oh","Peh","Lam","Au","Seah","Boey","Lau","Pang","Lye","Quah","Yong","Lui","Lum","Seow","Loh","Chew","Mok","Lew","Chee","Loo","Gn","Tang","Yap","Wan","Yee","Yip","Tey","Ow","Liu","Tham","See","Woo","Heng","Leow","Chen","Foo","Poh"],"male_english_name":["Leon","Bryan","Jack","Stephen","Andy","Jerome","Ian","Desmond","Lucas","Morgan","Keith","Ivan","Gavin","Winson","Raynor","Ryan","Kenson","Benjamin","Benny","Eugene","Melvin","Shawn","Aaron","Justin","Emmanuel","Steven","Joshua","Terence","Darren","Daniel","Aloysius","John","Jeremy","Wilson","Dave","Vincent","Ryan","Sebastian","Edward","Daryl","Eddy","William","Jason","Nicholas","Brian","Sean","Calvin","Russell","Raphael","Kenneth","Angus","James","Dennis","Mark","Jedd","Sherman","Marvin","Edmund","Henry","Kevin","Vernon","Benedict","Brendan","Gilbert","Josh","Jay","Winston","Nicholas","Eric","Daren","Nelson","Xavier","Glen","Gabriel","Matthew","Tristan"],"male_first_name":["Jin Quan","Wen Jun","Jun Jie","Cheng Han","Tze-Kwang","Jin Leong","Zi Liang","Zhi Ren","Jin Quan","Wen Jun","Chee Hin","Guo Jun","Kai Jie","Kun Qiang","Jun Kiat","Yong Zheng","Yong Jun","Chit Boon","You Ren","Wen Zhong","Yang Shun","Qi Guang","Kang Soon","Wee Heng","Kah Yang","Siew Beng","Jia Woei","Chean Meng","Wai Kay","Keng Hua","Yew Meng","Cheng Wen","Jiun Wei","Yee Sian","Shao Hong","Bin Shen","Wing Yiu","Ee Hong","Yu Pyn","Yong Sheng","Jun Peng","Jia Jie","Guang Yi","Si Heng","Wei Hou","Kang Sheng","Hong Ern","Jia Liang","Wei Lip","Wee Chen","Wee Leng","Yu Xi","Ming Yang","Wen Hao","Siang Meng","Mong Li","Ghim Huat","Jun Yi","Jie Kai","Zhiming","Wei Jie","Teng Qing","Wei Jian","Wei Kwan","Chee Chin","Chun Mun","Ming Hui","Chuan Yeong","Yee Jen","Sin Tian","Jun Hao","Wai Kit","Wei Jie","Zhi Wei","Yan Han","Guo Qiang","Juin Wen","Jun Wei","Jia Jun","You Ming","Kok Keng","Jing Hui","Yi Hui","Peck Seng","Yu Ming","Yan Ming","Wang Jie","Wei Jian","Wei Xiang","Jian Yu","Kah Seng","Jia Woei","Li Heng","Shao Quan"],"name":["#{last_name} #{male_first_name}","#{male_english_name} #{last_name} #{male_first_name}","#{last_name} #{female_first_name}","#{female_english_name} #{last_name} #{female_first_name}"]},"phone_number":{"formats":["+65 6### ####","+65 9### ####","+65 8### ####"]}}}); -I18n.translations["en-NZ"] = I18n.extend((I18n.translations["en-NZ"] || {}), {"faker":{"address":{"building_number":["####","###","##"],"default_country":["New Zealand"],"postcode":["0###","2###","3###","4###","5###","6###","7###","8###","9###"],"region":["Northland","Auckland","Waikato","Bay of Plenty","Gisborne","Hawkes Bay","Taranaki","Manawatu","Wellington","Tasman","Nelson","Marlborough","West Coast","Canterbury","Otago","Southland"],"region_abbr":["NTL","AUK","WKO","BOP","GIS","HKB","TKI","MWT","WGN","TAS","NSN","MBH","WTC","CAN","OTA","STL"],"street_suffix":["Avenue","Boulevard","Circle","Circuit","Court","Crescent","Crest","Drive","Estate Dr","Grove","Hill","Island","Junction","Knoll","Lane","Loop","Mall","Manor","Meadow","Mews","Parade","Parkway","Pass","Place","Plaza","Ridge","Road","Run","Square","Station St","Street","Summit","Terrace","Track","Trail","View Rd","Way"]},"cell_phone":{"formats":["02##-###-###","02## ### ###","02# ### ###","02#-###-####"]},"company":{"suffix":["Ltd","Ltc","and Sons","Group","Brothers","Partners"]},"internet":{"domain_suffix":["co.nz","com","net.nz","net","org.nz","org","govt.nz","iwi.nz","nz","io","co"]},"name":{"first_name":["Nikau","Ari","Manaia","Wiremu","Kauri","Mikaere","Rawiri","Ihaia","Kai","Manaaki","Tai","Tane","Tamati","Taika","Kahurangi","Tangaroa","Manawa","Ihaka","Tama","Tawhiri","Oliver","Jack","William","James","Benjamin","Mason","Hunter","Charlie","Liam","Jacob","Noah","Thomas","Max","Lucas","George","Samuel","Ryan","Alexander","Ethan","Cooper","Maia","Manaia","Anahera","Ana","Aroha","Kaia","Hana","Ataahua","Tia","Kora","Amaia","Tui","Te Aroha","Kahurangi","Awhina","Manawa","Kara","Aaria","Rui","Te Ao","Olivia","Charlotte","Harper","Sophie","Emily","Ella","Isla","Mia","Amelia","Isabella","Ruby","Grace","Emma","Chloe","Ava","Lucy","Zoe","Mila","Sophia","Lily"],"last_name":["Smith","Jones","Williams","Brown","Wilson","Taylor","Johnson","White","Martin","Anderson","Thompson","Nguyen","Thomas","Walker","Harris","Lee","Ryan","Robinson","Kelly","King","Davis","Wright","Evans","Roberts","Green","Hall","Wood","Jackson","Clarke","Patel","Khan","Lewis","James","Phillips","Mason","Mitchell","Rose","Davies","Rodriguez","Cox","Alexander","Garden","Campbell","Johnston","Moore","Smyth","Oneill","Doherty","Stewart","Quinn","Murphy","Graham","Mclaughlin","Hamilton","Murray","Hughes","Robertson","Thomson","Scott","Macdonald","Reid","Clark","Ross","Young","Watson","Paterson","Morrison","Morgan","Griffiths","Edwards","Rees","Jenkins","Owen","Price","Moss","Richards","Abbott","Adams","Armstrong","Bahringer","Bailey","Barrows","Bartell","Bartoletti","Barton","Bauch","Baumbach","Bayer","Beahan","Beatty","Becker","Beier","Berge","Bergstrom","Bode","Bogan","Borer","Bosco","Botsford","Boyer","Boyle","Braun","Bruen","Carroll","Carter","Cartwright","Casper","Cassin","Champlin","Christiansen","Cole","Collier","Collins","Connelly","Conroy","Corkery","Cormier","Corwin","Cronin","Crooks","Cruickshank","Cummings","Damore","Daniel","Dare","Daugherty","Dickens","Dickinson","Dietrich","Donnelly","Dooley","Douglas","Doyle","Durgan","Ebert","Emard","Emmerich","Erdman","Ernser","Fadel","Fahey","Farrell","Fay","Feeney","Feil","Ferry","Fisher","Flatley","Gibson","Gleason","Glover","Goldner","Goodwin","Grady","Grant","Greenfelder","Greenholt","Grimes","Gutmann","Hackett","Hahn","Haley","Hammes","Hand","Hane","Hansen","Harber","Hartmann","Harvey","Hayes","Heaney","Heathcote","Heller","Hermann","Hermiston","Hessel","Hettinger","Hickle","Hill","Hills","Hoppe","Howe","Howell","Hudson","Huel","Hyatt","Jacobi","Jacobs","Jacobson","Jerde","Johns","Keeling","Kemmer","Kessler","Kiehn","Kirlin","Klein","Koch","Koelpin","Kohler","Koss","Kovacek","Kreiger","Kris","Kuhlman","Kuhn","Kulas","Kunde","Kutch","Lakin","Lang","Langworth","Larkin","Larson","Leannon","Leffler","Little","Lockman","Lowe","Lynch","Mann","Marks","Marvin","Mayer","Mccullough","Mcdermott","Mckenzie","Miller","Mills","Monahan","Morissette","Mueller","Muller","Nader","Nicolas","Nolan","O''connell","O''conner","O''hara","O''keefe","Olson","O''reilly","Parisian","Parker","Quigley","Reilly","Reynolds","Rice","Ritchie","Rohan","Rolfson","Rowe","Russel","Rutherford","Sanford","Sauer","Schmidt","Schmitt","Schneider","Schroeder","Schultz","Shields","Smitham","Spencer","Stanton","Stark","Stokes","Swift","Tillman","Towne","Tremblay","Tromp","Turcotte","Turner","Walsh","Walter","Ward","Waters","Weber","Welch","West","Wilderman","Wilkinson","Williamson","Windler","Wolf"]},"phone_number":{"formats":["0# ### ####","+64 # ### ####"]},"team":{"name":["Tall Blacks","All Whites","Warriors","Silver Ferns","All Blacks","Black Sticks","Black Caps"],"sport":["basketball","football","rugby league","netball","rugby union","hockey","cricket","golf","boxing","rowing","motorsport","tennis","athletics","sailing","surf life saving","squash"]},"university":{"name":["Auckland University of Technology","Lincoln University","Massey University","University of Auckland","University of Canterbury","University of Otago","University of Waikato","Victoria University of Wellington"]}}}); -I18n.translations["he"] = I18n.extend((I18n.translations["he"] || {}), {"faker":{"address":{"building_number":["##","#"],"city":["#{city_prefix} #{Name.first_name}","#{city_prefix} #{Name.last_name}"],"city_prefix":["רמת","הר","גבעת","כפר"],"default_country":["ישראל"],"street_address":["#{building_number} #{street_name}","#{street_name} #{building_number}"],"street_name":["#{street_prefix} #{Name.name}"],"street_prefix":["רחוב","רחוב","נחל","דרך","שדרות"]},"cell_phone":{"formats":["0##-###-####"]},"name":{"first_name":["אביבה","אביגדור","אביגיל","אברהם","אהובה","אהוד","אהרן","אורה","אורי","אוריאל","אורית","אורלי","איילה","איילת","איתן","אלי","אליהו","אלימלך","אליעזר","אלישבע","אלישע","אלעזר","אמונה","אסנת","אסתר","אפרים","אריאל","אריאלה","אריה","אשר","בועז","ביילה","בינה","בנימין","בצלאל","ברוך","ברכה","ברק","בתיה","גאולה","גבריאל","גד","גדליה","גילה","גרשום","גרשון","דבורה","דוב","דוד","דינה","דן","דניאל","הדסה","הדר","הודיה","הלל","זאב","זבולון","זהבה","זכריה","זלמן","זרח","חביבה","חגי","חגית","חוה","חזקיהו","חיה","חיים","חנה","חנוך","חנן","חננאל","חנניה","טובה","טוביה","טל","טליה","יאיר","ידידיה","יהודה","יהודית","יהושע","יואל","יובל","יוחנן","יוכבד","יונה","יונתן","יוסף","יחזקאל","יחיאל","יעקב","יצחק","ירחמיאל","ישעיהו","ישראל","יששכר","כלב","כרמי","לאה","לבונה","לבנה","לוי","ליאורה","לילה","מאיר","מאירה","מוריה","מזל","מיכאל","מיכה","מיכל","מלכה","מלכיאל","מנוחה","מנחם","מנשה","מרדכי","מרים","משה","מתתיהו","נועם","נחום","נחמה","נחמיה","נחמן","נחשון","נעמי","נפתלי","נתן","נתנאל","עדינה","עובדיה","עזרא","עזריאל","עטרה","עמוס","עמרם","עקיבא","פנחס","פנינה","פסח","פסחיה","פרץ","צבי","צביה","צדוק","צופיה","ציון","ציונה","צמח","צפורה","צפניה","ראובן","רבקה","רות","רחל","רחמים","רינה","רפאל","שבתאי","שולמית","שושנה","שי","שירה","שלום","שלומית","שלמה","שמואל","שמחה","שמעון","שמריהו","שמשון","שפרה","שרה","שרון","שרי","תהילה","תמר","תקווה"],"last_name":["כהן","לוי","מזרחי","פרץ","ביטון","דהן","אברהם","פרידמן","אגבאריה","מלכה","אזולאי","כץ","יוסף","דוד","עמר","אוחיון","חדד","גבאי","אדרי","לוין","טל","קליין","חן","שפירא","חזן","משה","אשכנזי","אוחנה","סגל","סואעד","גולן","יצחק","בר","מור","יעקב","שלום","אליהו","דיין","אלבז","בכר","סויסה","שמש","רוזנברג","לביא","אטיאס","נחום","שרעבי","שטרן","ממן","שחר","אלון","שורץ"],"name":["#{first_name} #{last_name}"]},"phone_number":{"formats":["0#-###-####"]}}}); -I18n.translations["de"] = I18n.extend((I18n.translations["de"] || {}), {"faker":{"address":{"building_number":["###","##","#","##a","##b","##c"],"city":["#{city_prefix} #{Name.first_name}#{city_suffix}","#{city_prefix} #{Name.first_name}","#{Name.first_name}#{city_suffix}","#{Name.last_name}#{city_suffix}"],"city_prefix":["Nord","Ost","West","Süd","Neu","Alt","Bad","Groß","Klein","Schön"],"city_suffix":["stadt","dorf","land","scheid","burg","berg","heim","hagen","feld","brunn","grün"],"country":["Ägypten","Äquatorialguinea","Äthiopien","Österreich","Afghanistan","Albanien","Algerien","Amerikanisch-Samoa","Amerikanische Jungferninseln","Andorra","Angola","Anguilla","Antarktis","Antigua und Barbuda","Argentinien","Armenien","Aruba","Aserbaidschan","Australien","Bahamas","Bahrain","Bangladesch","Barbados","Belarus","Belgien","Belize","Benin","die Bermudas","Bhutan","Bolivien","Bosnien und Herzegowina","Botsuana","Bouvetinsel","Brasilien","Britische Jungferninseln","Britisches Territorium im Indischen Ozean","Brunei Darussalam","Bulgarien","Burkina Faso","Burundi","Chile","China","Cookinseln","Costa Rica","Dänemark","Demokratische Republik Kongo","Demokratische Volksrepublik Korea","Deutschland","Dominica","Dominikanische Republik","Dschibuti","Ecuador","El Salvador","Eritrea","Estland","Färöer","Falklandinseln","Fidschi","Finnland","Frankreich","Französisch-Guayana","Französisch-Polynesien","Französische Gebiete im südlichen Indischen Ozean","Gabun","Gambia","Georgien","Ghana","Gibraltar","Grönland","Grenada","Griechenland","Guadeloupe","Guam","Guatemala","Guinea","Guinea-Bissau","Guyana","Haiti","Heard und McDonaldinseln","Honduras","Hongkong","Indien","Indonesien","Irak","Iran","Irland","Island","Israel","Italien","Jamaika","Japan","Jemen","Jordanien","Jugoslawien","Kaimaninseln","Kambodscha","Kamerun","Kanada","Kap Verde","Kasachstan","Katar","Kenia","Kirgisistan","Kiribati","Kleinere amerikanische Überseeinseln","Kokosinseln","Kolumbien","Komoren","Kongo","Kroatien","Kuba","Kuwait","Laos","Lesotho","Lettland","Libanon","Liberia","Libyen","Liechtenstein","Litauen","Luxemburg","Macau","Madagaskar","Malawi","Malaysia","Malediven","Mali","Malta","ehemalige jugoslawische Republik Mazedonien","Marokko","Marshallinseln","Martinique","Mauretanien","Mauritius","Mayotte","Mexiko","Mikronesien","Monaco","Mongolei","Montserrat","Mosambik","Myanmar","Nördliche Marianen","Namibia","Nauru","Nepal","Neukaledonien","Neuseeland","Nicaragua","Niederländische Antillen","Niederlande","Niger","Nigeria","Niue","Norfolkinsel","Norwegen","Oman","Osttimor","Pakistan","Palau","Panama","Papua-Neuguinea","Paraguay","Peru","Philippinen","Pitcairninseln","Polen","Portugal","Puerto Rico","Réunion","Republik Korea","Republik Moldau","Ruanda","Rumänien","Russische Föderation","São Tomé und Príncipe","Südafrika","Südgeorgien und Südliche Sandwichinseln","Salomonen","Sambia","Samoa","San Marino","Saudi-Arabien","Schweden","Schweiz","Senegal","Seychellen","Sierra Leone","Simbabwe","Singapur","Slowakei","Slowenien","Somalien","Spanien","Sri Lanka","St. Helena","St. Kitts und Nevis","St. Lucia","St. Pierre und Miquelon","St. Vincent und die Grenadinen","Sudan","Surinam","Svalbard und Jan Mayen","Swasiland","Syrien","Türkei","Tadschikistan","Taiwan","Tansania","Thailand","Togo","Tokelau","Tonga","Trinidad und Tobago","Tschad","Tschechische Republik","Tunesien","Turkmenistan","Turks- und Caicosinseln","Tuvalu","Uganda","Ukraine","Ungarn","Uruguay","Usbekistan","Vanuatu","Vatikanstadt","Venezuela","Vereinigte Arabische Emirate","Vereinigte Staaten","Vereinigtes Königreich","Vietnam","Wallis und Futuna","Weihnachtsinsel","Westsahara","Zentralafrikanische Republik","Zypern"],"default_country":["Deutschland"],"postcode":["#####","#####"],"secondary_address":["Apt. ###","Zimmer ###","# OG"],"state":["Baden-Württemberg","Bayern","Berlin","Brandenburg","Bremen","Hamburg","Hessen","Mecklenburg-Vorpommern","Niedersachsen","Nordrhein-Westfalen","Rheinland-Pfalz","Saarland","Sachsen","Sachsen-Anhalt","Schleswig-Holstein","Thüringen"],"state_abbr":["BW","BY","BE","BB","HB","HH","HE","MV","NI","NW","RP","SL","SN","ST","SH","TH"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_root}"],"street_root":["Ackerweg","Adalbert-Stifter-Str.","Adalbertstr.","Adolf-Baeyer-Str.","Adolf-Kaschny-Str.","Adolf-Reichwein-Str.","Adolfsstr.","Ahornweg","Ahrstr.","Akazienweg","Albert-Einstein-Str.","Albert-Schweitzer-Str.","Albertus-Magnus-Str.","Albert-Zarthe-Weg","Albin-Edelmann-Str.","Albrecht-Haushofer-Str.","Aldegundisstr.","Alexanderstr.","Alfred-Delp-Str.","Alfred-Kubin-Str.","Alfred-Stock-Str.","Alkenrather Str.","Allensteiner Str.","Alsenstr.","Alt Steinbücheler Weg","Alte Garten","Alte Heide","Alte Landstr.","Alte Ziegelei","Altenberger Str.","Altenhof","Alter Grenzweg","Altstadtstr.","Am Alten Gaswerk","Am Alten Schafstall","Am Arenzberg","Am Benthal","Am Birkenberg","Am Blauen Berg","Am Borsberg","Am Brungen","Am Büchelter Hof","Am Buttermarkt","Am Ehrenfriedhof","Am Eselsdamm","Am Falkenberg","Am Frankenberg","Am Gesundheitspark","Am Gierlichshof","Am Graben","Am Hagelkreuz","Am Hang","Am Heidkamp","Am Hemmelrather Hof","Am Hofacker","Am Hohen Ufer","Am Höllers Eck","Am Hühnerberg","Am Jägerhof","Am Junkernkamp","Am Kemperstiegel","Am Kettnersbusch","Am Kiesberg","Am Klösterchen","Am Knechtsgraben","Am Köllerweg","Am Köttersbach","Am Kreispark","Am Kronefeld","Am Küchenhof","Am Kühnsbusch","Am Lindenfeld","Am Märchen","Am Mittelberg","Am Mönchshof","Am Mühlenbach","Am Neuenhof","Am Nonnenbruch","Am Plattenbusch","Am Quettinger Feld","Am Rosenhügel","Am Sandberg","Am Scherfenbrand","Am Schokker","Am Silbersee","Am Sonnenhang","Am Sportplatz","Am Stadtpark","Am Steinberg","Am Telegraf","Am Thelenhof","Am Vogelkreuz","Am Vogelsang","Am Vogelsfeldchen","Am Wambacher Hof","Am Wasserturm","Am Weidenbusch","Am Weiher","Am Weingarten","Am Werth","Amselweg","An den Irlen","An den Rheinauen","An der Bergerweide","An der Dingbank","An der Evangelischen Kirche","An der Evgl. Kirche","An der Feldgasse","An der Fettehenne","An der Kante","An der Laach","An der Lehmkuhle","An der Lichtenburg","An der Luisenburg","An der Robertsburg","An der Schmitten","An der Schusterinsel","An der Steinrütsch","An St. Andreas","An St. Remigius","Andreasstr.","Ankerweg","Annette-Kolb-Str.","Apenrader Str.","Arnold-Ohletz-Str.","Atzlenbacher Str.","Auerweg","Auestr.","Auf dem Acker","Auf dem Blahnenhof","Auf dem Bohnbüchel","Auf dem Bruch","Auf dem End","Auf dem Forst","Auf dem Herberg","Auf dem Lehn","Auf dem Stein","Auf dem Weierberg","Auf dem Weiherhahn","Auf den Reien","Auf der Donnen","Auf der Grieße","Auf der Ohmer","Auf der Weide","Auf'm Berg","Auf'm Kamp","Augustastr.","August-Kekulé-Str.","A.-W.-v.-Hofmann-Str.","Bahnallee","Bahnhofstr.","Baltrumstr.","Bamberger Str.","Baumberger Str.","Bebelstr.","Beckers Kämpchen","Beerenstr.","Beethovenstr.","Behringstr.","Bendenweg","Bensberger Str.","Benzstr.","Bergische Landstr.","Bergstr.","Berliner Platz","Berliner Str.","Bernhard-Letterhaus-Str.","Bernhard-Lichtenberg-Str.","Bernhard-Ridder-Str.","Bernsteinstr.","Bertha-Middelhauve-Str.","Bertha-von-Suttner-Str.","Bertolt-Brecht-Str.","Berzeliusstr.","Bielertstr.","Biesenbach","Billrothstr.","Birkenbergstr.","Birkengartenstr.","Birkenweg","Bismarckstr.","Bitterfelder Str.","Blankenburg","Blaukehlchenweg","Blütenstr.","Boberstr.","Böcklerstr.","Bodelschwinghstr.","Bodestr.","Bogenstr.","Bohnenkampsweg","Bohofsweg","Bonifatiusstr.","Bonner Str.","Borkumstr.","Bornheimer Str.","Borsigstr.","Borussiastr.","Bracknellstr.","Brahmsweg","Brandenburger Str.","Breidenbachstr.","Breslauer Str.","Bruchhauser Str.","Brückenstr.","Brucknerstr.","Brüder-Bonhoeffer-Str.","Buchenweg","Bürgerbuschweg","Burgloch","Burgplatz","Burgstr.","Burgweg","Bürriger Weg","Burscheider Str.","Buschkämpchen","Butterheider Str.","Carl-Duisberg-Platz","Carl-Duisberg-Str.","Carl-Leverkus-Str.","Carl-Maria-von-Weber-Platz","Carl-Maria-von-Weber-Str.","Carlo-Mierendorff-Str.","Carl-Rumpff-Str.","Carl-von-Ossietzky-Str.","Charlottenburger Str.","Christian-Heß-Str.","Claasbruch","Clemens-Winkler-Str.","Concordiastr.","Cranachstr.","Dahlemer Str.","Daimlerstr.","Damaschkestr.","Danziger Str.","Debengasse","Dechant-Fein-Str.","Dechant-Krey-Str.","Deichtorstr.","Dhünnberg","Dhünnstr.","Dianastr.","Diedenhofener Str.","Diepental","Diepenthaler Str.","Dieselstr.","Dillinger Str.","Distelkamp","Dohrgasse","Domblick","Dönhoffstr.","Dornierstr.","Drachenfelsstr.","Dr.-August-Blank-Str.","Dresdener Str.","Driescher Hecke","Drosselweg","Dudweilerstr.","Dünenweg","Dünfelder Str.","Dünnwalder Grenzweg","Düppeler Str.","Dürerstr.","Dürscheider Weg","Düsseldorfer Str.","Edelrather Weg","Edmund-Husserl-Str.","Eduard-Spranger-Str.","Ehrlichstr.","Eichenkamp","Eichenweg","Eidechsenweg","Eifelstr.","Eifgenstr.","Eintrachtstr.","Elbestr.","Elisabeth-Langgässer-Str.","Elisabethstr.","Elisabeth-von-Thadden-Str.","Elisenstr.","Elsa-Brändström-Str.","Elsbachstr.","Else-Lasker-Schüler-Str.","Elsterstr.","Emil-Fischer-Str.","Emil-Nolde-Str.","Engelbertstr.","Engstenberger Weg","Entenpfuhl","Erbelegasse","Erftstr.","Erfurter Str.","Erich-Heckel-Str.","Erich-Klausener-Str.","Erich-Ollenhauer-Str.","Erlenweg","Ernst-Bloch-Str.","Ernst-Ludwig-Kirchner-Str.","Erzbergerstr.","Eschenallee","Eschenweg","Esmarchstr.","Espenweg","Euckenstr.","Eulengasse","Eulenkamp","Ewald-Flamme-Str.","Ewald-Röll-Str.","Fährstr.","Farnweg","Fasanenweg","Faßbacher Hof","Felderstr.","Feldkampstr.","Feldsiefer Weg","Feldsiefer Wiesen","Feldstr.","Feldtorstr.","Felix-von-Roll-Str.","Ferdinand-Lassalle-Str.","Fester Weg","Feuerbachstr.","Feuerdornweg","Fichtenweg","Fichtestr.","Finkelsteinstr.","Finkenweg","Fixheider Str.","Flabbenhäuschen","Flensburger Str.","Fliederweg","Florastr.","Florianweg","Flotowstr.","Flurstr.","Föhrenweg","Fontanestr.","Forellental","Fortunastr.","Franz-Esser-Str.","Franz-Hitze-Str.","Franz-Kail-Str.","Franz-Marc-Str.","Freiburger Str.","Freiheitstr.","Freiherr-vom-Stein-Str.","Freudenthal","Freudenthaler Weg","Fridtjof-Nansen-Str.","Friedenberger Str.","Friedensstr.","Friedhofstr.","Friedlandstr.","Friedlieb-Ferdinand-Runge-Str.","Friedrich-Bayer-Str.","Friedrich-Bergius-Platz","Friedrich-Ebert-Platz","Friedrich-Ebert-Str.","Friedrich-Engels-Str.","Friedrich-List-Str.","Friedrich-Naumann-Str.","Friedrich-Sertürner-Str.","Friedrichstr.","Friedrich-Weskott-Str.","Friesenweg","Frischenberg","Fritz-Erler-Str.","Fritz-Henseler-Str.","Fröbelstr.","Fürstenbergplatz","Fürstenbergstr.","Gabriele-Münter-Str.","Gartenstr.","Gebhardstr.","Geibelstr.","Gellertstr.","Georg-von-Vollmar-Str.","Gerhard-Domagk-Str.","Gerhart-Hauptmann-Str.","Gerichtsstr.","Geschwister-Scholl-Str.","Gezelinallee","Gierener Weg","Ginsterweg","Gisbert-Cremer-Str.","Glücksburger Str.","Gluckstr.","Gneisenaustr.","Goetheplatz","Goethestr.","Golo-Mann-Str.","Görlitzer Str.","Görresstr.","Graebestr.","Graf-Galen-Platz","Gregor-Mendel-Str.","Greifswalder Str.","Grillenweg","Gronenborner Weg","Große Kirchstr.","Grunder Wiesen","Grundermühle","Grundermühlenhof","Grundermühlenweg","Grüner Weg","Grunewaldstr.","Grünstr.","Günther-Weisenborn-Str.","Gustav-Freytag-Str.","Gustav-Heinemann-Str.","Gustav-Radbruch-Str.","Gut Reuschenberg","Gutenbergstr.","Haberstr.","Habichtgasse","Hafenstr.","Hagenauer Str.","Hahnenblecher","Halenseestr.","Halfenleimbach","Hallesche Str.","Halligstr.","Hamberger Str.","Hammerweg","Händelstr.","Hannah-Höch-Str.","Hans-Arp-Str.","Hans-Gerhard-Str.","Hans-Sachs-Str.","Hans-Schlehahn-Str.","Hans-von-Dohnanyi-Str.","Hardenbergstr.","Haselweg","Hauptstr.","Haus-Vorster-Str.","Hauweg","Havelstr.","Havensteinstr.","Haydnstr.","Hebbelstr.","Heckenweg","Heerweg","Hegelstr.","Heidberg","Heidehöhe","Heidestr.","Heimstättenweg","Heinrich-Böll-Str.","Heinrich-Brüning-Str.","Heinrich-Claes-Str.","Heinrich-Heine-Str.","Heinrich-Hörlein-Str.","Heinrich-Lübke-Str.","Heinrich-Lützenkirchen-Weg","Heinrichstr.","Heinrich-Strerath-Str.","Heinrich-von-Kleist-Str.","Heinrich-von-Stephan-Str.","Heisterbachstr.","Helenenstr.","Helmestr.","Hemmelrather Weg","Henry-T.-v.-Böttinger-Str.","Herderstr.","Heribertstr.","Hermann-Ehlers-Str.","Hermann-Hesse-Str.","Hermann-König-Str.","Hermann-Löns-Str.","Hermann-Milde-Str.","Hermann-Nörrenberg-Str.","Hermann-von-Helmholtz-Str.","Hermann-Waibel-Str.","Herzogstr.","Heymannstr.","Hindenburgstr.","Hirzenberg","Hitdorfer Kirchweg","Hitdorfer Str.","Höfer Mühle","Höfer Weg","Hohe Str.","Höhenstr.","Höltgestal","Holunderweg","Holzer Weg","Holzer Wiesen","Hornpottweg","Hubertusweg","Hufelandstr.","Hufer Weg","Humboldtstr.","Hummelsheim","Hummelweg","Humperdinckstr.","Hüscheider Gärten","Hüscheider Str.","Hütte","Ilmstr.","Im Bergischen Heim","Im Bruch","Im Buchenhain","Im Bühl","Im Burgfeld","Im Dorf","Im Eisholz","Im Friedenstal","Im Frohental","Im Grunde","Im Hederichsfeld","Im Jücherfeld","Im Kalkfeld","Im Kirberg","Im Kirchfeld","Im Kreuzbruch","Im Mühlenfeld","Im Nesselrader Kamp","Im Oberdorf","Im Oberfeld","Im Rosengarten","Im Rottland","Im Scheffengarten","Im Staderfeld","Im Steinfeld","Im Weidenblech","Im Winkel","Im Ziegelfeld","Imbach","Imbacher Weg","Immenweg","In den Blechenhöfen","In den Dehlen","In der Birkenau","In der Dasladen","In der Felderhütten","In der Hartmannswiese","In der Höhle","In der Schaafsdellen","In der Wasserkuhl","In der Wüste","In Holzhausen","Insterstr.","Jacob-Fröhlen-Str.","Jägerstr.","Jahnstr.","Jakob-Eulenberg-Weg","Jakobistr.","Jakob-Kaiser-Str.","Jenaer Str.","Johannes-Baptist-Str.","Johannes-Dott-Str.","Johannes-Popitz-Str.","Johannes-Wislicenus-Str.","Johannisburger Str.","Johann-Janssen-Str.","Johann-Wirtz-Weg","Josefstr.","Jüch","Julius-Doms-Str.","Julius-Leber-Str.","Kaiserplatz","Kaiserstr.","Kaiser-Wilhelm-Allee","Kalkstr.","Kämpchenstr.","Kämpenwiese","Kämper Weg","Kamptalweg","Kanalstr.","Kandinskystr.","Kantstr.","Kapellenstr.","Karl-Arnold-Str.","Karl-Bosch-Str.","Karl-Bückart-Str.","Karl-Carstens-Ring","Karl-Friedrich-Goerdeler-Str.","Karl-Jaspers-Str.","Karl-König-Str.","Karl-Krekeler-Str.","Karl-Marx-Str.","Karlstr.","Karl-Ulitzka-Str.","Karl-Wichmann-Str.","Karl-Wingchen-Str.","Käsenbrod","Käthe-Kollwitz-Str.","Katzbachstr.","Kerschensteinerstr.","Kiefernweg","Kieler Str.","Kieselstr.","Kiesweg","Kinderhausen","Kleiberweg","Kleine Kirchstr.","Kleingansweg","Kleinheider Weg","Klief","Kneippstr.","Knochenbergsweg","Kochergarten","Kocherstr.","Kockelsberg","Kolberger Str.","Kolmarer Str.","Kölner Gasse","Kölner Str.","Kolpingstr.","Königsberger Platz","Konrad-Adenauer-Platz","Köpenicker Str.","Kopernikusstr.","Körnerstr.","Köschenberg","Köttershof","Kreuzbroicher Str.","Kreuzkamp","Krummer Weg","Kruppstr.","Kuhlmannweg","Kump","Kumper Weg","Kunstfeldstr.","Küppersteger Str.","Kursiefen","Kursiefer Weg","Kurtekottenweg","Kurt-Schumacher-Ring","Kyllstr.","Langenfelder Str.","Längsleimbach","Lärchenweg","Legienstr.","Lehner Mühle","Leichlinger Str.","Leimbacher Hof","Leinestr.","Leineweberstr.","Leipziger Str.","Lerchengasse","Lessingstr.","Libellenweg","Lichstr.","Liebigstr.","Lindenstr.","Lingenfeld","Linienstr.","Lippe","Löchergraben","Löfflerstr.","Loheweg","Lohrbergstr.","Lohrstr.","Löhstr.","Lortzingstr.","Lötzener Str.","Löwenburgstr.","Lucasstr.","Ludwig-Erhard-Platz","Ludwig-Girtler-Str.","Ludwig-Knorr-Str.","Luisenstr.","Lupinenweg","Lurchenweg","Lützenkirchener Str.","Lycker Str.","Maashofstr.","Manforter Str.","Marc-Chagall-Str.","Maria-Dresen-Str.","Maria-Terwiel-Str.","Marie-Curie-Str.","Marienburger Str.","Mariendorfer Str.","Marienwerderstr.","Marie-Schlei-Str.","Marktplatz","Markusweg","Martin-Buber-Str.","Martin-Heidegger-Str.","Martin-Luther-Str.","Masurenstr.","Mathildenweg","Maurinusstr.","Mauspfad","Max-Beckmann-Str.","Max-Delbrück-Str.","Max-Ernst-Str.","Max-Holthausen-Platz","Max-Horkheimer-Str.","Max-Liebermann-Str.","Max-Pechstein-Str.","Max-Planck-Str.","Max-Scheler-Str.","Max-Schönenberg-Str.","Maybachstr.","Meckhofer Feld","Meisenweg","Memelstr.","Menchendahler Str.","Mendelssohnstr.","Merziger Str.","Mettlacher Str.","Metzer Str.","Michaelsweg","Miselohestr.","Mittelstr.","Mohlenstr.","Moltkestr.","Monheimer Str.","Montanusstr.","Montessoriweg","Moosweg","Morsbroicher Str.","Moselstr.","Moskauer Str.","Mozartstr.","Mühlenweg","Muhrgasse","Muldestr.","Mülhausener Str.","Mülheimer Str.","Münsters Gäßchen","Münzstr.","Müritzstr.","Myliusstr.","Nachtigallenweg","Nauener Str.","Neißestr.","Nelly-Sachs-Str.","Netzestr.","Neuendriesch","Neuenhausgasse","Neuenkamp","Neujudenhof","Neukronenberger Str.","Neustadtstr.","Nicolai-Hartmann-Str.","Niederblecher","Niederfeldstr.","Nietzschestr.","Nikolaus-Groß-Str.","Nobelstr.","Norderneystr.","Nordstr.","Ober dem Hof","Obere Lindenstr.","Obere Str.","Oberölbach","Odenthaler Str.","Oderstr.","Okerstr.","Olof-Palme-Str.","Ophovener Str.","Opladener Platz","Opladener Str.","Ortelsburger Str.","Oskar-Moll-Str.","Oskar-Schlemmer-Str.","Oststr.","Oswald-Spengler-Str.","Otto-Dix-Str.","Otto-Grimm-Str.","Otto-Hahn-Str.","Otto-Müller-Str.","Otto-Stange-Str.","Ottostr.","Otto-Varnhagen-Str.","Otto-Wels-Str.","Ottweilerstr.","Oulustr.","Overfeldweg","Pappelweg","Paracelsusstr.","Parkstr.","Pastor-Louis-Str.","Pastor-Scheibler-Str.","Pastorskamp","Paul-Klee-Str.","Paul-Löbe-Str.","Paulstr.","Peenestr.","Pescher Busch","Peschstr.","Pestalozzistr.","Peter-Grieß-Str.","Peter-Joseph-Lenné-Str.","Peter-Neuenheuser-Str.","Petersbergstr.","Peterstr.","Pfarrer-Jekel-Str.","Pfarrer-Klein-Str.","Pfarrer-Röhr-Str.","Pfeilshofstr.","Philipp-Ott-Str.","Piet-Mondrian-Str.","Platanenweg","Pommernstr.","Porschestr.","Poststr.","Potsdamer Str.","Pregelstr.","Prießnitzstr.","Pützdelle","Quarzstr.","Quettinger Str.","Rat-Deycks-Str.","Rathenaustr.","Ratherkämp","Ratiborer Str.","Raushofstr.","Regensburger Str.","Reinickendorfer Str.","Renkgasse","Rennbaumplatz","Rennbaumstr.","Reuschenberger Str.","Reusrather Str.","Reuterstr.","Rheinallee","Rheindorfer Str.","Rheinstr.","Rhein-Wupper-Platz","Richard-Wagner-Str.","Rilkestr.","Ringstr.","Robert-Blum-Str.","Robert-Koch-Str.","Robert-Medenwald-Str.","Rolandstr.","Romberg","Röntgenstr.","Roonstr.","Ropenstall","Ropenstaller Weg","Rosenthal","Rostocker Str.","Rotdornweg","Röttgerweg","Rückertstr.","Rudolf-Breitscheid-Str.","Rudolf-Mann-Platz","Rudolf-Stracke-Str.","Ruhlachplatz","Ruhlachstr.","Rüttersweg","Saalestr.","Saarbrücker Str.","Saarlauterner Str.","Saarstr.","Salamanderweg","Samlandstr.","Sanddornstr.","Sandstr.","Sauerbruchstr.","Schäfershütte","Scharnhorststr.","Scheffershof","Scheidemannstr.","Schellingstr.","Schenkendorfstr.","Schießbergstr.","Schillerstr.","Schlangenhecke","Schlebuscher Heide","Schlebuscher Str.","Schlebuschrath","Schlehdornstr.","Schleiermacherstr.","Schloßstr.","Schmalenbruch","Schnepfenflucht","Schöffenweg","Schöllerstr.","Schöne Aussicht","Schöneberger Str.","Schopenhauerstr.","Schubertplatz","Schubertstr.","Schulberg","Schulstr.","Schumannstr.","Schwalbenweg","Schwarzastr.","Sebastianusweg","Semmelweisstr.","Siebelplatz","Siemensstr.","Solinger Str.","Sonderburger Str.","Spandauer Str.","Speestr.","Sperberweg","Sperlingsweg","Spitzwegstr.","Sporrenberger Mühle","Spreestr.","St. Ingberter Str.","Starenweg","Stauffenbergstr.","Stefan-Zweig-Str.","Stegerwaldstr.","Steglitzer Str.","Steinbücheler Feld","Steinbücheler Str.","Steinstr.","Steinweg","Stephan-Lochner-Str.","Stephanusstr.","Stettiner Str.","Stixchesstr.","Stöckenstr.","Stralsunder Str.","Straßburger Str.","Stresemannplatz","Strombergstr.","Stromstr.","Stüttekofener Str.","Sudestr.","Sürderstr.","Syltstr.","Talstr.","Tannenbergstr.","Tannenweg","Taubenweg","Teitscheider Weg","Telegrafenstr.","Teltower Str.","Tempelhofer Str.","Theodor-Adorno-Str.","Theodor-Fliedner-Str.","Theodor-Gierath-Str.","Theodor-Haubach-Str.","Theodor-Heuss-Ring","Theodor-Storm-Str.","Theodorstr.","Thomas-Dehler-Str.","Thomas-Morus-Str.","Thomas-von-Aquin-Str.","Tönges Feld","Torstr.","Treptower Str.","Treuburger Str.","Uhlandstr.","Ulmenweg","Ulmer Str.","Ulrichstr.","Ulrich-von-Hassell-Str.","Umlag","Unstrutstr.","Unter dem Schildchen","Unterölbach","Unterstr.","Uppersberg","Van't-Hoff-Str.","Veit-Stoß-Str.","Vereinsstr.","Viktor-Meyer-Str.","Vincent-van-Gogh-Str.","Virchowstr.","Voigtslach","Volhardstr.","Völklinger Str.","Von-Brentano-Str.","Von-Diergardt-Str.","Von-Eichendorff-Str.","Von-Ketteler-Str.","Von-Knoeringen-Str.","Von-Pettenkofer-Str.","Von-Siebold-Str.","Wacholderweg","Waldstr.","Walter-Flex-Str.","Walter-Hempel-Str.","Walter-Hochapfel-Str.","Walter-Nernst-Str.","Wannseestr.","Warnowstr.","Warthestr.","Weddigenstr.","Weichselstr.","Weidenstr.","Weidfeldstr.","Weiherfeld","Weiherstr.","Weinhäuser Str.","Weißdornweg","Weißenseestr.","Weizkamp","Werftstr.","Werkstättenstr.","Werner-Heisenberg-Str.","Werrastr.","Weyerweg","Widdauener Str.","Wiebertshof","Wiehbachtal","Wiembachallee","Wiesdorfer Platz","Wiesenstr.","Wilhelm-Busch-Str.","Wilhelm-Hastrich-Str.","Wilhelm-Leuschner-Str.","Wilhelm-Liebknecht-Str.","Wilhelmsgasse","Wilhelmstr.","Willi-Baumeister-Str.","Willy-Brandt-Ring","Winand-Rossi-Str.","Windthorststr.","Winkelweg","Winterberg","Wittenbergstr.","Wolf-Vostell-Str.","Wolkenburgstr.","Wupperstr.","Wuppertalstr.","Wüstenhof","Yitzhak-Rabin-Str.","Zauberkuhle","Zedernweg","Zehlendorfer Str.","Zehntenweg","Zeisigweg","Zeppelinstr.","Zschopaustr.","Zum Claashäuschen","Zündhütchenweg","Zur Alten Brauerei","Zur alten Fabrik"],"time_zone":["MEZ","Europe/Berlin","Central European Time","CET"]},"book":{"author":"#{Name.name}","publisher":["Acabus Verlag","Achterbahn","AIM-Verlagshaus","Aisthesis Verlag","Akademische Arbeitsgemeinschaft Verlag","Akademische Druck- und Verlagsanstalt","Verlag Karl Alber","Alibri Verlag","Amadeus Verlag","Amalthea Signum Verlag","Andere Zeiten","Andiamo Verlag","Allgemeine Ortskrankenkasse","AOL-Verlag","Appelhans Verlag","Apprimus Wissenschaftsverlag","Ararat-Verlag","Arbeitsgemeinschaft für zeitgemäßes Bauen","Arco Verlag","Arovell Verlag","Das Arsenal","Assoziation Linker Verlage","AT Verlag","Athesia","Atlas Verlag","Atlas Verlag","Carl-Auer-Verlag","Aula-Verlag","AZ Medien Gruppe","Badischer Verlag","C. Bange Verlag","Bärenreiter-Verlag","Bastei Lübbe Verlag","Musikverlag M. P. Belaieff","Belser-Verlag","Beltz-Verlag","Benteli","Bibliographisches Institut","Klaus Bielefeld Verlag","Black Ink Verlag","Bonnier","BPX Edition","Joh. Brendow \u0026 Sohn Verlag","Brighton Verlag","R. Brockhaus","Bruno Gmünder Verlag","Bundes-Verlag","Bunte Raben Verlag","Burda Verlag","ça ira Verlag","Callwey Verlag","Castrum Peregrini","Centaurus Verlag","Christliche Literatur-Verbreitung","Claassen-Verlag","Cosmos-Verlag","Verlag Deutsche Polizeiliteratur","Deutscher Verlag der Wissenschaften","Deutscher Wissenschafts-Verlag","Neue Sachlichkeit","Dieterich’sche Verlagsbuchhandlung","Draksal Fachverlag","Drei Eichen Verlag","Literaturverlag Droschl","Echtzeit Verlag","Ecowin Verlag","Edition Antaios","Edition AV","Edition Erdmann","Edition Gorz","Edition Phantasia","Edition Raetia","edition taberna kritika","Edition Va Bene","Edition YE","Verlag Empirische Pädagogik","Ernst \u0026 Sohn","Esslinger Verlag J. F. Schreiber","Ernst Eulenburg","ERF-Verlag","Wilhelm Fink Verlag","Folgen Verlag","Forum Media Group","Franzis-Verlag","Friedrich Verlag","Das Wort","Gebrüder Borntraeger Verlagsbuchhandlung","Geest-Verlag","Gerstenberg Verlag","GFMK Verlagsgesellschaft","Gimpel Verlag","Glaux Verlag Christine Jäger","Godewind Verlag","Greifenverlag","Verlag grünes herz","Verlag Peter Guhl","Hamburger Edition","Hamburger Lesehefte","Hänssler Verlag","Peter Hammer Verlag","Rudolf Haufe Verlag","Haupt Verlag","Verlag Heinz Heise","Henschel Musik","hep verlag","Verlag Herder","Hippokrates Verlag","Verlag Peter Hopf","Horlemann Verlag","Huber Verlag","Hueber Verlag","Verlagsgruppe Husum","IDEA Verlag","IKS Garamond Verlag","Info Verlag","Isensee Verlag","Junfermann Verlag","Jung und Jung","K\u0026K Verlagsanstalt","Kairos Edition","Kawohl-Verlag","Kehrer Verlag","Kladdebuchverlag","Klever Verlag","Kohl Verlag","Konradin Mediengruppe","Kookbooks","Kopp Verlag","Verlag Dr. Kova?","Kremayr \u0026 Scheriau","Verlag Kreuz","Kulturmaschinen","Verlag der Kunst","Lambertus Verlag","Peter Lang Verlagsgruppe","Lichtdruck- und Bildverlag der Kunst","Lichtung Verlag","Literarisches Comptoir Zürich und Winterthur","Luchterhand Fachverlag","Lusatia Verlag","luxbooks","m+a Verlag für Messen, Ausstellungen und Kongresse","Maas \u0026 Peither","MairDumont","Manutius Verlag","Osnabrücker Tageblatt","Memento Verlag","Mercator-Verlag","Merlin Verlag","Metropolis","Johann Heinrich Meyer","Meyer \u0026 Meyer","MM Verlag","Verlag moderne Industrie","Verlag Ch. Möllmann","Morstadt Verlag","Mosaik Steinchen für Steinchen Verlag","Mosquito Verlag","Munzinger-Archiv","NV-Verlag","NDV Neue Darmstädter Verlagsanstalt","Neisse Verlag","Neofelis Verlag","Neuer Deutscher Verlag","Neumann Verlag","Verlag J. Neumann-Neudamm","Neuromedizin Verlag","Nomos Verlag","Edition Olms","Georg Olms Verlag","J. G. Oncken Nachf.","SCM-Verlag","Ontos Verlag","Open House Verlag","Pabel-Moewig","Panini Verlag","Panini Verlag","Paul Parey Verlag","Pattloch Verlag","Persen Verlag","Primus Verlag","Prisma Verlag","Propyläen Verlag","Promedia Verlag","Prospero Verlag","Provinz Verlag","Verlag Friedrich Pustet","Random House Verlagsgruppe","Rhein Ruhr Verlag","Ravensburger Buchverlag","Philipp Reclam jun.","Dietrich Reimer Verlag","Residenz Verlag","Rimbaud Verlag","Ritter Verlag","Verlag Rockstuhl","Romantruhe","Verlag Rosa Winkel","Rowohlt Verlag","Salleck Publications","Verlag Sauerländer","Schattauer Verlag","Schardt Verlag","Schlütersche Verlagsgesellschaft","Verlag Schnell und Steiner","Verlag Ferdinand Schöningh","Schott Music","E. Schweizerbart’sche Verlagsbuchhandlung","Verlag C. A. Schwetschke \u0026 Sohn","scius-Verlag","Peter-Segler-Verlag","Severus Verlag","Shaker Verlag","Siedler Verlag","Silberburg-Verlag","Sonnenberg Verlag","Sonntag Verlag","Spektrum Akademischer Verlag","Spitta-Verlag","Splitter","Axel Springer AG","Stachelbart-Verlag","Conrad Stein Verlag","Steinklopfer-Verlag]] [[Paul Heinzelmann","Verlag J. F. Steinkopf","Leopold Stocker Verlag","Styria Medien AG","Südwest-Verlag","Tectum Verlag","Buchwerkstatt Thanhäuser","transcript Verlag","Transpress Verlag","Ulrike Helmer Verlag","Velbrück Wissenschaft","Internationaler Fachverlag J. M. E. Weber","Weger Verlag","Weingarten Verlag","WEKA-Verlagsgruppe","Wieser Verlag","Wiley-VCH Verlag","Wochenschau Verlag","Wolfbach Verlag","Kurt Wolff Verlag","YinYang Media Verlag","Zauberkreis Verlag","W. Zuckschwerdt Verlag GmbH","Zwiebelzwerg Verlag","Ziegler Druck- und Verlags-AG","J. F. Ziegler KG Druckerei und Verlag","Zytglogge Verlag"],"title":["Also sprach Zarathustra","Andorra","Ansichten Eines Clowns","Atemschaukel","Aus dem Leben eines Taugenichts","Bekenntnisse des Hochstaplers Felix Krull","Berlin Alexanderplatz","Biedermann und die Brandstifter","Billiard um halbzehn","Catharina von Georgien","Cleopatra","Damals war es Friedrich","Dantons Tod","Das Boot","Das Marmorbild","Das Parfum","Das Schiff Esperanza","Das Versprechen","Das kalte Herz","Das steinerne Herz","Der (kleine) Schatz im Kugelbauch","Der Augenblick der Liebe","Der Ausflug der toten Mädchen","Der Besuch der alten Dame","Der Brief des Lord Chandos","Der Goldene Topf","Der Hauptmann von Köpenick","Der Mann ohne Eigenschaften","Der Prozess","Der Richter und sein Henker","Der Sandmann","Der Schimmelreiter","Der Spaziergang","Der Stechlin","Der Stellvertreter","Der Steppenwolf","Der Tod in Venedig und andere Erzählungen","Der Tor und der Tod","Der Untertan","Der Verdacht","Der Vorleser","Der Vulkan","Der Zauberberg","Der abenteuerliche Simplicissimus","Der arme Spielmann","Der eiserne Gustav","Der geteilte Himmel","Der grüne Heinrich","Der gute Mensch von Sezuan","Der veruntreute Himmel","Der zerbrochene Krug","Des Teufels General","Deutschland. Ein Wintermärchen","Die Aufzeichnungen des Malte Laurids Brigge","Die Blechtrommel","Die Box","Die Buddenbrooks","Die Dreigroschenoper","Die Erschiessung des Landesverräters Ernst S.","Die Lehre der Sainte-Victoire","Die Leiden des jungen Werther","Die Leute von Seldwyla","Die Marquise von O...","Die Panne","Die Physiker","Die Rote","Die Räuber","Die Verwandlung/Erstes Leid","Die Waffen nieder!","Die Welt als Wille \u0026 Wahn","Die neuen Leiden des jungen Werthers","Die unendliche Geschichte","Die verlorene Ehre der Katharina Blum","Die zärtlichen Schwestern","Don Karlos","Effi Briest","Ehen in Philippsburg","Eiche und Angora","Ein fliehendes Pferd","Ende einer Dienstfahrt","Es geschah im Nachbarhaus","Fabian","Faserland","Faust, Part I","Franziska Linkerhand","Frühlings Erwachen","Ganz unten","Gehirne","Die Weber","Götz von Berlichingen","Haus ohne Hüter","Heidi","Heinrich von Ofterdingen","Helden wie wir","Homo faber","Hyperion oder der Eremit in Griechenland","Im Krebsgang","Im Westen nichts Neues","Iphigenie auf Tauris","Italienische Reise","Jahrestage","Jakob der Lügner","Jedermann","Kabale und Liebe","Katz und Maus","Leben des Galilei","Lenz","Lerne lachen ohne zu weinen","Emilia Galotti","Lieutenant Gustl","Maria Magdalene","Maria Stuart","Mario und der Zauberer","Mephisto","Minna von Barnhelm","Miss Sara Sampson","Mutter Courage und ihre Kinder","Narziss und Goldmund","Narziß und Goldmund","Nathan der Weise","Paare, Passanten","Panter, Tiger \u0026 Co.","Reigen","Romeo und Julia auf dem Dorfe","Romulus der Große","Sansibar oder der letzte Grund","Schachnovelle","Siddhartha","Sterbender Cato","Stolz und Vorurteil","Tauben im Gras","Till Eulenspiegel","Traumnovelle/Die Braut","Tödliche Versprechen/Das Imperium der Wölfe","Unterhaltungen deutscher Ausgewanderten","Unterm Rad","Vor Sonnenaufgang","Wer einmal aus dem Blechnapf frisst","Wilhelm Meisters Wanderjahre oder die Entsagenden","Wilhelm Tell","Winnetou","Winnetou II","Woyzeck","Über das Studium der griechischen Poesie"]},"cell_phone":{"formats":["+49-15##-########","+49-16#-#######","+49-17#-#######"]},"chuck_norris":{"fact":["Einmal warf Chuck Norris eine Handgranate und tötete damit 100 Leute. Zwei Sekunden später explodierte sie.","Am Anfang war das Nichts. Dann roundhousekickte Chuck Norris dieses Nichts und sagte: \"Such‘ Dir einen Job!\" Das ist die Geschichte der Entstehung des Universums.","Neulich wurde eine in 3D gedrehte Folge von \"Walker, Texas Ranger\" im Kino gezeigt. Es gab keine Überlebenden.","Chuck Norris übernimmt die Projektleitung des Flughafens Berlin Brandenburg. Eröffnung ist morgen früh um 06:30 Uhr.","Chuck Norris kann wirbellosen Tieren trotzdem das Genick brechen.","Chuck Norris ließ sich an einen Lügendetektor anschließen. Die Maschine gestand.","Einmal wurde Chuck Norris auf Latein beleidigt. Seitdem gilt es als tote Sprache.","Der Sensenmann fürchtet sich vor dem Tag, an dem Chuck Norris bei ihm vor der Tür steht.","Chuck Norris zündet ein Feuer an, indem er zwei Eiswürfel aneinander reibt.","Chuck Norris hat seine praktische Führerscheinprüfung bestanden – zu Fuß.","Chuck Norris kann im Kinderkarussell überholen.","Geister sitzen um das Lagerfeuer und erzählen sich Chuck-Norris-Geschichten.","Die GEZ zahlt Chuck-Norris-Gebühren.","Wenn Chuck Norris Wäsche wäscht, werden sogar schwarze Hemden strahlend weiß.","Chuck Norris wurde neulich geblitzt – beim Einparken.","Chuck Norris wurde einmal von einer Königskobra gebissen. Nach fünf qualvollen Tagen voller Schmerz starb die Kobra.","Chuck Norris hat bis Unendlich gezählt – zwei Mal.","Chuck Norris erfuhr einmal, dass nichts ihn besiegen könne. Deshalb machte er sich auf die Suche nach dem Nichts und tötete es.","Chuck Norris ist so schnell – wenn er das Licht ausschaltet, ist er im Bett bevor der Raum dunkel ist.","Das einzige Mal an dem Chuck Norris falsch lag, war, als er dachte, er habe einen Fehler gemacht.","Wenn Chuck Norris beim Russisch Roulette verliert, will er eine Revanche.","Chuck Norris kann eine Party schmeißen. 100 Meter weit.","Chuck Norris hat einmal 37 Terroristen mit zwei Kugeln getötet. Die erste Kugel war ein Warnschuss.","Wenn Du alleine ein Rennen gegen Chuck Norris fährst, wirst Du Dritter.","Chuck Norris lügt nicht. Die Wahrheit ist einfach falsch.","Chuck Norris‘ Passwort? Die Zahl Pi.","Chuck Norris kann eine Bombe zerlegen – und zwar in ein Kaugummi, einen Faden, ein Streichholz und MacGyver.","Chuck Norris isst keinen Honig. Chuck Norris kaut Bienen."]},"color":{"name":["rot","grün","blau","gelb","lila","weiß","schwarz","orange","rosa","grau","braun","violett","türkis","oliv","beige","ocker","sand","mocka","bordeaux","aprikose","mint-grün","magenta","gold","silber","bronze","limette","azur","pink"]},"commerce":{"department":["Bücher","Filme","Musik","Spiele","Elektronik","Computer","Zu Hause","Garten","Werkzeug","Lebensmittel","Gesundheit","Schönheit","Spiele","Kinder","Baby","Kleider","Schuhe","Juwelen","Sport","Outdoor","Auto","Industrie"],"product_name":{"adjective":["Kleine","Ergonomische","Rustikale","Intelligente","Wunderschöne","Unglaubliche","Fantastische","Praktische","Elegante","Tolle","Enorme","Mittelmäßige","Synergetische","Schwerlast","Leichte","Aerodynamische","Haltbare"],"material":["Stahl","Holz","Beton","Plastik","Baumwoll","Granit","Gummi","Leder","Seiden","Wolle","Leinen","Marmor","Eisen","Bronze","Kupfer","Aluminium","Papier"],"product":["Stühle","Autos","Computer","Handschuhe","Hosen","Hemden","Tische","Schuhe","Hüte","Teller","Messer","Flaschen","Jacke","Lampe","Tastatur","Tasche","Bank","Uhr","Armbanduhr","Geldbörse"]}},"company":{"legal_form":["GmbH","AG","Gruppe","KG","GmbH \u0026 Co. KG","UG","OHG"],"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} und #{Name.last_name}"],"suffix":["GmbH","AG","Gruppe","KG","GmbH \u0026 Co. KG","UG","OHG"]},"compass":{"abbreviation":["#{cardinal_abbreviation}","#{ordinal_abbreviation}","#{half_wind_abbreviation}","#{quarter_wind_abbreviation}"],"azimuth":["#{cardinal_azimuth}","#{ordinal_azimuth}","#{half_wind_azimuth}","#{quarter_wind_azimuth}"],"cardinal":{"abbreviation":["N","E","S","W"],"azimuth":["0","90","180","270"],"word":["Norden","Osten","Süden","Westen"]},"direction":["#{cardinal}","#{ordinal}","#{half_wind}","#{quarter_wind}"],"half-wind":{"abbreviation":["NNO","ONO","OSO","SSO","SSW","WSW","WNW","NNW"],"azimuth":["22.5","67.5","112.5","157.5","202.5","247.5","292.5","337.5"],"word":["Nord-Nordost","Ost-Nordost","Ost-Südost","Süd-Südost","Süd-Südwest","West-Südwest","West-Nordwest","Nord-Nordwest"]},"ordinal":{"abbreviation":["NO","SO","SW","NW"],"azimuth":["45","135","225","315"],"word":["Nordosten","Südosten","Südwesten","Nordwesten"]},"quarter-wind":{"abbreviation":["NvO","NOvN","NOvO","OvN","OvS","SOvO","SOvS","SvO","SvW","SWvS","SWvW","WvS","WvN","NWvW","NWvN","NvW"],"azimuth":["11.25","33.75","56.25","78.75","101.25","123.75","146.25","168.75","191.25","213.75","236.25","258.75","281.25","303.75","326.25","348.75"],"word":["Norden von Osten","Nordosten von Norden","Nordosten von Osten","Osten von Norden","Osten von Süden","Südosten von Osten","Südosten von Süden","Süden von Osten","Süden von Westen","Südwesten von Süden","Südwesten von Westen","Westen von Süden","Westen von Norden","Nordwesten von Westen","Nordwesten von Norden","Norden von Westen"]}},"dr_who":{"catch_phrases_TODO":[],"quotes_TODO":[],"the_doctors":["Erster Doktor","Zweiter Doktor","Dritter Doktor","Vierter Doktor","Fünfter Doktor","Sechster Doktor","Siebenter Doktor","Achter Doktor","Neunter Doktor","Zehnter Doktor","Elfter Doktor","Zwölfter Doktor"]},"food":{"ingredients":["Aal","Aceto Balsamico","Ackersalat","Agar-Agar","Agavendicksaft","Ahornsirup","Ajvar","Akazienhonig","Algen","Amaranth","Amaretto","Ananas","Ananassaft","Anchovis","Angostura","Anisschnaps","Aperol","Apfeldicksaft","Apfelmus","Apfelringe","Apfelsaft","Apfelsinen","Appenzeller","Aprikosen","Aprikosenmarmelade","Aprikosensaft","Aprikosensirup","Arrak","Artischocken","Auberginen","Austern","Austernpilze","Avocado","Backpflaumen","Backpulver","Backzucker","Baharat","Bambussprossen","Bananen","Bananenchips","Bandnudeln","Batida de Coco","Bavette","Belegkirschen","Bergkäse","Bier","Birnen","Birnendicksaft","Birnensaft","Biskuitboden","Bittermandelaroma","Bitterschokolade","Blattsalat","Blauschimmelkäse","Bleichsellerie","Blumenkohl","Blutorange","Blutwurst","Blätterteig","Bohnen","Bouquet garni","Branntwein","Brathähnchen","Bratwurst","Brauner Zucker","Brie","Brokkoli","Brombeeren","Brombeersaft","Brötchen","Buchweizen","Buchweizenmehl","Bulgur","Butter","Butterkekse","Butterkäse","Buttermilch","Butterschmalz","Bärlauchpesto","Bündner Fleisch","Cachaca","Calvados","Camembert","Campari","Cashewkerne","Cassis-Likör","Catfish","Champagner","Champignons","Cheddarkäse","Chicoree","Chilipaste","Chilipulver","Chilisauce","Chilischote","Chinakohl","Chorizzo","Cidre","Cognac","Cointreau","Couscous","Cranberries","Cranberrysaft","Creme double","Creme fraiche","Creme fraiche mit Kräutern","Cremefine","Curacao Blue","Curry","Curryketchup","Currypaste","Datteln","Dickmilch","Dijonsenf","Dinkelmehl","Dorade","Dörr-Aprikosen","Dörrfleisch","Edamer","Eier","Eierlikör","Eisbergsalat","Eiswürfel","Emmentaler","Ente","Entenbrust","Entenleber","Entrecotes","Erbsen","Erdbeeren","Erdbeermarmelade","Erdbeersaft","Erdbeersirup","Erdnussbutter","Erdnussöl","Erdnüsse","Espresso","Essig","Esskastanien","Farfalle","Fasan","Feigen","Fenchelsamen","Feta","Fettuccine","Fisch","Fischfond","Fleischbrühe","Fleischsalat","Fleischtomaten","Foie gras","Fondor","Forelle","Frischkäse","Frühlingszwiebeln","Frühstücksspeck","Fünf-Gewürz-Pulver","Gans","Garam Masala","Garnelen","Geflügelbouillon","Gelatine","Gelierzucker","Gemüse","Gemüsebrühe","Gemüsesaft","Gewürze","Gewürzgurken","Gin","Ginger Ale","Glasnudeln","Glutamat","Gouda","Grammeln","Granatapfel","Granatapfelsirup","Grapefruit","Grapefruitsaft","Gratinkäse","Graupen","Greyerzer Käse","Grieß","Grüner Speck","Grünkern","Grünkohl","Guave","Gänsebrust","Gänsekeule","Gänseleber","Götterspeise","Hackfleisch","Hafer","Haferflocken","Hagebutten","Hagelzucker","Halloumi","Hartkäse","Harzer","Hase","Haselnussglasur","Haselnüsse","Hecht","Hefe","Heidelbeeren","Hering","Herz","Himbeeren","Himbeermarmelade","Himbeersaft","Himbeersirup","Hirsch","Hirschhornsalz","Hirse","Hoisin-Sauce","Holunderbeeren","Holunderbeersaft","Holundersirup","Honigmelone","Huhn","Hummer","Hähnchenbrust","Hähnchenkeulen","Hühnerleber","Hüttenkäse","Ingwersaft","Ingwersirup","Jakobsmuscheln","Jalapenos","Joghurt","Johannisbeeren","Johannisbeermarmelade","Johannisbeersirup","Josta-Beeren","Kabeljau","Kaffee","Kaffeelikör","Kakao","Kaktusfeige","Kalbfleisch","Kalbsbrät","Kalbsfond","Kalbshaxen","Kalbsleber","Kalbsnuss","Kalbsschnitzel","Kandiszucker","Kaninchen","Karambole","Karamellsirup","Kardamom","Karotten","Karottensaft","Karpfen","Kartoffeln","Kartoffelpüree","Kassler","Kaviar","Kefir","Ketchup","Kichererbsen","Kidneybohnen","Kirschlikör","Kirschmarmelade","Kirschsaft","Kirschtomaten","Kirschwasser","Kiwi","Kochbananen","Kohlrabi","Kokosfett","Kokosmilch","Kokosnuss","Kokosraspeln","Kokossirup","Kondensmilch","Koriandergrün","Koriandersamen","Krabben","Krabbenpaste","Krebse","Krokant","Kräuter","Kräuterbutter","Kräuterfrischkäse","Kräuterquark","Kumquat","Kuvertüre","Kürbiskerne","Kürbiskernöl","Lachs","Lammfleisch","Lammhack","Lammkeule","Lammleber","Langkornreis","Lasagneblätter","Lauch","Lauchzwiebeln","Leberkäse","Lebkuchengewürz","Leinsamen","Letscho","Liebstöckl","Linguine","Linsen","Litschi","Lyoner","Löffelbiskuits","Macadamia","Madeira","Magermilchjoghurt","Magerquark","Mais","Maiskeimöl","Maismehl","Mandarinen","Mandelmus","Mandeln","Mango","Mango-Chutney","Mangold","Mangosirup","Margarine","Marsala","Marzipan","Marzipanrohmasse","Mascarpone","Mayonnaise","Mehl","Melone","Mettenden","Mexikanisches Gewürz","Miesmuscheln","Milch","Milchreis","Milchschokolade","Mineralwasser","Mirabellen","Mischpilze","Misopaste","Mohn","Morcheln","Mozzarella","Muh-Err Pilze (Wolkenohrpilze)","Multivitaminsaft","Mungobohnensprossen","Möhren","Münsterkäse","Natron","Natto","Nektarine","Nelken","Nieren","Noilly Prat","Nougat","Nudeln","Nutella","Nüsse","Oblaten","Obst","Obstessig","Okraschoten","Oktopus","Olivenöl","Orangeat","Orangenaroma","Orangenblütenwasser","Orangenlikör","Orangenmarmelade","Orangensaft","Orangensirup","Palmzucker","Paniermehl","Papaya","Paprikamark","Paprikapulver edelsüß","Paradiescreme","Parfait Amour","Parmaschinken","Parmesan","Passionsfrucht","Pastinaken","Pastis","Patissons","Pecorino","Pekannüsse","Pellkartoffeln","Perlzwiebeln","Pesto","Petersilienwurzel","Pfefferkörner","Pfifferlinge","Pfirsiche","Pfirsichsaft","Pflanzencreme","Pflaumen","Pflaumenmus","Pflaumensauce","Pflaumenwein","Physalis","Pinienkerne","Pistazie","Polenta","Portwein","Pottasche","Preiselbeeren","Preiselbeermarmelade","Prosecco","Puderzucker","Pute","Putenbrust","Putenkeulen","Putenleber","Putenrollbraten","Putenschnitzel","Quark","Quimiq","Quitten","Radieschen","Rahm","Rapsöl","Rebhuhn","Reh","Reis","Reisessig","Reisnudeln","Reispapier","Reissirup","Reiswein","Rettich","Ricotta","Riesengarnelen","Riesling","Rinderfilet","Rinderhack","Rinderleber","Rindfleisch","Risotto-Reis","Roastbeef","Roggenmehl","Rohrzucker","Rosa Pfeffer","Rosenkohl","Rosenpaprika","Rosenwasser","Rosinen","Rote Beete","Rote-Beete-Saft","Rotkohl","Rotweinessig","Rumaroma","Räucherlachs","Röstzwiebeln","Rübensirup","Sahne","Sahnejoghurt","Sahnemeerrettich","Sahnesteif","Salami","Salatgurke","Sambal Oelek","Sambuca","Sanddornsaft","Sanddornsirup","Sardellenfilets","Sardellenpaste","Sardinen","Sauerkirschen","Sauerkirschsaft","Sauerkraut","Sauerteig","Saure Sahne","Saurer Halbrahm","Sbrinz","Schafskäse","Schalotten","Schinkenwurst","Schlagsahne","Schmalz","Schmand","Schmelzkäse","Schnitzel","Schokoladensauce","Scholle","Schwarzbrot","Schwarzer Johannisbeersaft","Schwarzwurzeln","Schweinefilet","Schweinefleisch","Schweineleber","Schweinelende","Schweinenacken","Seehecht","Seeteufel","Seitan","Sekt","Sellerieknolle","Selleriesalz","Senfkörner","Senfmehl","Sesam","Sesampaste","Sesamöl","Sharonfrüchte (Kaki)","Sherry","Shiitake-Pilze","Silberzwiebeln","Sojamilch","Sojasauce","Sojasprossen","Sojaöl","Sonnenblumenkerne","Sonnenblumenöl","Soßenbinder","Spaghetti","Spanferkel","Spargel","Speck","Speisestärke","Spinat","Spitzkohl","Sprossen","Stachelbeeren","Staudensellerie","Steckrüben","Steinpilze","Sternfrucht","Stubenküken","Suppenfleisch","Suppengrün","Süsskartoffeln","Süßkirschen","Süßstoff","Tabasco","Tafelspitz","Tagliatelle","Tahini","Tamarillo","Tequila","Thunfisch","Thunfischsteak","Toastbrot","Tofu","Tomaten","Tomatenmark","Tomatensaft","Tomato al gusto mit Kräuter","Tortenguss","Traubenkernöl","Traubensaft","Trockenfrüchte","Trockenhefe","Tsatsiki","Vanillearoma","Vanilleeis","Vanillepudding","Vanillesauce","Vanilleschote","Vanillezucker","Vollkornmehl","Wachtelbohnen","Wachteleier","Wachteln","Waldfrüchte","Waldmeistersirup","Walnusskerne","Walnussöl","Wasser","Weinbrand","Weinessig","Weintrauben","Weizenkeime","Weißbrot","Weißkohl","Weißwein","Wermut","Whisky","Wild","Wildschwein","Wirsing","Wodka","Worcestersauce","Wurst","Würfelzucker","Würstchen","Zander","Ziegenkäse","Zigeunersauce","Zitronat","Zitrone","Zitronenaroma","Zitronenglasur","Zitronensaft","Zitronenschale","Zitronensirup","Zucchini","Zucchiniblüten","Zuckerglasur","Zuckerschoten","Zunge","Zwetschgen","Zwieback","Zwiebelsuppe","brauner Rum","gedörrte Feigen","gekochter Schinken","gelbe Paprika","geräucherte Putenbrust","getrocknete Tomaten","grüne Bohnen","grüne Oliven","grüne Paprika","passierte Tomaten","roher Schinken","rote Paprika","rote Zwiebeln","schwarze Oliven","weiße Bohnen","weiße Schokolade","weiße Zwiebeln","weißer Heilbutt","weißer Rum","Äpfel","Öl"],"measurement_sizes":["1/4","1/3","1/2","1","2","3"],"measurements":["Teelöffel","Esslöffel","Tasse","Prise","Messerspitze","Packung"],"spices":["Ajowan","Anis","Annatto","Asant","Bärlauch","Bärwurz","Basilikum","Beifuß","Berbere","Bergkümmel","Bertram","Bockshornklee","Bohnenkraut","Borretsch","Brunnenkresse","Cardamom","Cayennepfeffer","Chili","Cilantro","Cumin","Curcuma","Curryblätter","Currykraut","Currypulver","Dill","Dost","Eberraute","Einlegegewürz","Engelwurz","Epazote","Estragon","Färberdistel","Fenchel","Fetthenne","Gagel","Galgant","Galgant","Gänseblümchen","Garam","Gelbwurz","Gochujang","Gomashio","Gurkenkraut","Harissa","Herbes","Honig","gemeiner","Ingwer","Kaffernlimette","Kakaopulver","Kalmus","Kapern","Kapuzinerkresse","Grüner","Schwarzer","Kerbel","Kemirinuss","Knoblauch","Koriander","Kren","Kresse","Große","Kreuzkümmel","Kubebenpfeffer","Kümmel","Kürbis","Kurkuma","Langer","Lakritze","Lavendel","Liebstöckel","Limette","Lorbeer","Lorbeer","Löffelkraut","Macis","Mandel","Majoran","spreizende","Meerrettich","Melisse","Minze","Mitsuba","Mohnsamen","Muskat","Myrrhenkerbel","Nelkenpfeffer","Ölkürbis","Orangen","Oregano","Pandanus","Paradieskörner","Paprika","Pastinake","Peperoni","Perilla","Petersilie","Pfeffer","Pfefferminze","Piment","Pimpinelle","Portulak","Quendel","Ras","Rhabarber","Rosmarin","Rotwein","Rouille","Rucola","Safran","Salbei","Salz","Sambal","Sassafras","Sauerampfer","Schabzigerklee","Schalotte","Schafgarbe","Schnittknoblauch","Schnittlauch","Schwarzkümmel","Sellerie","Senf","Soumbala","Spitzwegerich","Sternanis","Stevia","Sumach","Süßdolde","Süßholz","Szechuanpfeffer","Tamarinde","Tanduri","Tasmanischer","Tonkabohne","Thymian","Tripmadam","Trüffel","Tschubritza","Wasabi","Wacholder","Waldmeister","Wald-Weidenröschen","Wasserpfeffer","Weinblätter","Weinraute","Ysop","Zichorie","Zimt","Zitronengras","Zitronenmelisse","Zitronen","Zitronenstrauch","Zitronenthymian","Zitwerwurzel","Zucker","Zwiebel"]},"hipster":{"words":["8-Bit","Adrenalinjunkie","Artisan","Artpreneur","Bart","Basic Bitch","Beanie","Braux Pas","Brunch","Craft Beer","Cutester","DIY","Earthporn","Fake","Fashin Girl","Flittern","Foodporn","Freshman at life","Frienvy","Frunch","Genderfriend","Ghosting","Helicopter-Freundin","Hipster","Influencer","Inspiration","Instagram","Jutebeutel","Kombucha","Lomo","Love Interest","Lumbersexual","Mansplaining","Mate","Mingle","Mustache","Möchtegern","Nomophobia","Normcore","OMG","Pinterest","Polaroid","Praktikantenlunch","Pseudointellektuelle","Quinoa","Ringle","SWAG","Sapiosexuell","Sexting","Smoothie","Spornosexuell","Star Wars","Strickmütze","Suchtie","Sushi","Tattoo","Tinder-Finger","Trashopfer","Twitternerds","Undercut","Urban Gardening","Urbane Bohème","Vans","Vice","WTF","YOLO","Yuccies","Zumbatante","awesome","beziehungsunfähig","blog","chillen","crazy","handmade","home brewed","häkeln","organic","party hard","passiv bisexuell","retro","snacken","stricken","suchten","tl;dr","vegan","veganz","veggie","vintage","viral","vlog"]},"internet":{"domain_suffix":["com","info","name","net","org","de","ch"],"free_email":["gmail.com","yahoo.com","hotmail.com","gmx.de","web.de","mail.de","freenet.de"]},"lorem":{"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"music":{"instruments":["Akkordeon","Balalaika","Banjo","Bass-Gitarre","Basstuba","Becken-Paar","Blockflöte","Bongo","Bratsche","Cabasa","Celesta","Cello","Cembalo","Dudelsack","E-Bass","E-Gitarre","Fagott","Geige ","Gitarre","Gong","Hammondorgel","Harfe","Horn","Keybord","Klarinette","Klavier","Kontrabaß","Laute","Mandoline","Marimba","Mauren","Melodica","Mundharmonika","Oboe","Orgel","Panflöte","Pauke","Piano","Piccoloflöte","Querflöte","Rassel","Sackpfeife","Saxophon","Schellentrommel","Synthesizer","Tamburin","Triangel","Trommel","Trompete","Tuba","Vibraphon","Viola","Violine","Xylophon","Zither"]},"name":{"first_name":["Aaron","Abdul","Abdullah","Adam","Adrian","Adriano","Ahmad","Ahmed","Ahmet","Alan","Albert","Alessandro","Alessio","Alex","Alexander","Alfred","Ali","Amar","Amir","Amon","Andre","Andreas","Andrew","Angelo","Ansgar","Anthony","Anton","Antonio","Arda","Arian","Armin","Arne","Arno","Arthur","Artur","Arved","Arvid","Ayman","Baran","Baris","Bastian","Batuhan","Bela","Ben","Benedikt","Benjamin","Bennet","Bennett","Benno","Bent","Berat","Berkay","Bernd","Bilal","Bjarne","Björn","Bo","Boris","Brandon","Brian","Bruno","Bryan","Burak","Calvin","Can","Carl","Carlo","Carlos","Carsten","Caspar","Cedric","Cedrik","Cem","Charlie","Chris","Christian","Christiano","Christoph","Christopher","Claas","Clemens","Colin","Collin","Conner","Connor","Constantin","Corvin","Curt","Damian","Damien","Daniel","Danilo","Danny","Darian","Dario","Darius","Darren","David","Davide","Davin","Dean","Deniz","Dennis","Denny","Devin","Diego","Dion","Domenic","Domenik","Dominic","Dominik","Dorian","Dustin","Dylan","Ecrin","Eddi","Eddy","Edgar","Edwin","Efe","Ege","Elia","Eliah","Elias","Elijah","Emanuel","Emil","Emilian","Emilio","Emir","Emirhan","Emre","Enes","Enno","Enrico","Eren","Eric","Erik","Etienne","Fabian","Fabien","Fabio","Fabrice","Falk","Felix","Ferdinand","Fiete","Filip","Finlay","Finley","Finn","Finnley","Florian","Francesco","Franz","Frederic","Frederick","Frederik","Friedrich","Fritz","Furkan","Fynn","Gabriel","Georg","Gerrit","Gian","Gianluca","Gino","Giuliano","Giuseppe","Gregor","Gustav","Hagen","Hamza","Hannes","Hanno","Hans","Hasan","Hassan","Hauke","Hendrik","Hennes","Henning","Henri","Henrick","Henrik","Henry","Hugo","Hussein","Ian","Ibrahim","Ilias","Ilja","Ilyas","Immanuel","Ismael","Ismail","Ivan","Iven","Jack","Jacob","Jaden","Jakob","Jamal","James","Jamie","Jan","Janek","Janis","Janne","Jannek","Jannes","Jannik","Jannis","Jano","Janosch","Jared","Jari","Jarne","Jarno","Jaron","Jason","Jasper","Jay","Jayden","Jayson","Jean","Jens","Jeremias","Jeremie","Jeremy","Jermaine","Jerome","Jesper","Jesse","Jim","Jimmy","Joe","Joel","Joey","Johann","Johannes","John","Johnny","Jon","Jona","Jonah","Jonas","Jonathan","Jonte","Joost","Jordan","Joris","Joscha","Joschua","Josef","Joseph","Josh","Joshua","Josua","Juan","Julian","Julien","Julius","Juri","Justin","Justus","Kaan","Kai","Kalle","Karim","Karl","Karlo","Kay","Keanu","Kenan","Kenny","Keno","Kerem","Kerim","Kevin","Kian","Kilian","Kim","Kimi","Kjell","Klaas","Klemens","Konrad","Konstantin","Koray","Korbinian","Kurt","Lars","Lasse","Laurence","Laurens","Laurenz","Laurin","Lean","Leander","Leandro","Leif","Len","Lenn","Lennard","Lennart","Lennert","Lennie","Lennox","Lenny","Leo","Leon","Leonard","Leonardo","Leonhard","Leonidas","Leopold","Leroy","Levent","Levi","Levin","Lewin","Lewis","Liam","Lian","Lias","Lino","Linus","Lio","Lion","Lionel","Logan","Lorenz","Lorenzo","Loris","Louis","Luan","Luc","Luca","Lucas","Lucian","Lucien","Ludwig","Luis","Luiz","Luk","Luka","Lukas","Luke","Lutz","Maddox","Mads","Magnus","Maik","Maksim","Malik","Malte","Manuel","Marc","Marcel","Marco","Marcus","Marek","Marian","Mario","Marius","Mark","Marko","Markus","Marlo","Marlon","Marten","Martin","Marvin","Marwin","Mateo","Mathis","Matis","Mats","Matteo","Mattes","Matthias","Matthis","Matti","Mattis","Maurice","Max","Maxim","Maximilian","Mehmet","Meik","Melvin","Merlin","Mert","Michael","Michel","Mick","Miguel","Mika","Mikail","Mike","Milan","Milo","Mio","Mirac","Mirco","Mirko","Mohamed","Mohammad","Mohammed","Moritz","Morten","Muhammed","Murat","Mustafa","Nathan","Nathanael","Nelson","Neo","Nevio","Nick","Niclas","Nico","Nicolai","Nicolas","Niels","Nikita","Niklas","Niko","Nikolai","Nikolas","Nils","Nino","Noah","Noel","Norman","Odin","Oke","Ole","Oliver","Omar","Onur","Oscar","Oskar","Pascal","Patrice","Patrick","Paul","Peer","Pepe","Peter","Phil","Philip","Philipp","Pierre","Piet","Pit","Pius","Quentin","Quirin","Rafael","Raik","Ramon","Raphael","Rasmus","Raul","Rayan","René","Ricardo","Riccardo","Richard","Rick","Rico","Robert","Robin","Rocco","Roman","Romeo","Ron","Ruben","Ryan","Said","Salih","Sam","Sami","Sammy","Samuel","Sandro","Santino","Sascha","Sean","Sebastian","Selim","Semih","Shawn","Silas","Simeon","Simon","Sinan","Sky","Stefan","Steffen","Stephan","Steve","Steven","Sven","Sönke","Sören","Taha","Tamino","Tammo","Tarik","Tayler","Taylor","Teo","Theo","Theodor","Thies","Thilo","Thomas","Thorben","Thore","Thorge","Tiago","Til","Till","Tillmann","Tim","Timm","Timo","Timon","Timothy","Tino","Titus","Tizian","Tjark","Tobias","Tom","Tommy","Toni","Tony","Torben","Tore","Tristan","Tyler","Tyron","Umut","Uwe","Valentin","Valentino","Veit","Victor","Viktor","Vin","Vincent","Vito","Vitus","Wilhelm","Willi","William","Willy","Xaver","Yannic","Yannick","Yannik","Yannis","Yasin","Youssef","Yunus","Yusuf","Yven","Yves","Ömer","Aaliyah","Abby","Abigail","Ada","Adelina","Adriana","Aileen","Aimee","Alana","Alea","Alena","Alessa","Alessia","Alexa","Alexandra","Alexia","Alexis","Aleyna","Alia","Alica","Alice","Alicia","Alina","Alisa","Alisha","Alissa","Aliya","Aliyah","Allegra","Alma","Alyssa","Amalia","Amanda","Amelia","Amelie","Amina","Amira","Amy","Ana","Anabel","Anastasia","Andrea","Angela","Angelina","Angelique","Anja","Ann","Anna","Annabel","Annabell","Annabelle","Annalena","Anne","Anneke","Annelie","Annemarie","Anni","Annie","Annika","Anny","Anouk","Antonia","Arda","Ariana","Ariane","Arwen","Ashley","Asya","Aurelia","Aurora","Ava","Ayleen","Aylin","Ayse","Azra","Betty","Bianca","Bianka","Brigitte","Caitlin","Cara","Carina","Carla","Carlotta","Carmen","Carolin","Carolina","Caroline","Cassandra","Catharina","Catrin","Cecile","Cecilia","Celia","Celina","Celine","Ceyda","Ceylin","Chantal","Charleen","Charlotta","Charlotte","Chayenne","Cheyenne","Chiara","Christin","Christiane","Christina","Cindy","Claire","Clara","Clarissa","Colleen","Collien","Cora","Corinna","Cosima","Dana","Daniela","Daria","Darleen","Defne","Delia","Denise","Diana","Dilara","Dina","Dorothea","Ecrin","Eda","Eileen","Ela","Elaine","Elanur","Elea","Elena","Eleni","Eleonora","Eliana","Elif","Elina","Elisa","Elisabeth","Ella","Ellen","Elli","Elly","Elsa","Emelie","Emely","Emilia","Emilie","Emily","Emma","Emmely","Emmi","Emmy","Enie","Enna","Enya","Esma","Estelle","Esther","Eva","Evelin","Evelina","Eveline","Evelyn","Fabienne","Fatima","Fatma","Felicia","Felicitas","Felina","Femke","Fenja","Fine","Finia","Finja","Finnja","Fiona","Flora","Florentine","Francesca","Franka","Franziska","Frederike","Freya","Frida","Frieda","Friederike","Giada","Gina","Giulia","Giuliana","Greta","Hailey","Hana","Hanna","Hannah","Heidi","Helen","Helena","Helene","Helin","Henriette","Henrike","Hermine","Ida","Ilayda","Imke","Ina","Ines","Inga","Inka","Irem","Isa","Isabel","Isabell","Isabella","Isabelle","Ivonne","Jacqueline","Jamie","Jamila","Jana","Jane","Janin","Janina","Janine","Janna","Janne","Jara","Jasmin","Jasmina","Jasmine","Jella","Jenna","Jennifer","Jenny","Jessica","Jessy","Jette","Jil","Jill","Joana","Joanna","Joelina","Joeline","Joelle","Johanna","Joleen","Jolie","Jolien","Jolin","Jolina","Joline","Jona","Jonah","Jonna","Josefin","Josefine","Josephin","Josephine","Josie","Josy","Joy","Joyce","Judith","Judy","Jule","Julia","Juliana","Juliane","Julie","Julienne","Julika","Julina","Juna","Justine","Kaja","Karina","Karla","Karlotta","Karolina","Karoline","Kassandra","Katarina","Katharina","Kathrin","Katja","Katrin","Kaya","Kayra","Kiana","Kiara","Kim","Kimberley","Kimberly","Kira","Klara","Korinna","Kristin","Kyra","Laila","Lana","Lara","Larissa","Laura","Laureen","Lavinia","Lea","Leah","Leana","Leandra","Leann","Lee","Leila","Lena","Lene","Leni","Lenia","Lenja","Lenya","Leona","Leoni","Leonie","Leonora","Leticia","Letizia","Levke","Leyla","Lia","Liah","Liana","Lili","Lilia","Lilian","Liliana","Lilith","Lilli","Lillian","Lilly","Lily","Lina","Linda","Lindsay","Line","Linn","Linnea","Lisa","Lisann","Lisanne","Liv","Livia","Liz","Lola","Loreen","Lorena","Lotta","Lotte","Louisa","Louise","Luana","Luca","Lucia","Lucie","Lucienne","Lucy","Luisa","Luise","Luka","Luna","Luzie","Lya","Lydia","Lyn","Lynn","Madeleine","Madita","Madleen","Madlen","Magdalena","Maike","Mailin","Maira","Maja","Malena","Malia","Malin","Malina","Mandy","Mara","Marah","Mareike","Maren","Maria","Mariam","Marie","Marieke","Mariella","Marika","Marina","Marisa","Marissa","Marit","Marla","Marleen","Marlen","Marlena","Marlene","Marta","Martha","Mary","Maryam","Mathilda","Mathilde","Matilda","Maxi","Maxima","Maxine","Maya","Mayra","Medina","Medine","Meike","Melanie","Melek","Melike","Melina","Melinda","Melis","Melisa","Melissa","Merle","Merve","Meryem","Mette","Mia","Michaela","Michelle","Mieke","Mila","Milana","Milena","Milla","Mina","Mira","Miray","Miriam","Mirja","Mona","Monique","Nadine","Nadja","Naemi","Nancy","Naomi","Natalia","Natalie","Nathalie","Neele","Nela","Nele","Nelli","Nelly","Nia","Nicole","Nika","Nike","Nikita","Nila","Nina","Nisa","Noemi","Nora","Olivia","Patricia","Patrizia","Paula","Paulina","Pauline","Penelope","Philine","Phoebe","Pia","Rahel","Rania","Rebecca","Rebekka","Riana","Rieke","Rike","Romina","Romy","Ronja","Rosa","Rosalie","Ruby","Sabrina","Sahra","Sally","Salome","Samantha","Samia","Samira","Sandra","Sandy","Sanja","Saphira","Sara","Sarah","Saskia","Selin","Selina","Selma","Sena","Sidney","Sienna","Silja","Sina","Sinja","Smilla","Sofia","Sofie","Sonja","Sophia","Sophie","Soraya","Stefanie","Stella","Stephanie","Stina","Sude","Summer","Susanne","Svea","Svenja","Sydney","Tabea","Talea","Talia","Tamara","Tamia","Tamina","Tanja","Tara","Tarja","Teresa","Tessa","Thalea","Thalia","Thea","Theresa","Tia","Tina","Tomke","Tuana","Valentina","Valeria","Valerie","Vanessa","Vera","Veronika","Victoria","Viktoria","Viola","Vivian","Vivien","Vivienne","Wibke","Wiebke","Xenia","Yara","Yaren","Yasmin","Ylvi","Ylvie","Yvonne","Zara","Zehra","Zeynep","Zoe","Zoey","Zoé"],"last_name":["Abel","Abicht","Abraham","Abramovic","Abt","Achilles","Achkinadze","Ackermann","Adam","Adams","Ade","Agostini","Ahlke","Ahrenberg","Ahrens","Aigner","Albert","Albrecht","Alexa","Alexander","Alizadeh","Allgeyer","Amann","Amberg","Anding","Anggreny","Apitz","Arendt","Arens","Arndt","Aryee","Aschenbroich","Assmus","Astafei","Auer","Axmann","Baarck","Bachmann","Badane","Bader","Baganz","Bahl","Bak","Balcer","Balck","Balkow","Balnuweit","Balzer","Banse","Barr","Bartels","Barth","Barylla","Baseda","Battke","Bauer","Bauermeister","Baumann","Baumeister","Bauschinger","Bauschke","Bayer","Beavogui","Beck","Beckel","Becker","Beckmann","Bedewitz","Beele","Beer","Beggerow","Beh","Behnke","Behnert","Behr","Behrenbruch","Belz","Bender","Benecke","Benner","Benninger","Benzing","Berends","Berger","Berner","Berning","Bertenbreiter","Best","Bethke","Betz","Beushausen","Beutelspacher","Beyer","Biba","Bichler","Bickel","Biedermann","Bieler","Bielert","Bienasch","Bienias","Biesenbach","Bigdeli","Birkemeyer","Bittner","Blank","Blaschek","Blassneck","Bloch","Blochwitz","Blockhaus","Blum","Blume","Bock","Bode","Bogdashin","Bogenrieder","Bohge","Bolm","Borgschulze","Bork","Bormann","Bornscheuer","Borrmann","Borsch","Boruschewski","Bos","Bosler","Bourrouag","Bouschen","Boxhammer","Boyde","Bozsik","Brand","Brandenburg","Brandis","Brandt","Brauer","Braun","Brehmer","Breitenstein","Bremer","Bremser","Brenner","Brettschneider","Breu","Breuer","Briesenick","Bringmann","Brinkmann","Brix","Broening","Brosch","Bruckmann","Bruder","Bruhns","Brunner","Bruns","Bräutigam","Brömme","Brüggmann","Buchholz","Buchrucker","Buder","Bultmann","Bunjes","Burger","Burghagen","Burkhard","Burkhardt","Burmeister","Busch","Buschbaum","Busemann","Buss","Busse","Bussmann","Byrd","Bäcker","Böhm","Bönisch","Börgeling","Börner","Böttner","Büchele","Bühler","Büker","Büngener","Bürger","Bürklein","Büscher","Büttner","Camara","Carlowitz","Carlsohn","Caspari","Caspers","Chapron","Christ","Cierpinski","Clarius","Cleem","Cleve","Co","Conrad","Cordes","Cornelsen","Cors","Cotthardt","Crews","Cronjäger","Crosskofp","Da","Dahm","Dahmen","Daimer","Damaske","Danneberg","Danner","Daub","Daubner","Daudrich","Dauer","Daum","Dauth","Dautzenberg","De","Decker","Deckert","Deerberg","Dehmel","Deja","Delonge","Demut","Dengler","Denner","Denzinger","Derr","Dertmann","Dethloff","Deuschle","Dieckmann","Diedrich","Diekmann","Dienel","Dies","Dietrich","Dietz","Dietzsch","Diezel","Dilla","Dingelstedt","Dippl","Dittmann","Dittmar","Dittmer","Dix","Dobbrunz","Dobler","Dohring","Dolch","Dold","Dombrowski","Donie","Doskoczynski","Dragu","Drechsler","Drees","Dreher","Dreier","Dreissigacker","Dressler","Drews","Duma","Dutkiewicz","Dyett","Dylus","Dächert","Döbel","Döring","Dörner","Dörre","Dück","Eberhard","Eberhardt","Ecker","Eckhardt","Edorh","Effler","Eggenmueller","Ehm","Ehmann","Ehrig","Eich","Eichmann","Eifert","Einert","Eisenlauer","Ekpo","Elbe","Eleyth","Elss","Emert","Emmelmann","Ender","Engel","Engelen","Engelmann","Eplinius","Erdmann","Erhardt","Erlei","Erm","Ernst","Ertl","Erwes","Esenwein","Esser","Evers","Everts","Ewald","Fahner","Faller","Falter","Farber","Fassbender","Faulhaber","Fehrig","Feld","Felke","Feller","Fenner","Fenske","Feuerbach","Fietz","Figl","Figura","Filipowski","Filsinger","Fincke","Fink","Finke","Fischer","Fitschen","Fleischer","Fleischmann","Floder","Florczak","Flore","Flottmann","Forkel","Forst","Frahmeke","Frank","Franke","Franta","Frantz","Franz","Franzis","Franzmann","Frauen","Frauendorf","Freigang","Freimann","Freimuth","Freisen","Frenzel","Frey","Fricke","Fried","Friedek","Friedenberg","Friedmann","Friedrich","Friess","Frisch","Frohn","Frosch","Fuchs","Fuhlbrügge","Fusenig","Fust","Förster","Gaba","Gabius","Gabler","Gadschiew","Gakstädter","Galander","Gamlin","Gamper","Gangnus","Ganzmann","Garatva","Gast","Gastel","Gatzka","Gauder","Gebhardt","Geese","Gehre","Gehrig","Gehring","Gehrke","Geiger","Geisler","Geissler","Gelling","Gens","Gerbennow","Gerdel","Gerhardt","Gerschler","Gerson","Gesell","Geyer","Ghirmai","Ghosh","Giehl","Gierisch","Giesa","Giesche","Gilde","Glatting","Goebel","Goedicke","Goldbeck","Goldfuss","Goldkamp","Goldkühle","Goller","Golling","Gollnow","Golomski","Gombert","Gotthardt","Gottschalk","Gotz","Goy","Gradzki","Graf","Grams","Grasse","Gratzky","Grau","Greb","Green","Greger","Greithanner","Greschner","Griem","Griese","Grimm","Gromisch","Gross","Grosser","Grossheim","Grosskopf","Grothaus","Grothkopp","Grotke","Grube","Gruber","Grundmann","Gruning","Gruszecki","Gröss","Grötzinger","Grün","Grüner","Gummelt","Gunkel","Gunther","Gutjahr","Gutowicz","Gutschank","Göbel","Göckeritz","Göhler","Görlich","Görmer","Götz","Götzelmann","Güldemeister","Günther","Günz","Gürbig","Haack","Haaf","Habel","Hache","Hackbusch","Hackelbusch","Hadfield","Hadwich","Haferkamp","Hahn","Hajek","Hallmann","Hamann","Hanenberger","Hannecker","Hanniske","Hansen","Hardy","Hargasser","Harms","Harnapp","Harter","Harting","Hartlieb","Hartmann","Hartwig","Hartz","Haschke","Hasler","Hasse","Hassfeld","Haug","Hauke","Haupt","Haverney","Heberstreit","Hechler","Hecht","Heck","Hedermann","Hehl","Heidelmann","Heidler","Heinemann","Heinig","Heinke","Heinrich","Heinze","Heiser","Heist","Hellmann","Helm","Helmke","Helpling","Hengmith","Henkel","Hennes","Henry","Hense","Hensel","Hentel","Hentschel","Hentschke","Hepperle","Herberger","Herbrand","Hering","Hermann","Hermecke","Herms","Herold","Herrmann","Herschmann","Hertel","Herweg","Herwig","Herzenberg","Hess","Hesse","Hessek","Hessler","Hetzler","Heuck","Heydemüller","Hiebl","Hildebrand","Hildenbrand","Hilgendorf","Hillard","Hiller","Hingsen","Hingst","Hinrichs","Hirsch","Hirschberg","Hirt","Hodea","Hoffman","Hoffmann","Hofmann","Hohenberger","Hohl","Hohn","Hohnheiser","Hold","Holdt","Holinski","Holl","Holtfreter","Holz","Holzdeppe","Holzner","Hommel","Honz","Hooss","Hoppe","Horak","Horn","Horna","Hornung","Hort","Howard","Huber","Huckestein","Hudak","Huebel","Hugo","Huhn","Hujo","Huke","Huls","Humbert","Huneke","Huth","Häber","Häfner","Höcke","Höft","Höhne","Hönig","Hördt","Hübenbecker","Hübl","Hübner","Hügel","Hüttcher","Hütter","Ibe","Ihly","Illing","Isak","Isekenmeier","Itt","Jacob","Jacobs","Jagusch","Jahn","Jahnke","Jakobs","Jakubczyk","Jambor","Jamrozy","Jander","Janich","Janke","Jansen","Jarets","Jaros","Jasinski","Jasper","Jegorov","Jellinghaus","Jeorga","Jerschabek","Jess","John","Jonas","Jossa","Jucken","Jung","Jungbluth","Jungton","Just","Jürgens","Kaczmarek","Kaesmacher","Kahl","Kahlert","Kahles","Kahlmeyer","Kaiser","Kalinowski","Kallabis","Kallensee","Kampf","Kampschulte","Kappe","Kappler","Karhoff","Karrass","Karst","Karsten","Karus","Kass","Kasten","Kastner","Katzinski","Kaufmann","Kaul","Kausemann","Kawohl","Kazmarek","Kedzierski","Keil","Keiner","Keller","Kelm","Kempe","Kemper","Kempter","Kerl","Kern","Kesselring","Kesselschläger","Kette","Kettenis","Keutel","Kick","Kiessling","Kinadeter","Kinzel","Kinzy","Kirch","Kirst","Kisabaka","Klaas","Klabuhn","Klapper","Klauder","Klaus","Kleeberg","Kleiber","Klein","Kleinert","Kleininger","Kleinmann","Kleinsteuber","Kleiss","Klemme","Klimczak","Klinger","Klink","Klopsch","Klose","Kloss","Kluge","Kluwe","Knabe","Kneifel","Knetsch","Knies","Knippel","Knobel","Knoblich","Knoll","Knorr","Knorscheidt","Knut","Kobs","Koch","Kochan","Kock","Koczulla","Koderisch","Koehl","Koehler","Koenig","Koester","Kofferschlager","Koha","Kohle","Kohlmann","Kohnle","Kohrt","Koj","Kolb","Koleiski","Kolokas","Komoll","Konieczny","Konig","Konow","Konya","Koob","Kopf","Kosenkow","Koster","Koszewski","Koubaa","Kovacs","Kowalick","Kowalinski","Kozakiewicz","Krabbe","Kraft","Kral","Kramer","Krauel","Kraus","Krause","Krauspe","Kreb","Krebs","Kreissig","Kresse","Kreutz","Krieger","Krippner","Krodinger","Krohn","Krol","Kron","Krueger","Krug","Kruger","Krull","Kruschinski","Krämer","Kröckert","Kröger","Krüger","Kubera","Kufahl","Kuhlee","Kuhnen","Kulimann","Kulma","Kumbernuss","Kummle","Kunz","Kupfer","Kupprion","Kuprion","Kurnicki","Kurrat","Kurschilgen","Kuschewitz","Kuschmann","Kuske","Kustermann","Kutscherauer","Kutzner","Kwadwo","Kähler","Käther","Köhler","Köhrbrück","Köhre","Kölotzei","König","Köpernick","Köseoglu","Kúhn","Kúhnert","Kühn","Kühnel","Kühnemund","Kühnert","Kühnke","Küsters","Küter","Laack","Lack","Ladewig","Lakomy","Lammert","Lamos","Landmann","Lang","Lange","Langfeld","Langhirt","Lanig","Lauckner","Lauinger","Laurén","Lausecker","Laux","Laws","Lax","Leberer","Lehmann","Lehner","Leibold","Leide","Leimbach","Leipold","Leist","Leiter","Leiteritz","Leitheim","Leiwesmeier","Lenfers","Lenk","Lenz","Lenzen","Leo","Lepthin","Lesch","Leschnik","Letzelter","Lewin","Lewke","Leyckes","Lg","Lichtenfeld","Lichtenhagen","Lichtl","Liebach","Liebe","Liebich","Liebold","Lieder","Lienshöft","Linden","Lindenberg","Lindenmayer","Lindner","Linke","Linnenbaum","Lippe","Lipske","Lipus","Lischka","Lobinger","Logsch","Lohmann","Lohre","Lohse","Lokar","Loogen","Lorenz","Losch","Loska","Lott","Loy","Lubina","Ludolf","Lufft","Lukoschek","Lutje","Lutz","Löser","Löwa","Lübke","Maak","Maczey","Madetzky","Madubuko","Mai","Maier","Maisch","Malek","Malkus","Mallmann","Malucha","Manns","Manz","Marahrens","Marchewski","Margis","Markowski","Marl","Marner","Marquart","Marschek","Martel","Marten","Martin","Marx","Marxen","Mathes","Mathies","Mathiszik","Matschke","Mattern","Matthes","Matula","Mau","Maurer","Mauroff","May","Maybach","Mayer","Mebold","Mehl","Mehlhorn","Mehlorn","Meier","Meisch","Meissner","Meloni","Melzer","Menga","Menne","Mensah","Mensing","Merkel","Merseburg","Mertens","Mesloh","Metzger","Metzner","Mewes","Meyer","Michallek","Michel","Mielke","Mikitenko","Milde","Minah","Mintzlaff","Mockenhaupt","Moede","Moedl","Moeller","Moguenara","Mohr","Mohrhard","Molitor","Moll","Moller","Molzan","Montag","Moormann","Mordhorst","Morgenstern","Morhelfer","Moritz","Moser","Motchebon","Motzenbbäcker","Mrugalla","Muckenthaler","Mues","Muller","Mulrain","Mächtig","Mäder","Möcks","Mögenburg","Möhsner","Möldner","Möllenbeck","Möller","Möllinger","Mörsch","Mühleis","Müller","Münch","Nabein","Nabow","Nagel","Nannen","Nastvogel","Nau","Naubert","Naumann","Ne","Neimke","Nerius","Neubauer","Neubert","Neuendorf","Neumair","Neumann","Neupert","Neurohr","Neuschwander","Newton","Ney","Nicolay","Niedermeier","Nieklauson","Niklaus","Nitzsche","Noack","Nodler","Nolte","Normann","Norris","Northoff","Nowak","Nussbeck","Nwachukwu","Nytra","Nöh","Oberem","Obergföll","Obermaier","Ochs","Oeser","Olbrich","Onnen","Ophey","Oppong","Orth","Orthmann","Oschkenat","Osei","Osenberg","Ostendarp","Ostwald","Otte","Otto","Paesler","Pajonk","Pallentin","Panzig","Paschke","Patzwahl","Paukner","Peselman","Peter","Peters","Petzold","Pfeiffer","Pfennig","Pfersich","Pfingsten","Pflieger","Pflügner","Philipp","Pichlmaier","Piesker","Pietsch","Pingpank","Pinnock","Pippig","Pitschugin","Plank","Plass","Platzer","Plauk","Plautz","Pletsch","Plotzitzka","Poehn","Poeschl","Pogorzelski","Pohl","Pohland","Pohle","Polifka","Polizzi","Pollmächer","Pomp","Ponitzsch","Porsche","Porth","Poschmann","Poser","Pottel","Prah","Prange","Prediger","Pressler","Preuk","Preuss","Prey","Priemer","Proske","Pusch","Pöche","Pöge","Raabe","Rabenstein","Rach","Radtke","Rahn","Ranftl","Rangen","Ranz","Rapp","Rath","Rau","Raubuch","Raukuc","Rautenkranz","Rehwagen","Reiber","Reichardt","Reichel","Reichling","Reif","Reifenrath","Reimann","Reinberg","Reinelt","Reinhardt","Reinke","Reitze","Renk","Rentz","Renz","Reppin","Restle","Restorff","Retzke","Reuber","Reumann","Reus","Reuss","Reusse","Rheder","Rhoden","Richards","Richter","Riedel","Riediger","Rieger","Riekmann","Riepl","Riermeier","Riester","Riethmüller","Rietmüller","Rietscher","Ringel","Ringer","Rink","Ripken","Ritosek","Ritschel","Ritter","Rittweg","Ritz","Roba","Rockmeier","Rodehau","Rodowski","Roecker","Roggatz","Rohländer","Rohrer","Rokossa","Roleder","Roloff","Roos","Rosbach","Roschinsky","Rose","Rosenauer","Rosenbauer","Rosenthal","Rosksch","Rossberg","Rossler","Roth","Rother","Ruch","Ruckdeschel","Rumpf","Rupprecht","Ruth","Ryjikh","Ryzih","Rädler","Räntsch","Rödiger","Röse","Röttger","Rücker","Rüdiger","Rüter","Sachse","Sack","Saflanis","Sagafe","Sagonas","Sahner","Saile","Sailer","Salow","Salzer","Salzmann","Sammert","Sander","Sarvari","Sattelmaier","Sauer","Sauerland","Saumweber","Savoia","Scc","Schacht","Schaefer","Schaffarzik","Schahbasian","Scharf","Schedler","Scheer","Schelk","Schellenbeck","Schembera","Schenk","Scherbarth","Scherer","Schersing","Scherz","Scheurer","Scheuring","Scheytt","Schielke","Schieskow","Schildhauer","Schilling","Schima","Schimmer","Schindzielorz","Schirmer","Schirrmeister","Schlachter","Schlangen","Schlawitz","Schlechtweg","Schley","Schlicht","Schlitzer","Schmalzle","Schmid","Schmidt","Schmidtchen","Schmitt","Schmitz","Schmuhl","Schneider","Schnelting","Schnieder","Schniedermeier","Schnürer","Schoberg","Scholz","Schonberg","Schondelmaier","Schorr","Schott","Schottmann","Schouren","Schrader","Schramm","Schreck","Schreiber","Schreiner","Schreiter","Schroder","Schröder","Schuermann","Schuff","Schuhaj","Schuldt","Schult","Schulte","Schultz","Schultze","Schulz","Schulze","Schumacher","Schumann","Schupp","Schuri","Schuster","Schwab","Schwalm","Schwanbeck","Schwandke","Schwanitz","Schwarthoff","Schwartz","Schwarz","Schwarzer","Schwarzkopf","Schwarzmeier","Schwatlo","Schweisfurth","Schwennen","Schwerdtner","Schwidde","Schwirkschlies","Schwuchow","Schäfer","Schäffel","Schäffer","Schäning","Schöckel","Schönball","Schönbeck","Schönberg","Schönebeck","Schönenberger","Schönfeld","Schönherr","Schönlebe","Schötz","Schüler","Schüppel","Schütz","Schütze","Seeger","Seelig","Sehls","Seibold","Seidel","Seiders","Seigel","Seiler","Seitz","Semisch","Senkel","Sewald","Siebel","Siebert","Siegling","Sielemann","Siemon","Siener","Sievers","Siewert","Sihler","Sillah","Simon","Sinnhuber","Sischka","Skibicki","Sladek","Slotta","Smieja","Soboll","Sokolowski","Soller","Sollner","Sommer","Somssich","Sonn","Sonnabend","Spahn","Spank","Spelmeyer","Spiegelburg","Spielvogel","Spinner","Spitzmüller","Splinter","Sporrer","Sprenger","Spöttel","Stahl","Stang","Stanger","Stauss","Steding","Steffen","Steffny","Steidl","Steigauf","Stein","Steinecke","Steinert","Steinkamp","Steinmetz","Stelkens","Stengel","Stengl","Stenzel","Stepanov","Stephan","Stern","Steuk","Stief","Stifel","Stoll","Stolle","Stolz","Storl","Storp","Stoutjesdijk","Stratmann","Straub","Strausa","Streck","Streese","Strege","Streit","Streller","Strieder","Striezel","Strogies","Strohschank","Strunz","Strutz","Stube","Stöckert","Stöppler","Stöwer","Stürmer","Suffa","Sujew","Sussmann","Suthe","Sutschet","Swillims","Szendrei","Sören","Sürth","Tafelmeier","Tang","Tasche","Taufratshofer","Tegethof","Teichmann","Tepper","Terheiden","Terlecki","Teufel","Theele","Thieke","Thimm","Thiomas","Thomas","Thriene","Thränhardt","Thust","Thyssen","Thöne","Tidow","Tiedtke","Tietze","Tilgner","Tillack","Timmermann","Tischler","Tischmann","Tittman","Tivontschik","Tonat","Tonn","Trampeli","Trauth","Trautmann","Travan","Treff","Tremmel","Tress","Tsamonikian","Tschiers","Tschirch","Tuch","Tucholke","Tudow","Tuschmo","Tächl","Többen","Töpfer","Uhlemann","Uhlig","Uhrig","Uibel","Uliczka","Ullmann","Ullrich","Umbach","Umlauft","Umminger","Unger","Unterpaintner","Urban","Urbaniak","Urbansky","Urhig","Vahlensieck","Van","Vangermain","Vater","Venghaus","Verniest","Verzi","Vey","Viellehner","Vieweg","Voelkel","Vogel","Vogelgsang","Vogt","Voigt","Vokuhl","Volk","Volker","Volkmann","Von","Vona","Vontein","Wachenbrunner","Wachtel","Wagner","Waibel","Wakan","Waldmann","Wallner","Wallstab","Walter","Walther","Walton","Walz","Wanner","Wartenberg","Waschbüsch","Wassilew","Wassiluk","Weber","Wehrsen","Weidlich","Weidner","Weigel","Weight","Weiler","Weimer","Weis","Weiss","Weller","Welsch","Welz","Welzel","Weniger","Wenk","Werle","Werner","Werrmann","Wessel","Wessinghage","Weyel","Wezel","Wichmann","Wickert","Wiebe","Wiechmann","Wiegelmann","Wierig","Wiese","Wieser","Wilhelm","Wilky","Will","Willwacher","Wilts","Wimmer","Winkelmann","Winkler","Winter","Wischek","Wischer","Wissing","Wittich","Wittl","Wolf","Wolfarth","Wolff","Wollenberg","Wollmann","Woytkowska","Wujak","Wurm","Wyludda","Wölpert","Wöschler","Wühn","Wünsche","Zach","Zaczkiewicz","Zahn","Zaituc","Zandt","Zanner","Zapletal","Zauber","Zeidler","Zekl","Zender","Zeuch","Zeyen","Zeyhle","Ziegler","Zimanyi","Zimmer","Zimmermann","Zinser","Zintl","Zipp","Zipse","Zschunke","Zuber","Zwiener","Zümsande","Östringer","Überacker"],"name":["#{prefix} #{first_name} #{last_name}","#{nobility_title} #{first_name} #{last_name}","#{first_name} #{nobility_title_prefix} #{last_name}","#{nobility_title} #{first_name} #{nobility_title_prefix} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}"],"nobility_title":["Baron","Baronin","Freiherr","Freiherrin","Graf","Gräfin"],"nobility_title_prefix":["zu","von","vom","von der"],"prefix":["Hr.","Fr.","Dr.","Prof.","Prof. Dr.","Prof. Dr. Dr.","Dipl.-Ing."]},"phone_number":{"formats":["(0###) #########","(0####) #######","+49-###-#######","+49-####-########"]},"pokemon":{"names":["Bisasam","Bisaknosp","Bisaflor","Glumanda","Glutexo","Glurak","Schiggy","Schillok","Turtok","Raupy","Safcon","Smettbo","Hornliu","Kokuna","Bibor","Taubsi","Tauboga","Tauboss","Rattfratz","Rattikarl","Habitak","Ibitak","Rettan","Arbok","Pikachu","Raichu","Sandan","Sandamer","Nidoran♀","Nidorina","Nidoqueen","Nidoran♂","Nidorino","Nidoking","Piepi","Pixi","Vulpix","Vulnona","Pummeluff","Knuddeluff","Zubat","Golbat","Myrapla","Duflor","Giflor","Paras","Parasek","Bluzuk","Omot","Digda","Digdri","Mauzi","Snobilikat","Enton","Entoron","Menki","Rasaff","Fukano","Arkani","Quapsel","Quaputzi","Quappo","Abra","Kadabra","Simsala","Machollo","Maschock","Machomei","Knofensa","Ultrigaria","Sarzenia","Tentacha","Tentoxa","Kleinstein","Georok","Geowaz","Ponita","Gallopa","Flegmon","Lahmus","Magnetilo","Magneton","Porenta","Dodu","Dodri","Jurob","Jugong","Sleima","Sleimok","Muschas","Austos","Nebelk","Alpollo","Gengar","Onix","Traumato","Hypno","Krabby","Kingler","Voltobal","Lektrobal","Owei","Kokowei","Tragosso","Knogga","Kicklee","Nockchan","Schlurp","Smogon","Smogmog","Rihorn","Rizeros","Chaneira","Tangela","Kangama","Seeper","Seemon","Goldini","Golking","Sterndu","Starmie","Pantimos","Sichlor","Rossana","Elektek","Magmar","Pinsir","Tauros","Karpador","Garados","Lapras","Ditto","Evoli","Aquana","Blitza","Flamara","Porygon","Amonitas","Amoroso","Kabuto","Kabutops","Aerodactyl","Relaxo","Arktos","Zapdos","Lavados","Dratini","Dragonir","Dragoran","Mewtu","Mew"]},"simpsons":{"characters":["Homer Simpson","Marge Simpson","Bart Simpson","Lisa Simpson","Maggie Simpson","Grampa Simpson","Abraham Jedediah \"Abe\" Simpson","Patty Bouvier","Selma Bouvier","Mona Bouvier","Charles Montgomery Burns","Waylon Smithers","Lenford \"Lenny\" Leonard","Carl Carlson","Charlie","Ned Flanders","Maude Flanders","Rod Flanders","Todd Flanders","Janey Powell","Ralph Wiggum","Becky","Alison Taylor","Database","Lewis","Martin Prince","Milhouse van Houten","Nelson Muntz","Richard","Jaffee","Melissa","Sherri","Terri","Wendell Borton","Dolphin Starbeam","Jimbo Jones","Kearney Zzyzwicz","Uter Zörker","Rektor Seymour Skinner","Oberschulrat Chalmers","Edna Krabappel","Elizabeth Hoover","Dewey Largo","Sportlehrer Mr. Krupt","Dr. J. Loren Pryor","Hausmeister Willie","Küchenhilfe Doris Peterson","Otto Mann","Krusty der Clown","Herschel Krustofski","Sideshow Raheem","Tingeltangel-Bob","Tingeltangel-Mel","Mr. Teeny","Bubbles","Itchy","Scratchy","Bienenmann","Scott Christian","Kent Brockman","Arnie Pye","Rainier Wolfcastle","Troy McClure","Lurleen Lumpkin","Duffman","Chief Clancy Wiggum","Lou","Eddie","Comicbuchverkäufer","Roger Meyers Junior","Artie Ziff","Horatio McCallister","Alter Kapitän","Lothar Folkman","Luigi Risotto","Aristotle Amadopolis","Herman","Lindsay Naegle","Cookie Kwan","Dr. Julius Hibbert","Dr. Nick Riviera","Dr. Marvin Monroe","Jasper Beardley","Ralph Melish","Hans Maulwurf","Asa","Mrs. Glick","Sylvia Winfield","Mr. Winfield","Morris \"Moe\" Szyslak","Barney Gumble","Sam","Larry","Akira","Joseph Quimby","Freddy Quimby","Mary Bailey","Roy Snyder","Constance Harm","Lionel Hutz","Blauhaariger Anwalt","Gil Gunderson","Der alte Gil","In der Kirche","Reverend Timothy Lovejoy","Helen Lovejoy","Jessica Lovejoy","Anthony \"Fat Tony\" D'Amico","Legs","Louie","Johnny","Schmallippe","Jacques Brunswick","Disco Stu","Eleanor Abernathy","Katzenlady","Prof. Frink","Kirk van Houten","Luann van Houten","Shauna Tifton","Prinzessin Kashmir","Snake","Jeremy Peterson","Agnes Skinner","Cletus Spuckler","Brandine Spuckler","Mary Spuckler","Apu Nahasapeemapetilon","Manjula Nahasapeemapetilon","Zahnfleischbluter Murphy","Reicher Texaner","Hyman Krustofski","Laura Powers","Ruth Powers","Drederick Tatum","Kang","Kodos"],"locations_TODO":[]},"space":{"agency":["National Aeronautics and Space Administration","European Space Agency","Deutsches Zentrum für Luft- und Raumfahrt","Indian Space Research Organization","China National Space Administration","UK Space Agency","Brazilian Space Agency","Mexican Space Agency","Israeli Space Agency","Italian Space Agency","Japan Aerospace Exploration Agency","National Space Agency of Ukraine","Russian Federal Space Agency","Swedish National Space Board"],"constellation":["Achterdeck","Adler","Altar","Andromeda","Bärenhüter","Becher","Bildhauer","Chamäleon","Chemischer","Delphin","Drache","Dreieck","Eidechse","Einhorn","Eridanus","Fische","Fliege","Fliegender","Fuchs","Fuhrmann","Füllen","Giraffe","Grabstichel","Großer","Großer","Haar","Hase","Herkules","Indianer","Jagdhunde","Jungfrau","Kassiopeia","Kepheus","Kiel","Kleine","Kleiner","Kleiner","Kleiner","Kranich","Krebs","Kreuz","Leier","Löwe","Luchs","Luftpumpe","Maler","Mikroskop","Netz","Nördliche","Oktant","Orion","Paradiesvogel","Pegasus","Pendeluhr","Perseus","Pfau","Pfeil","Phönix","Rabe","Schiffskompass","Schild","Schlange","Schlangenträger","Schütze","Schwan","Schwertfisch","Segel","Sextant","Skorpion","Steinbock","Stier","Südliche","Südlicher","Südliches","Tafelberg","Taube","Teleskop","Tukan","Waage","Walfisch","Wassermann","Wasserschlange","Widder","Winkelmaß","Wolf","Zentaur","Zirkel","Zwillinge"],"distance_measurement":["Lichtjahre","AE","Parsec","Kiloparsec","Megaparsec"],"galaxy":["Andromeda I","Andromeda II","Andromeda III","Andromeda IX","Andromeda V","Andromeda VI","Andromeda VII","Andromeda VIII","Andromeda X","Andromeda XI","Andromeda XII","Andromeda XIII","Andromeda XIV","Andromeda XIX","Andromeda XV","Andromeda XVI","Andromeda XVII","Andromeda XVIII","Andromeda XX","Andromeda XXI","Andromeda XXII","Andromeda XXIII","Andromeda XXIV","Andromeda XXIX","Andromeda XXV","Andromeda XXVI","Andromeda XXVII","Andromeda XXVIII","Andromedagalaxie","Antlia-Zwerg","Aquarius-Zwerg","Barnards Galaxie","Bootes-I-Zwerg","Bootes-II-Zwerg","Bootes-III-Zwerg","Canes Venatici-I-Zwerg","Canes-Venatici-II-Zwerg","Canis-Major-Zwerg","Carina-Zwerg","Cetus-Zwerg","Coma-Berenices-Zwerggalaxie","Draco-Zwerg","Dreiecksnebel","Fornax-Zwerg","Große Magellansche Wolke","Hercules-Zwerg","IC 10","IC 1613","Kleine Magellansche Wolke","Leo I","Leo II","Leo III","Leo IV","Leo V","LGS 3","M110","M32","Milchstraße","NGC 147","NGC 185","NGC 3109","Pegasus-Zwerg","Phoenix-Zwerg","Pisces II","SagDIG","Sagittarius-Zwerggalaxie","Sculptor-Zwerg","Segue 2","Sextans A","Sextans B","Sextans-Zwerg","Tucana-Zwerg","Ursa-Major-I","Ursa Major II","Ursa-Minor-Zwerg","Wolf-Lundmark-Melotte"],"moon":["Mond","Adrastea","Aegaeon","Aegir","Aitne","Albiorix","Amalthea","Ananke","Anthe","Aoede","Arche","Ariel","Atlas","Autonoe","Bebhionn","Belinda","Bergelmir","Bestla","Bianca","Caliban","Callirrhoe","Calypso","Carme","Carpo","Chaldene","Charon","Cordelia","Cressida","Cupid","Cyllene","Daphnis","Deimos","Desdemona","Despina","Dione","Dysnomia","Elara","Enceladus","Epimetheus","Erinome","Erriapus","Euanthe","Eukelade","Euporie","Europa","Eurydome","Farbauti","Fenrir","Ferdinand","Fornjot","Francisco","Galatea","Ganymed","Greip","Halimede","Harpalyke","Hati","Hegemone","Helene","Helike","Hermippe","Herse","Himalia","Hiʻiaka","Hydra","Hyperion","Hyrrokkin","Iapetus","Ijiraq","Io","Iocaste","Isonoe","Janus","Jarnsaxa","Juliet","Kale","Kallichore","Kallisto","Kalyke","Kari","Kerberos","Kiviuq","Kore","Laomedeia","Larissa","Leda","Loge","Lysithea","Mab","Margaret","Megaclite","Methone","Metis","Mimas","Miranda","Mneme","Mundilfari","Naiad","Namaka","Narvi","Nereid","Neso","Nix","Oberon","Ophelia","Orthosie","Paaliaq","Pallene","Pan","Pandora","Pasiphae","Pasithee","Perdita","Phobos","Phoebe","Polydeuces","Portia","Praxidike","Prometheus","Prospero","Proteus","Psamathe","Puck","Rhea","Rosalind","Sao","Setebos","Siarnaq","Sinope","Skathi","Skoll","Sponde","Stephano","Styx","Surtur","Suttungr","Sycorax","Tarqeq","Tarvos","Taygete","Telesto","Tethys","Thalassa","Thebe","Thelxinoe","Themisto","Thrymr","Thyone","Titan","Titania","Trinculo","Triton","Umbriel","Ymir"],"nebula":["Blauer Schneeball","Blinking Planetary","Blue Flash Nebula","Blue Planetary Nebula","Bowtie Nebula","Box Nebula","Bumerangnebel","Camel's Eye","Cleopatra’s Eye","Emerald Nebula","Eskimonebel","Eulennebel","Hantelnebel","Helixnebel","Jupiters Geist","Käfer-Nebel","Katzenaugennebel","Kleiner Hantelnebel","Little Gem Nebula","Little Ghost Nebula","Magic Carpet Nebula","Medusanebel","Phantom Streak Nebula","Retinanebel","Ringnebel","Roter Rechtecknebel","Roter Spinnennebel","Saturnnebel","Schildkrötennebel","Schmetterlingsnebel","Skull Nebula","Snowglobe Nebula","Spiral Planetary Nebula","Spirographnebel","Stechrochennebel","Stundenglasnebel","Südlicher Krebsnebel","Südlicher Ringnebel"],"planet":["Merkur","Venus","Erde","Mars","Jupiter","Saturn","Uranus","Neptun"],"star":["Acamar","Achernar","Achird","Acrux","Acubens","Adhara","Adhil","Agena","Ain","Akrab","Al Kalb al Rai","Al Minliar al Asad","Aladfar","Alamak","Alasco","Alathfar","Albaldah","Albali","Albireo","Alchiba","Alcyone","Aldebaran","Alderamin","Aldhafera","Aldhanab","Aldhibah","Alfecca Meridiana","Alfirk","Algenib","Algieba","Algiedi","Algol","Algorab","Alhena","Alioth","Alkaid","Alkalurops","Al Kaphrah","Alkes","Alkione","Alkor","Alkurah","Al Kurud","Almaaz","Al Nair","Alnasl","Alnilam","Alnitak","Alniyat","Alpha Centauri","Alphard","Alphecca","Alpheratz","Alrakis","Alrischa","Alsafi","Alschain","Alshat","Alsciaukat","Altarf","Altair","Altais","Alterf","Al Thalimain Posterior","Al Thalimain Prior","Aludra","Alula Australi","Alula Borealis","Alwaid","Alya","Alzir","Ancha","Angetenar","Ankaa","Antares ","Anser","Anwar Al Farkadain","Arcturus","Arkab Prior","Arkab Posterior","Arm","Arneb","Arrakis ","Asellus Australis","Asellus Borealis","Asellus Primus","Asellus Secundus","Asellus Tertius","Askella","Aspidiske","Asterion","Asterope","Atik","Atlas","Atria","Avior","Azaleh","Azelfafage","Azha","Azmidiske","Baham","Barnards Pfeilstern","Baten Kaitos","Becrux","Beid","Bellatrix","Benetnasch","Beteigeuze","Betria","Bharani","Bogardus","Botein","Brachium","Bunda","Canopus","Caph","Capella","Castor","Cebalrai","Ceginus","Celaeno","Cervantes","Chalawan","Chara","Chertan","Chow","Copernicus","Cor Caroli","Cursa","Dabih","Decrux","Deneb","Deneb Algedi","Deneb Algenubi","Deneb Dulfim","Deneb el Okab Australis","Deneb el Okab Borealis","Deneb Kaitos","Deneb Kaitos Schemali","Denebola","Dheneb","Diadem","Diphda","Dschubba","Dubhe","Duhr","Edasich","Elektra","Elmuthalleth","Elnath","Elscheratain","Enif","Errai","Etamin","Fafnir","Fomalhaut","Fum al Samakah","Furud","Gacrux","Gatria","Gemma","Gianfar","Giedi","Gienah","Gienah","Girtab","Gomeisa","Gorgonea Secunda","Gorgonea Tertia","Gorgonea Quarta","Graffias","Granatstern","Grumium","Hadar","Hadir","Haedus","Haldus","Hamal","Han","Hassaleh","Hatysa","Head of Hydrus","Heka","Helvetios","Heze","Homam","Hyadum I","Hyadum II","Intercrus","Izar","Jabbah","Jih","Kaffaljidhm","Kajam","Kapteyns Stern","Kastra","Kaus Australis","Kaus Borealis","Kaus Medius","Keid","Kitalpha","Kochab","Kornephoros","Kraz","Ksora","Kullat Nunu","Kuma","La Superba","Lesath","Libertas","Lukida","Lukida Anseris","Luytens Stern","Maasym","Maia","Marfark","Marfik","Markab","Matar","Mebsuta","Megrez","Mekbuda","Meissa","Menkalinan","Menkar","Menkent","Menchib","Merak","Merga","Merope","Mesarthim","Miaplacidus","Minchir","Minelava","Minkar","Mintaka","Mira","Mirach","Miram","Mirfak","Mirzam","Misam","Mizar","Mothallah","Mufrid","Muliphein","Murzim","Muscida","Musica","Nair Al Saif","Naos","Nash","Nashira","Navi","Nembus","Nekkar","Nihal","Nunki","Nusakan","Ogma","Okul","Peacock","Phakt","Phekda","Pherkad","Pherkard","Pistolenstern","Pleione","Polaris Australis","Polarstern","Pollux","Porrima","Praecipua","Prijipati","Prokyon","Propus","Proxima Centauri","Ran","Rana","Rasalas ","Ras Algethi","Ras Alhague","Ras Elased Australis","Rastaban","Regor","Regulus","Rigel","Rigil Kentaurus","Rijl al Awwa","Rotanev","Ruchbah","Rukbat","Sabik","Sadachbia","Sadalbari","Sadalmelik","Sadalsuud","Sadr","Saiph","Salm","Sargas","Sarin","Sarir","Sceptrum","Scheat","Scheddi ","Schedir","Segin","Seginus","Sham","Sheliak ","Sheratan","Shaula","Skat","Sirius","Sirrah","Situla","Spica","Sonne","Sterope","Sualocin","Subra","Suhail","Sulafat","Syrma","Tabit","Talitha Australis","Talitha Borealis","Tania Australis ","Tania Borealis","Tarazed","Taygeta","Teegardens Stern","Tegmen","Terebellum","Tejat Posterior","Tejat Prior","Thabit","Theemin","Thuban","Tien Kuan","Titawin","Toliman","Tonatiuh","Torcularis Septentrionalis","Tseen Kee","Turais","Rho Puppis","Tyl","Unukalhai","Van Maanens Stern","Veritate","Vindemiatrix","Wasat","Wega","Wei","Wezen","Yed Prior","Yed Posterior","Zaniah","Zaurak","Zavijava","Zibal","Zosma","Zuben-el-Akrab","Zuben-el-Akribi","Zuben-el-dschenubi","Zuben-el-schemali"],"star_cluster":["Chi Persei","Coma-Berenices-Haufen","Eulenhaufen","Hyaden","Herkuleshaufen","Kleiderbügelhaufen","Kleiner Skorpion","Krippe","Intergalaktischer Wanderer","Muskelmännchen","Omega Centauri","Plejaden","Praesepe","Ptolomaeus Sternhaufen","Schmetterlingshaufen","Schmuckkästchen","Siebengestirn","Südliche Plejaden","Tucanae","Weihnachtsbaum-Sternhaufen","Wildentenhaufen"]},"university":{"name":["#{Name.last_name} #{University.suffix}","#{University.prefix} #{University.suffix} #{Address.city}","#{University.suffix} #{Address.city}"],"prefix":["Technische"],"suffix":["Universität","Hochschule"]}}}); -I18n.translations["ko"] = I18n.extend((I18n.translations["ko"] || {}), {"faker":{"address":{"city":["#{city_name}#{city_suffix}"],"city_name":["강릉","양양","인제","광주","구리","부천","밀양","통영","창원","거창","고성","양산","김천","구미","영주","광산","남","북","고창","군산","남원","동작","마포","송파","용산","부평","강화","수성"],"city_suffix":["구","시","군"],"default_country":["대한민국"],"postcode":["#####"],"state":["강원","경기","경남","경북","광주","대구","대전","부산","서울","울산","인천","전남","전북","제주","충남","충북","세종"],"state_abbr":["강원","경기","경남","경북","광주","대구","대전","부산","서울","울산","인천","전남","전북","제주","충남","충북","세종"],"street_name":["#{street_root}#{street_suffix}"],"street_root":["상계","화곡","신정","목","잠실","면목","주안","안양","중","정왕","구로","신월","연산","부평","창","만수","중계","검단","시흥","상도","방배","장유","상","광명","신길","행신","대명","동탄"],"street_suffix":["읍","면","동"]},"company":{"name":["#{prefix} #{Name.first_name}","#{Name.first_name} #{suffix}"],"prefix":["주식회사","한국"],"suffix":["연구소","게임즈","그룹","전자","물산","코리아"]},"internet":{"domain_suffix":["co.kr","com","biz","info","ne.kr","net","or.kr","org"],"free_email":["gmail.com","yahoo.co.kr","hanmail.net","naver.com"]},"lorem":{"words":["국가는","법률이","정하는","바에","의하여","재외국민을","보호할","의무를","진다.","모든","국민은","신체의","자유를","가진다.","국가는","전통문화의","계승·발전과","민족문화의","창달에","노력하여야","한다.","통신·방송의","시설기준과","신문의","기능을","보장하기","위하여","필요한","사항은","법률로","정한다.","헌법에","의하여","체결·공포된","조약과","일반적으로","승인된","국제법규는","국내법과","같은","효력을","가진다.","다만,","현행범인인","경우와","장기","3년","이상의","형에","해당하는","죄를","범하고","도피","또는","증거인멸의","염려가","있을","때에는","사후에","영장을","청구할","수","있다.","저작자·발명가·과학기술자와","예술가의","권리는","법률로써","보호한다.","형사피고인은","유죄의","판결이","확정될","때까지는","무죄로","추정된다.","모든","국민은","행위시의","법률에","의하여","범죄를","구성하지","아니하는","행위로","소추되지","아니하며,","동일한","범죄에","대하여","거듭","처벌받지","아니한다.","국가는","평생교육을","진흥하여야","한다.","모든","국민은","사생활의","비밀과","자유를","침해받지","아니한다.","의무교육은","무상으로","한다.","저작자·발명가·과학기술자와","예술가의","권리는","법률로써","보호한다.","국가는","모성의","보호를","위하여","노력하여야","한다.","헌법에","의하여","체결·공포된","조약과","일반적으로","승인된","국제법규는","국내법과","같은","효력을","가진다."]},"name":{"first_name":["서연","민서","서현","지우","서윤","지민","수빈","하은","예은","윤서","민준","지후","지훈","준서","현우","예준","건우","현준","민재","우진","은주"],"last_name":["김","이","박","최","정","강","조","윤","장","임","오","한","신","서","권","황","안","송","류","홍"],"name":["#{last_name} #{first_name}"]},"phone_number":{"formats":["0#-#####-####","0##-###-####","0##-####-####"]}}}); -I18n.translations["en-UG"] = I18n.extend((I18n.translations["en-UG"] || {}), {"faker":{"address":{"city":["#{city_names}"],"city_names":["Alebtong","Abim","Adjumani","Amolatar","Amuria","Amuru","Apac","Arua","Bombo","Budaka","Bugembe","Bugiri","Bukedea","Bulisa","Buikwe","Bundibugyo","Busembatya","Bushenyi","Busia","Busolwe","Butaleja","Buwenge","Dokolo","Entebbe","Fort Portal","Gulu","Hima","Hoima","Ibanda","Iganga","Isingiro","Jinja","Kaabong","Kabale","Kaberamaido","Kabwohe","Kagadi","Kakinga","Kakiri","Kalangala","Kaliro","Kalisizo","Kalongo","Kalungu","Kampala","Kamuli","Kanoni","Kamwenge","Kanungu","Kapchorwa","Kasese","Katakwi","Kayunga","Kibaale","Kiboga","Kihiihi","Kiira","Kiruhura","Kiryandongo","Kisoro","Kitgum","Koboko","Kotido","Kumi","Kyenjojo","Kyotera","Lira","Lugazi","Lukaya","Luwero","Lwakhakha","Lwengo","Lyantonde","Malaba","Manafwa","Masaka","Masindi","Masindi Port","Matugga","Mayuge","Mbale","Mbarara","Mitooma","Mityana","Mpigi","Mpondwe","Moroto","Moyo","Mubende","Mukono","Mutukula","Nagongera","Nakaseke","Nakasongola","Nakapiripirit","Namutumba","Nansana","Nebbi","Ngora","Njeru","Nkokonjeru","Ntungamo","Oyam","Pader","Paidha","Pakwach","Pallisa","Rakai","Rukungiri","Sembabule","Sironko","Soroti","Tororo","Wakiso","Wobulenzi","Yumbe"],"default_country":["Uganda","The Republic of Uganda","UG"],"district":["#{district_names}"],"district_names":["Abim","Adjumani","Agago","Alebtong","Amolatar","Amudat","Amuria","Amuru","Apac","Arua","Budaka","Bududa","Bugiri","Buhweju","Buikwe","Bukedea","Bukomansimbi","Bukwo","Bulambuli","Buliisa","Bundibugyo","Bushenyi","Busia","Butaleja","Butambala","Buvuma","Buyende","Dokolo","Gomba","Gulu","Hoima","Ibanda","Iganga","Isingiro","Jinja","Kaabong","Kabale","Kabarole","Kaberamaido","Kalangala","Kaliro","Kalungu","Kampala","Kamuli","Kamwenge","Kanungu","Kapchorwa","Kasese","Katakwi","Kayunga","Kibaale","Kiboga","Kibuku","Kigezi","Kiruhura","Kiryandongo","Kisoro","Kitgum","Koboko","Kole","Kotido","Kumi","Kween","Kyankwanzi","Kyegegwa","Kyenjojo","Lamwo","Lira","Luuka","Luweero","Lwengo","Lyantonde","Manafwa","Maracha","Maracha-Terego","Masaka","Masindi","Mayuge","Mbale","Mbarara","Mitooma","Mityana","Moroto","Moyo","Mpigi","Mubende","Mukono","Nakapiripirit","Nakaseke","Nakasongola","Namayingo","Namutumba","Napak","Nebbi","Ngora","Ntoroko","Ntungamo","Nwoya","Otuke","Oyam","Pader","Pallisa","Rakai","Rubirizi","Rukungiri","Sembabule","Serere","Sheema","Sironko","Soroti","Tororo","Wakiso","Yumbe","Zombo"],"region":["#{regions}"],"regions":["Central","East","North","West"]},"cell_phone":{"formats":["+256 79# ### ###","256 79# ### ###","0 79# ### ###","+256 70# ### ###","256 70# ### ###","0 70# ### ###","+256 75# ### ###","256 75# ### ###","0 75# ### ###","+256 77# ### ###","256 77# ### ###","0 77# ### ###","+256 78# ### ###","256 78# ### ###","0 78# ### ###","+256 74# ### ###","256 74# ### ###","0 74# ### ###","+256 71# ### ###","256 71# ### ###","0 71# ### ###","+256 72# ### ###","256 72# ### ###","0 72# ### ###"]},"internet":{"domain_suffix":["ug","com","org","co.ug","org.ug","net"]},"name":{"last_name":["Abayisenga","Agaba","Ahebwe","Aisu","Akankunda","Akankwasa","Akashaba","Akashabe","Ampumuza","Ankunda","Asasira","Asiimwe","Atuhe","Atuhire","Atukunda","Atukwase","Atwine","Aurishaba","Badru","Baguma","Bakabulindi","Bamwiine","Barigye","Bbosa","Bisheko","Biyinzika","Bugala","Bukenya","Buyinza","Bwana","Byanyima","Byaruhanga","Ddamulira","Gamwera","Ijaga","Isyagi","Kaaya","Kabanda","Kabuubi","Kabuye","Kafeero","Kagambira","Kakooza","Kalumba","Kanshabe","Kansiime","Kanyesigye","Kareiga","Kasekende","Kasumba","Kateregga","Katusiime","Kawooya","Kawuki","Kayemba","Kazibwe","Kibirige","Kiconco","Kiganda","Kijjoba","Kirabira","Kirabo","Kirigwajjo","Kisitu","Kitovu","Kityamuwesi","Kivumbi","Kiwanuka","Kyambadde","Lunyoro","Mbabazi","Migisha","Mugisa","Mugisha","Muhwezi","Mukalazi","Mulalira","Munyagwa","Murungi","Mushabe","Musinguzi","Mutabuza","Muyambi","Mwesige","Mwesigye","Nabasa","Nabimanya","Nankunda","Natukunda","Nayebare","Nimukunda","Ninsiima","Nkoojo","Nkurunungi","Nuwagaba","Nuwamanya","Nyeko","Obol","Odeke","Okumu","Okumuringa","Opega","Orishaba","Osiki","Ouma","Rubalema","Rusiimwa","Rwabyoma","Tamale","Tendo","Tizikara","Tuhame","Tumusiime","Tumwebaze","Tumwesigye","Tumwiine","Turyasingura","Tusiime","Twasiima","Twesigomwe","Wasswa","Wavamuno","Were"]},"phone_number":{"formats":["256 39# ### ###","+256 39# ### ###","039# ### ###","256 41# ### ###","+256 41# ### ###","041# ### ###"]}}}); -I18n.translations["es"] = I18n.extend((I18n.translations["es"] || {}), {"faker":{"address":{"building_number":[" s/n.",", #",", ##"," #"," ##"],"city":["#{city_prefix}"],"city_prefix":["Parla","Telde","Baracaldo","San Fernando","Torrevieja","Lugo","Santiago de Compostela","Gerona","Cáceres","Lorca","Coslada","Talavera de la Reina","El Puerto de Santa María","Cornellá de Llobregat","Avilés","Palencia","Gecho","Orihuela","Pontevedra","Pozuelo de Alarcón","Toledo","El Ejido","Guadalajara","Gandía","Ceuta","Ferrol","Chiclana de la Frontera","Manresa","Roquetas de Mar","Ciudad Real","Rubí","Benidorm","San Sebastían de los Reyes","Ponferrada","Zamora","Alcalá de Guadaira","Fuengirola","Mijas","Sanlúcar de Barrameda","La Línea de la Concepción","Majadahonda","Sagunto","El Prat de LLobregat","Viladecans","Linares","Alcoy","Irún","Estepona","Torremolinos","Rivas-Vaciamadrid","Molina de Segura","Paterna","Granollers","Santa Lucía de Tirajana","Motril","Cerdañola del Vallés","Arrecife","Segovia","Torrelavega","Elda","Mérida","Ávila","Valdemoro","Cuenta","Collado Villalba","Benalmádena","Mollet del Vallés","Puertollano","Madrid","Barcelona","Valencia","Sevilla","Zaragoza","Málaga","Murcia","Palma de Mallorca","Las Palmas de Gran Canaria","Bilbao","Córdoba","Alicante","Valladolid","Vigo","Gijón","Hospitalet de LLobregat","La Coruña","Granada","Vitoria","Elche","Santa Cruz de Tenerife","Oviedo","Badalona","Cartagena","Móstoles","Jerez de la Frontera","Tarrasa","Sabadell","Alcalá de Henares","Pamplona","Fuenlabrada","Almería","San Sebastián","Leganés","Santander","Burgos","Castellón de la Plana","Alcorcón","Albacete","Getafe","Salamanca","Huelva","Logroño","Badajoz","San Cristróbal de la Laguna","León","Tarragona","Cádiz","Lérida","Marbella","Mataró","Dos Hermanas","Santa Coloma de Gramanet","Jaén","Algeciras","Torrejón de Ardoz","Orense","Alcobendas","Reus","Calahorra","Inca"],"country":["Afganistán","Albania","Argelia","Andorra","Angola","Argentina","Armenia","Aruba","Australia","Austria","Azerbayán","Bahamas","Barein","Bangladesh","Barbados","Bielorusia","Bélgica","Belice","Bermuda","Bután","Bolivia","Bosnia Herzegovina","Botswana","Brasil","Bulgaria","Burkina Faso","Burundi","Camboya","Camerún","Canada","Cabo Verde","Islas Caimán","Chad","Chile","China","Isla de Navidad","Colombia","Comodos","Congo","Costa Rica","Costa de Marfil","Croacia","Cuba","Chipre","República Checa","Dinamarca","Dominica","República Dominicana","Ecuador","Egipto","El Salvador","Guinea Ecuatorial","Eritrea","Estonia","Etiopía","Islas Faro","Fiji","Finlandia","Francia","Gabón","Gambia","Georgia","Alemania","Ghana","Grecia","Groenlandia","Granada","Guadalupe","Guam","Guatemala","Guinea","Guinea-Bisau","Guayana","Haiti","Honduras","Hong Kong","Hungria","Islandia","India","Indonesia","Iran","Irak","Irlanda","Italia","Jamaica","Japón","Jordania","Kazajistan","Kenia","Kiribati","Corea","Kuwait","Letonia","Líbano","Liberia","Liechtenstein","Lituania","Luxemburgo","Macao","Macedonia","Madagascar","Malawi","Malasia","Maldivas","Mali","Malta","Martinica","Mauritania","Méjico","Micronesia","Moldavia","Mónaco","Mongolia","Montenegro","Montserrat","Marruecos","Mozambique","Namibia","Nauru","Nepal","Holanda","Nueva Zelanda","Nicaragua","Niger","Nigeria","Noruega","Omán","Pakistan","Panamá","Papúa Nueva Guinea","Paraguay","Perú","Filipinas","Poland","Portugal","Puerto Rico","Rusia","Ruanda","Samoa","San Marino","Santo Tomé y Principe","Arabia Saudí","Senegal","Serbia","Seychelles","Sierra Leona","Singapur","Eslovaquia","Eslovenia","Somalia","España","Sri Lanka","Sudán","Suriname","Suecia","Suiza","Siria","Taiwan","Tajikistan","Tanzania","Tailandia","Timor-Leste","Togo","Tonga","Trinidad y Tobago","Tunez","Turquia","Uganda","Ucrania","Emiratos Árabes Unidos","Reino Unido","Estados Unidos de América","Uruguay","Uzbekistan","Vanuatu","Venezuela","Vietnam","Yemen","Zambia","Zimbabwe"],"default_country":["España"],"postcode":["#####"],"province":["Álava","Albacete","Alicante","Almería","Asturias","Ávila","Badajoz","Barcelona","Burgos","Cantabria","Castellón","Ciudad Real","Cuenca","Cáceres","Cádiz","Córdoba","Gerona","Granada","Guadalajara","Guipúzcoa","Huelva","Huesca","Islas Baleares","Jaén","La Coruña","La Rioja","Las Palmas","León","Lugo","lérida","Madrid","Murcia","Málaga","Navarra","Orense","Palencia","Pontevedra","Salamanca","Santa Cruz de Tenerife","Segovia","Sevilla","Soria","Tarragona","Teruel","Toledo","Valencia","Valladolid","Vizcaya","Zamora","Zaragoza"],"secondary_address":["Esc. ###","Puerta ###"],"state":["Andalucía","Aragón","Principado de Asturias","Baleares","Canarias","Cantabria","Castilla-La Mancha","Castilla y León","Cataluña","Comunidad Valenciana","Extremadura","Galicia","La Rioja","Comunidad de Madrid","Navarra","País Vasco","Región de Murcia"],"state_abbr":["And","Ara","Ast","Bal","Can","Cbr","Man","Leo","Cat","Com","Ext","Gal","Rio","Mad","Nav","Vas","Mur"],"street_address":["#{street_name}#{building_number}","#{street_name}#{building_number} #{secondary_address}"],"street_name":["#{street_suffix} #{Name.first_name}","#{street_suffix} #{Name.first_name} #{Name.last_name}"],"street_suffix":["Aldea","Apartamento","Arrabal","Arroyo","Avenida","Bajada","Barranco","Barrio","Bloque","Calle","Calleja","Camino","Carretera","Caserio","Colegio","Colonia","Conjunto","Cuesta","Chalet","Edificio","Entrada","Escalinata","Explanada","Extramuros","Extrarradio","Ferrocarril","Glorieta","Gran Subida","Grupo","Huerta","Jardines","Lado","Lugar","Manzana","Masía","Mercado","Monte","Muelle","Municipio","Parcela","Parque","Partida","Pasaje","Paseo","Plaza","Poblado","Polígono","Prolongación","Puente","Puerta","Quinta","Ramal","Rambla","Rampa","Riera","Rincón","Ronda","Rua","Salida","Sector","Sección","Senda","Solar","Subida","Terrenos","Torrente","Travesía","Urbanización","Vía","Vía Pública"],"time_zone":["Pacífico/Midway","Pacífico/Pago_Pago","Pacífico/Honolulu","America/Juneau","America/Los_Angeles","America/Tijuana","America/Denver","America/Phoenix","America/Chihuahua","America/Mazatlan","America/Chicago","America/Regina","America/Mexico_City","America/Mexico_City","America/Monterrey","America/Guatemala","America/New_York","America/Indiana/Indianapolis","America/Bogota","America/Lima","America/Lima","America/Halifax","America/Caracas","America/La_Paz","America/Santiago","America/St_Johns","America/Sao_Paulo","America/Argentina/Buenos_Aires","America/Guyana","America/Godthab","Atlantic/South_Georgia","Atlantic/Azores","Atlantic/Cape_Verde","Europa/Dublin","Europa/London","Europa/Lisbon","Europa/London","Africa/Casablanca","Africa/Monrovia","Etc/UTC","Europa/Belgrade","Europa/Bratislava","Europa/Budapest","Europa/Ljubljana","Europa/Prague","Europa/Sarajevo","Europa/Skopje","Europa/Warsaw","Europa/Zagreb","Europa/Brussels","Europa/Copenhagen","Europa/Madrid","Europa/Paris","Europa/Amsterdam","Europa/Berlin","Europa/Berlin","Europa/Rome","Europa/Stockholm","Europa/Vienna","Africa/Algiers","Europa/Bucharest","Africa/Cairo","Europa/Helsinki","Europa/Kiev","Europa/Riga","Europa/Sofia","Europa/Tallinn","Europa/Vilnius","Europa/Athens","Europa/Istanbul","Europa/Minsk","Asia/Jerusalen","Africa/Harare","Africa/Johannesburg","Europa/Moscú","Europa/Moscú","Europa/Moscú","Asia/Kuwait","Asia/Riyadh","Africa/Nairobi","Asia/Baghdad","Asia/Tehran","Asia/Muscat","Asia/Muscat","Asia/Baku","Asia/Tbilisi","Asia/Yerevan","Asia/Kabul","Asia/Yekaterinburg","Asia/Karachi","Asia/Karachi","Asia/Tashkent","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kolkata","Asia/Kathmandu","Asia/Dhaka","Asia/Dhaka","Asia/Colombo","Asia/Almaty","Asia/Novosibirsk","Asia/Rangoon","Asia/Bangkok","Asia/Bangkok","Asia/Jakarta","Asia/Krasnoyarsk","Asia/Shanghai","Asia/Chongqing","Asia/Hong_Kong","Asia/Urumqi","Asia/Kuala_Lumpur","Asia/Singapore","Asia/Taipei","Australia/Perth","Asia/Irkutsk","Asia/Ulaanbaatar","Asia/Seoul","Asia/Tokyo","Asia/Tokyo","Asia/Tokyo","Asia/Yakutsk","Australia/Darwin","Australia/Adelaide","Australia/Melbourne","Australia/Melbourne","Australia/Sydney","Australia/Brisbane","Australia/Hobart","Asia/Vladivostok","Pacífico/Guam","Pacífico/Port_Moresby","Asia/Magadan","Asia/Magadan","Pacífico/Noumea","Pacífico/Fiji","Asia/Kamchatka","Pacífico/Majuro","Pacífico/Auckland","Pacífico/Auckland","Pacífico/Tongatapu","Pacífico/Fakaofo","Pacífico/Apia"]},"cell_phone":{"formats":["6##-###-###","6##.###.###","6## ### ###","6########"]},"company":{"buzzwords":[["habilidad","acceso","adaptador","algoritmo","alianza","analista","aplicación","enfoque","arquitectura","archivo","inteligencia artificial","array","actitud","medición","gestión presupuestaria","capacidad","desafío","circuito","colaboración","complejidad","concepto","conglomeración","contingencia","núcleo","fidelidad","base de datos","data-warehouse","definición","emulación","codificar","encriptar","extranet","firmware","flexibilidad","focus group","previsión","base de trabajo","función","funcionalidad","Interfaz Gráfica","groupware","Interfaz gráfico de usuario","hardware","Soporte","jerarquía","conjunto","implementación","infraestructura","iniciativa","instalación","conjunto de instrucciones","interfaz","intranet","base del conocimiento","red de area local","aprovechar","matrices","metodologías","middleware","migración","modelo","moderador","monitorizar","arquitectura abierta","sistema abierto","orquestar","paradigma","paralelismo","política","portal","estructura de precios","proceso de mejora","producto","productividad","proyecto","proyección","protocolo","línea segura","software","solución","estandardización","estrategia","estructura","éxito","superestructura","soporte","sinergia","mediante","marco de tiempo","caja de herramientas","utilización","website","fuerza de trabajo"],["24 horas","24/7","3rd generación","4th generación","5th generación","6th generación","analizada","asimétrica","asíncrona","monitorizada por red","bidireccional","bifurcada","generada por el cliente","cliente servidor","coherente","cohesiva","compuesto","sensible al contexto","basado en el contexto","basado en contenido","dedicada","generado por la demanda","didactica","direccional","discreta","dinámica","potenciada","acompasada","ejecutiva","explícita","tolerante a fallos","innovadora","amplio ábanico","global","heurística","alto nivel","holística","homogénea","hibrida","incremental","intangible","interactiva","intermedia","local","logística","maximizada","metódica","misión crítica","móbil","modular","motivadora","multimedia","multiestado","multitarea","nacional","basado en necesidades","neutral","nueva generación","no-volátil","orientado a objetos","óptima","optimizada","radical","tiempo real","recíproca","regional","escalable","secundaria","orientada a soluciones","estable","estatica","sistemática","sistémica","tangible","terciaria","transicional","uniforme","valor añadido","vía web","defectos cero","tolerancia cero"],["Adaptativo","Avanzado","Asimilado","Automatizado","Equilibrado","Centrado en el negocio","Centralizado","Clonado","Compatible","Configurable","Multi grupo","Multi plataforma","Centrado en el usuario","Configurable","Descentralizado","Digitalizado","Distribuido","Diverso","Reducido","Mejorado","Para toda la empresa","Ergonomico","Exclusivo","Expandido","Extendido","Cara a cara","Enfocado","Totalmente configurable","Fundamental","Orígenes","Horizontal","Implementado","Innovador","Integrado","Intuitivo","Inverso","Gestionado","Obligatorio","Monitorizado","Multi canal","Multi lateral","Multi capa","En red","Orientado a objetos","Open-source","Operativo","Optimizado","Opcional","Organico","Organizado","Perseverando","Persistente","en fases","Polarizado","Pre-emptivo","Proactivo","Enfocado a benficios","Profundo","Programable","Progresivo","Public-key","Enfocado en la calidad","Reactivo","Realineado","Re-contextualizado","Re-implementado","Reducido","Ingenieria inversa","Robusto","Fácil","Seguro","Auto proporciona","Compartible","Intercambiable","Sincronizado","Orientado a equipos","Total","Universal","Mejorado","Actualizable","Centrado en el usuario","Amigable","Versatil","Virtual","Visionario"]],"industry":["Defensa","Equipo de Cómputo","Software","Redes","Internet","Semiconductores","Telecomunicaciones","Despacho de Abogados","Servicos Legales","Consultoría en Administración","Biotecnología","Clínica","Hospitales y Cuidado Médico","Farmacéutica","Veterinaria","Dispositivos Médicos","Cosméticos","Moda","Equipo Deportivo","Tabaco","Supermercados","Elaboración de Comida","Electrodomésticos","Bienes","Muebles","Retail","Entretenimiento","Juegos y Apuestas","Viajes y Turismo","Hospitalidad","Restaurantes","Deportes","Comida y Bebida","Cine","Broadcast Media","Museos e Instituciones","Bellas Artes","Artes Escénicas","Banca","Seguros","Servicios Financieros","Bienes Raíces","Banca de Inversión","Manejo de Inversiones","Contabilidad","Construcción","Materiales de Construcción","Arquitectura","Ingeniería Civil","Aeroespacial","Automotriz","Química","Maquinaria","Minería y Metales","Petróleo y Energía","Construcción de Barcos","Servicios","Textiles","Papel","Ferrocarriles","Agricultura","Ganadería","Lácteos","Pesca","Educación Basica","Educación Media Superior","Administración de Educación","Investigación","Militar","Asamblea Legislativa","Juzgado","Relaciones Internacionales","Gobierno","Dirección General","Policía","Seguridad Pública","Política Pública","Marketing","Periódicos","Publicaciones","Imprenta","Tecnologías de Información","Bibliotecas","Medio Ambiente","Paquetería y Mensajería","Servicios Familiares","Instituciones Religiosas","Sociedad Civil","Servicios del Consumidor","Transportes","Almacenamiento","Líneas Aéreas","Marítimo","Investigación de Mercado","Relaciones Públicas","Diseño","Sin Fines de Lucro","Recaudación","Edición","Staffing y Reclutamiento","Coaching","VC","Partidos Políticos","Traducciones","Juegos de Cómputo","Planeación de Eventos","Artes y Manualidades","Manufactura Eléctrica/Electrónica","Medios Online","Nanotecnología","Música","Logística y Supply Chain","Plásticos","Seguridad de Cómputo y Redes","Inalámbrico","Outsourcing / Offshoring","Bienestar y Salud","Medicina Alternativa","Producción de Medios","Animación","Bienes Raíces Comerciales","Mercados Capitales","Filantropía","E-Learning","Mayoreo","Importaciones y Exportaciones","Ingeniería Mecánica e Industrial","Fotografía","Recursos Humanos","Equipo de Oficina","Cuidado de la Salud Mental","Diseño Gráfico","Desarrollo y Comercio Exterior","Vinos y Licores","Joyería y Bienes de Lujo","Renovables y Medio Ambiente","Vidrios y Cerámicos","Almacenamiento y Contenedores","Automatización Industrial","Relaciones Gubernamentales"],"name":["#{Name.last_name} #{suffix}","#{Name.last_name} y #{Name.last_name}","#{Name.last_name} #{Name.last_name} #{suffix}","#{Name.last_name}, #{Name.last_name} y #{Name.last_name} Asociados"],"profession":["maestro","actor","músico","filósofo","escritor","doctor","contador","agricultor","arquitecto","economista","ingeniero","intérprete","abogado","bibliotecario","actuario","recursos humanos","bombero","juez","policía","astrónomo","biólogo","químico","físico","programador","desarrollador web","diseñador"],"suffix":["S.L.","e Hijos","S.A.","Hermanos"],"university":{"name":["#{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name}","#{University.prefix} #{Address.state} #{University.suffix}"],"prefix":["El","Septentrional","Norte","Occidental","Oeste","Del Sur","Sur","Oriental","Oriente"],"suffix":["Universidad","Instituto","Academia"]}},"internet":{"domain_suffix":["com","es","info","com.es","org"],"free_email":["gmail.com","yahoo.com","hotmail.com"]},"music":{"instruments":["Guitarra Eléctrica","Guitarra Acústica","Flauta","Trompeta","Clarinete","Violonchelo","Arpa","Xilofón","Armónica","Acordión","Organo","Piano","Ukelele","Saxofón","Bateria","Violín","Bajo"]},"name":{"first_name":["Adán","Agustín","Alberto","Alejandro","Alfonso","Alfredo","Andrés","Antonio","Armando","Arturo","Benito","Benjamín","Bernardo","Carlos","César","Claudio","Clemente","Cristian","Cristobal","Daniel","David","Diego","Eduardo","Emilio","Enrique","Ernesto","Esteban","Federico","Felipe","Fernando","Francisco","Gabriel","Gerardo","Germán","Gilberto","Gonzalo","Gregorio","Guillermo","Gustavo","Hernán","Homero","Horacio","Hugo","Ignacio","Jacobo","Jaime","Javier","Jerónimo","Jesús","Joaquín","Jorge","Jorge Luis","José","José Eduardo","José Emilio","José Luis","José María","Juan","Juan Carlos","Julio","Julio César","Lorenzo","Lucas","Luis","Luis Miguel","Manuel","Marco Antonio","Marcos","Mariano","Mario","Martín","Mateo","Miguel","Miguel Ángel","Nicolás","Octavio","Óscar","Pablo","Patricio","Pedro","Rafael","Ramiro","Ramón","Raúl","Ricardo","Roberto","Rodrigo","Rubén","Salvador","Samuel","Sancho","Santiago","Sergio","Teodoro","Timoteo","Tomás","Vicente","Víctor","Adela","Adriana","Alejandra","Alicia","Amalia","Ana","Ana Luisa","Ana María","Andrea","Anita","Ángela","Antonia","Ariadna","Barbara","Beatriz","Berta","Blanca","Caridad","Carla","Carlota","Carmen","Carolina","Catalina","Cecilia","Clara","Claudia","Concepción","Conchita","Cristina","Daniela","Débora","Diana","Dolores","Lola","Dorotea","Elena","Elisa","Eloisa","Elsa","Elvira","Emilia","Esperanza","Estela","Ester","Eva","Florencia","Francisca","Gabriela","Gloria","Graciela","Guadalupe","Guillermina","Inés","Irene","Isabel","Isabela","Josefina","Juana","Julia","Laura","Leonor","Leticia","Lilia","Lorena","Lourdes","Lucia","Luisa","Luz","Magdalena","Manuela","Marcela","Margarita","María","María del Carmen","María Cristina","María Elena","María Eugenia","María José","María Luisa","María Soledad","María Teresa","Mariana","Maricarmen","Marilu","Marisol","Marta","Mayte","Mercedes","Micaela","Mónica","Natalia","Norma","Olivia","Patricia","Pilar","Ramona","Raquel","Rebeca","Reina","Rocio","Rosa","Rosalia","Rosario","Sara","Silvia","Sofia","Soledad","Sonia","Susana","Teresa","Verónica","Victoria","Virginia","Yolanda"],"last_name":["Abeyta","Abrego","Abreu","Acevedo","Acosta","Acuña","Adame","Adorno","Agosto","Aguayo","Águilar","Aguilera","Aguirre","Alanis","Alaniz","Alarcón","Alba","Alcala","Alcántar","Alcaraz","Alejandro","Alemán","Alfaro","Alicea","Almanza","Almaraz","Almonte","Alonso","Alonzo","Altamirano","Alva","Alvarado","Alvarez","Amador","Amaya","Anaya","Anguiano","Angulo","Aparicio","Apodaca","Aponte","Aragón","Araña","Aranda","Arce","Archuleta","Arellano","Arenas","Arevalo","Arguello","Arias","Armas","Armendáriz","Armenta","Armijo","Arredondo","Arreola","Arriaga","Arroyo","Arteaga","Atencio","Ávalos","Ávila","Avilés","Ayala","Baca","Badillo","Báez","Baeza","Bahena","Balderas","Ballesteros","Banda","Bañuelos","Barajas","Barela","Barragán","Barraza","Barrera","Barreto","Barrientos","Barrios","Batista","Becerra","Beltrán","Benavides","Benavídez","Benítez","Bermúdez","Bernal","Berríos","Bétancourt","Blanco","Bonilla","Borrego","Botello","Bravo","Briones","Briseño","Brito","Bueno","Burgos","Bustamante","Bustos","Caballero","Cabán","Cabrera","Cadena","Caldera","Calderón","Calvillo","Camacho","Camarillo","Campos","Canales","Candelaria","Cano","Cantú","Caraballo","Carbajal","Cardenas","Cardona","Carmona","Carranza","Carrasco","Carrasquillo","Carreón","Carrera","Carrero","Carrillo","Carrion","Carvajal","Casanova","Casares","Casárez","Casas","Casillas","Castañeda","Castellanos","Castillo","Castro","Cavazos","Cazares","Ceballos","Cedillo","Ceja","Centeno","Cepeda","Cerda","Cervantes","Cervántez","Chacón","Chapa","Chavarría","Chávez","Cintrón","Cisneros","Collado","Collazo","Colón","Colunga","Concepción","Contreras","Cordero","Córdova","Cornejo","Corona","Coronado","Corral","Corrales","Correa","Cortés","Cortez","Cotto","Covarrubias","Crespo","Cruz","Cuellar","Curiel","Dávila","de Anda","de Jesús","Delacrúz","Delafuente","Delagarza","Delao","Delapaz","Delarosa","Delatorre","Deleón","Delgadillo","Delgado","Delrío","Delvalle","Díaz","Domínguez","Domínquez","Duarte","Dueñas","Duran","Echevarría","Elizondo","Enríquez","Escalante","Escamilla","Escobar","Escobedo","Esparza","Espinal","Espino","Espinosa","Espinoza","Esquibel","Esquivel","Estévez","Estrada","Fajardo","Farías","Feliciano","Fernández","Ferrer","Fierro","Figueroa","Flores","Flórez","Fonseca","Franco","Frías","Fuentes","Gaitán","Galarza","Galindo","Gallardo","Gallegos","Galván","Gálvez","Gamboa","Gamez","Gaona","Garay","García","Garibay","Garica","Garrido","Garza","Gastélum","Gaytán","Gil","Girón","Godínez","Godoy","Gómez","Gonzales","González","Gollum","Gracia","Granado","Granados","Griego","Grijalva","Guajardo","Guardado","Guerra","Guerrero","Guevara","Guillen","Gurule","Gutiérrez","Guzmán","Haro","Henríquez","Heredia","Hernádez","Hernandes","Hernández","Herrera","Hidalgo","Hinojosa","Holguín","Huerta","Hurtado","Ibarra","Iglesias","Irizarry","Jaime","Jaimes","Jáquez","Jaramillo","Jasso","Jiménez","Jimínez","Juárez","Jurado","Laboy","Lara","Laureano","Leal","Lebrón","Ledesma","Leiva","Lemus","León","Lerma","Leyva","Limón","Linares","Lira","Llamas","Loera","Lomeli","Longoria","López","Lovato","Loya","Lozada","Lozano","Lucero","Lucio","Luevano","Lugo","Luna","Macías","Madera","Madrid","Madrigal","Maestas","Magaña","Malave","Maldonado","Manzanares","Mares","Marín","Márquez","Marrero","Marroquín","Martínez","Mascareñas","Mata","Mateo","Matías","Matos","Maya","Mayorga","Medina","Medrano","Mejía","Meléndez","Melgar","Mena","Menchaca","Méndez","Mendoza","Menéndez","Meraz","Mercado","Merino","Mesa","Meza","Miramontes","Miranda","Mireles","Mojica","Molina","Mondragón","Monroy","Montalvo","Montañez","Montaño","Montemayor","Montenegro","Montero","Montes","Montez","Montoya","Mora","Morales","Moreno","Mota","Moya","Munguía","Muñiz","Muñoz","Murillo","Muro","Nájera","Naranjo","Narváez","Nava","Navarrete","Navarro","Nazario","Negrete","Negrón","Nevárez","Nieto","Nieves","Niño","Noriega","Núñez","Ocampo","Ocasio","Ochoa","Ojeda","Olivares","Olivárez","Olivas","Olivera","Olivo","Olmos","Olvera","Ontiveros","Oquendo","Ordóñez","Orellana","Ornelas","Orosco","Orozco","Orta","Ortega","Ortiz","Osorio","Otero","Ozuna","Pabón","Pacheco","Padilla","Padrón","Páez","Pagan","Palacios","Palomino","Palomo","Pantoja","Paredes","Parra","Partida","Patiño","Paz","Pedraza","Pedroza","Pelayo","Peña","Perales","Peralta","Perea","Peres","Pérez","Pichardo","Piña","Pineda","Pizarro","Polanco","Ponce","Porras","Portillo","Posada","Prado","Preciado","Prieto","Puente","Puga","Pulido","Quesada","Quezada","Quiñones","Quiñónez","Quintana","Quintanilla","Quintero","Quiroz","Rael","Ramírez","Ramón","Ramos","Rangel","Rascón","Raya","Razo","Regalado","Rendón","Rentería","Reséndez","Reyes","Reyna","Reynoso","Rico","Rincón","Riojas","Ríos","Rivas","Rivera","Rivero","Robledo","Robles","Rocha","Rodarte","Rodrígez","Rodríguez","Rodríquez","Rojas","Rojo","Roldán","Rolón","Romero","Romo","Roque","Rosado","Rosales","Rosario","Rosas","Roybal","Rubio","Ruelas","Ruiz","Saavedra","Sáenz","Saiz","Salas","Salazar","Salcedo","Salcido","Saldaña","Saldivar","Salgado","Salinas","Samaniego","Sanabria","Sanches","Sánchez","Sandoval","Santacruz","Santana","Santiago","Santillán","Sarabia","Sauceda","Saucedo","Sedillo","Segovia","Segura","Sepúlveda","Serna","Serrano","Serrato","Sevilla","Sierra","Sisneros","Solano","Solís","Soliz","Solorio","Solorzano","Soria","Sosa","Sotelo","Soto","Suárez","Tafoya","Tamayo","Tamez","Tapia","Tejada","Tejeda","Téllez","Tello","Terán","Terrazas","Tijerina","Tirado","Toledo","Toro","Torres","Tórrez","Tovar","Trejo","Treviño","Trujillo","Ulibarri","Ulloa","Urbina","Ureña","Urías","Uribe","Urrutia","Vaca","Valadez","Valdés","Valdez","Valdivia","Valencia","Valentín","Valenzuela","Valladares","Valle","Vallejo","Valles","Valverde","Vanegas","Varela","Vargas","Vásquez","Vázquez","Vega","Vela","Velasco","Velásquez","Velázquez","Vélez","Véliz","Venegas","Vera","Verdugo","Verduzco","Vergara","Viera","Vigil","Villa","Villagómez","Villalobos","Villalpando","Villanueva","Villareal","Villarreal","Villaseñor","Villegas","Yáñez","Ybarra","Zambrano","Zamora","Zamudio","Zapata","Zaragoza","Zarate","Zavala","Zayas","Zelaya","Zepeda","Zúñiga"],"name":["#{prefix} #{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name}"],"prefix":["Sr.","Sra.","Sta."],"suffix":["Jr.","Sr.","I","II","III","IV","V","MD","DDS","PhD","DVM"],"title":{"descriptor":["Jefe","Senior","Directo","Corporativo","Dinánmico","Futuro","Producto","Nacional","Regional","Distrito","Central","Global","Cliente","Inversor","International","Heredado","Adelante","Interno","Humano","Gerente","Director"],"job":["Supervisor","Asociado","Ejecutivo","Relacciones","Oficial","Gerente","Ingeniero","Especialista","Director","Coordinador","Administrador","Arquitecto","Analista","Diseñador","Planificador","Técnico","Funcionario","Desarrollador","Productor","Consultor","Asistente","Facilitador","Agente","Representante","Estratega"],"level":["Soluciones","Programa","Marca","Seguridada","Investigación","Marketing","Normas","Implementación","Integración","Funcionalidad","Respuesta","Paradigma","Tácticas","Identidad","Mercados","Grupo","División","Aplicaciones","Optimización","Operaciones","Infraestructura","Intranet","Comunicaciones","Web","Calidad","Seguro","Mobilidad","Cuentas","Datos","Creativo","Configuración","Contabilidad","Interacciones","Factores","Usabilidad","Métricas"]}},"phone_number":{"formats":["9##-###-###","9##.###.###","9## ### ###","9########"]}}}); -I18n.translations["sv"] = I18n.extend((I18n.translations["sv"] || {}), {"faker":{"address":{"building_number":["###","##","#"],"city":["#{city_prefix}#{city_suffix}"],"city_prefix":["Söder","Norr","Väst","Öster","Aling","Ar","Av","Bo","Br","Bå","Ek","En","Esk","Fal","Gäv","Göte","Ha","Helsing","Karl","Krist","Kram","Kung","Kö","Lyck","Ny"],"city_suffix":["stad","land","sås","ås","holm","tuna","sta","berg","löv","borg","mora","hamn","fors","köping","by","hult","torp","fred","vik"],"common_street_suffix":["s Väg","s Gata"],"country":["Ryssland","Kanada","Kina","USA","Brasilien","Australien","Indien","Argentina","Kazakstan","Algeriet","DR Kongo","Danmark","Färöarna","Grönland","Saudiarabien","Mexiko","Indonesien","Sudan","Libyen","Iran","Mongoliet","Peru","Tchad","Niger","Angola","Mali","Sydafrika","Colombia","Etiopien","Bolivia","Mauretanien","Egypten","Tanzania","Nigeria","Venezuela","Namibia","Pakistan","Moçambique","Turkiet","Chile","Zambia","Marocko","Västsahara","Burma","Afghanistan","Somalia","Centralafrikanska republiken","Sydsudan","Ukraina","Botswana","Madagaskar","Kenya","Frankrike","Franska Guyana","Jemen","Thailand","Spanien","Turkmenistan","Kamerun","Papua Nya Guinea","Sverige","Uzbekistan","Irak","Paraguay","Zimbabwe","Japan","Tyskland","Kongo","Finland","Malaysia","Vietnam","Norge","Svalbard","Jan Mayen","Elfenbenskusten","Polen","Italien","Filippinerna","Ecuador","Burkina Faso","Nya Zeeland","Gabon","Guinea","Storbritannien","Ghana","Rumänien","Laos","Uganda","Guyana","Oman","Vitryssland","Kirgizistan","Senegal","Syrien","Kambodja","Uruguay","Tunisien","Surinam","Nepal","Bangladesh","Tadzjikistan","Grekland","Nicaragua","Eritrea","Nordkorea","Malawi","Benin","Honduras","Liberia","Bulgarien","Kuba","Guatemala","Island","Sydkorea","Ungern","Portugal","Jordanien","Serbien","Azerbajdzjan","Österrike","Förenade Arabemiraten","Tjeckien","Panama","Sierra Leone","Irland","Georgien","Sri Lanka","Litauen","Lettland","Togo","Kroatien","Bosnien och Hercegovina","Costa Rica","Slovakien","Dominikanska republiken","Bhutan","Estland","Danmark","Färöarna","Grönland","Nederländerna","Schweiz","Guinea-Bissau","Taiwan","Moldavien","Belgien","Lesotho","Armenien","Albanien","Salomonöarna","Ekvatorialguinea","Burundi","Haiti","Rwanda","Makedonien","Djibouti","Belize","Israel","El Salvador","Slovenien","Fiji","Kuwait","Swaziland","Timor-Leste","Montenegro","Bahamas","Vanuatu","Qatar","Gambia","Jamaica","Kosovo","Libanon","Cypern","Brunei","Trinidad och Tobago","Kap Verde","Samoa","Luxemburg","Komorerna","Mauritius","São Tomé och Príncipe","Kiribati","Dominica","Tonga","Mikronesiens federerade stater","Singapore","Bahrain","Saint Lucia","Andorra","Palau","Seychellerna","Antigua och Barbuda","Barbados","Saint Vincent och Grenadinerna","Grenada","Malta","Maldiverna","Saint Kitts och Nevis","Marshallöarna","Liechtenstein","San Marino","Tuvalu","Nauru","Monaco","Vatikanstaten"],"default_country":["Sverige"],"postcode":["#####"],"secondary_address":["Lgh. ###","Hus ###"],"state":["Blekinge","Dalarna","Gotland","Gävleborg","Göteborg","Halland","Jämtland","Jönköping","Kalmar","Kronoberg","Norrbotten","Skaraborg","Skåne","Stockholm","Södermanland","Uppsala","Värmland","Västerbotten","Västernorrland","Västmanland","Älvsborg","Örebro","Östergötland"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_root}#{street_suffix}","#{street_prefix} #{street_root}#{street_suffix}","#{Name.first_name}#{common_street_suffix}","#{Name.last_name}#{common_street_suffix}"],"street_prefix":["Västra","Östra","Norra","Södra","Övre","Undre"],"street_root":["Björk","Järnvägs","Ring","Skol","Skogs","Ny","Gran","Idrotts","Stor","Kyrk","Industri","Park","Strand","Skol","Trädgård","Ängs","Kyrko","Villa","Ek","Kvarn","Stations","Back","Furu","Gen","Fabriks","Åker","Bäck","Asp"],"street_suffix":["vägen","gatan","gränden","gärdet","allén"]},"cell_phone":{"formats":["070-###-####","076-###-####","073-###-####"]},"commerce":{"color":["vit","silver","grå","svart","röd","grön","blå","gul","lila","indigo","guld","brun","rosa","purpur","korall"],"department":["Böcker","Filmer","Musik","Spel","Elektronik","Datorer","Hem","Trädgård","Verktyg","Livsmedel","Hälsa","Skönhet","Leksaker","Klädsel","Skor","Smycken","Sport"],"product_name":{"adjective":["Liten","Ergonomisk","Robust","Intelligent","Söt","Otrolig","Fatastisk","Praktisk","Slimmad","Grym","Enorm","Mediokra","Synergistic","Tung","Lätt","Aerodynamisk","Tålig"],"material":["Stål","Metall","Trä","Betong","Plast","Bomul","Grnit","Gummi","Latex","Läder","Silke","Ull","Linne","Marmor","Järn","Brons","Koppar","Aluminium","Papper"],"product":["Stol","Bil","Dator","Handskar","Pants","Shirt","Table","Shoes","Hat","Plate","Kniv","Flaska","Coat","Lampa. Tangentbord","Bag","Bänk","Klocka","Titta","Plånbok"]}},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} #{suffix}"],"suffix":["Gruppen","AB","HB","Group","Investment","Kommanditbolag","Aktiebolag"]},"internet":{"domain_suffix":["se","nu","info","com","org"]},"name":{"first_name":["Erik","Lars","Karl","Anders","Per","Johan","Nils","Lennart","Emil","Hans","Jörgen","Göran","Håkan","Kåre","Maria","Anna","Margareta","Elisabeth","Eva","Birgitta","Kristina","Karin","Elisabet","Marie","Åsa","Hjördis","Ingegärd"],"first_name_men":["Erik","Lars","Karl","Anders","Per","Johan","Nils","Lennart","Emil","Hans","Jörgen","Göran","Håkan","Kåre"],"first_name_women":["Maria","Anna","Margareta","Elisabeth","Eva","Birgitta","Kristina","Karin","Elisabet","Marie","Åsa","Hjördis","Ingegärd"],"last_name":["Johansson","Andersson","Karlsson","Nilsson","Eriksson","Larsson","Olsson","Persson","Svensson","Gustafsson","Åslund","Östlund","Änglund"],"name":["#{first_name} #{last_name}","#{prefix} #{first_name} #{last_name}"],"prefix":["Dr.","Prof.","PhD."],"title":{"descriptor":["Lead","Senior","Direct","Corporate","Dynamic","Future","Product","National","Regional","District","Central","Global","Customer","Investor","Dynamic","International","Legacy","Forward","Internal","Human","Chief","Principal"],"job":["Supervisor","Associate","Executive","Liaison","Officer","Manager","Engineer","Specialist","Director","Coordinator","Administrator","Architect","Analyst","Designer","Planner","Orchestrator","Technician","Developer","Producer","Consultant","Assistant","Facilitator","Agent","Representative","Strategist"],"level":["Solutions","Program","Brand","Security","Research","Marketing","Directives","Implementation","Integration","Functionality","Response","Paradigm","Tactics","Identity","Markets","Group","Division","Applications","Optimization","Operations","Infrastructure","Intranet","Communications","Web","Branding","Quality","Assurance","Mobility","Accounts","Data","Creative","Configuration","Accountability","Interactions","Factors","Usability","Metrics"]}},"phone_number":{"formats":["####-#####","####-######"]},"team":{"name":["#{Address.city} #{suffix}"],"suffix":["IF","FF","BK","HK","AIF","SK","FC","SK","BoIS","FK","BIS","FIF","IK"]}}}); -I18n.translations["ca"] = I18n.extend((I18n.translations["ca"] || {}), {"faker":{"color":{"name":["aiguamarina","albercoc","amarant","ambre","ametista","atzur","beix","bistre","blanc","blat","blau","blau cel","blau fosc","blau marí","blau reial","blauet","bronze","camussa","canyella","caqui","cardenal","carmesí","carmí","carnació","castany rogenc","celadont","ceruli","chartreuse","cian","cirera","corall","coure","crema","escarlata","granat","gris","gris fosc","groc","lavanda","lila","llima","magenta","malva","marró","morat","ocre","or","orquídia","panotxa","plata","porpra","préssec","pruna","verd","verd maragda","verd oliva","verd veronès","vermell","vermell fosc","vermelló","vinca","violat","vori"]},"name":{"female_first_name":["Abellera","Abril","Ada","Adaleda","Adaleis","Àgata","Agnès","Aida","Aidé","Ailo","Aina","Alamanda","Alba","Aledis","Alfreda","Alícia","Alix","Almodis","Aloma","Anaïs","Anastàsia","Àneu","Àngela","Àngels","Anna","Antiga","Antònia","Arcàngela","Ardoina","Ariadna","Arlet","Arsenda","Arsendis","Assumpció","Aura","Àurea","Aurembiaix","Aurora","Bàrbara","Bartomeva","Beatriu","Benvinguda","Betlem","Bibianna","Blanca","Blau","Bondia","Bruguers","Brugués","Bruna","Brunisenda","Candela","Carla","Carlota","Carme","Carolina","Casilda","Caterina","Cèlia","Chaymae","Cinta","Cior","Cira","Cixilona","Clotilde","Constança","Cristina","Dalila","Dolça","Dolors","Duna","Elena","Èlia","Elionor","Elisabet","Elisenda","Elvira","Emma","Enriqueta","Escarlata","Esclarmunda","Estel","Estel·la","Ester","Eugènia","Eulàlia","Fe","Ferrera","Foix","Gal·la","Gemma","Georgina","Glòria","Gotlana","Gotruda","Gueralda","Guillelma","Guillema","Guisla","Helena","Ia","Immaculada","Inda","Iolanda","Irene","Isaura","Isona","Ivet","Jacina","Jara","Joana","Jordina","Judit","Judith","Júlia","Laia","Laura","Lerenna","Letgarda","Letícia","Lia","Lídia","Llúcia","Lluïsa","Llura","Mafalda","Mar","Margalida","Maria","Mariona","Marta","Martina","Mercè","Meritxell","Mireia","Mònica","Montserrat","Natàlia","Nati","Neus","Nit","Noa","Noemí","Norma","Nura","Núria","Olga","Oliva","Pagesa","Patrícia","Paula","Peregrina","Peronella","Pilar","Ponça","Queralt","Quima","Ramona","Raquel","Remei","Riquilda","Rita","Romea","Rosa","Rosalia","Roser","Rosó","Rovella","Rut","Sança","Sancia","Sancina","Saurina","Selma","Senda","Siara","Sibil·la","Sibilia","Silvana","Sílvia","Sira","Sònia","Suavas","Suevis","Tamar","Teia","Timburguera","Tresa","Tuixén","Tura","Urgell","Úrsula","Valèria","Vanessa","Verònica","Victòria","Vinyet","Violant","Violeta","Virgínia","Xènia","Zenaida","Zoa"],"female_prefix":["Sra."],"first_name":["#{female_first_name}","#{male_first_name}"],"last_name":["Adell","Albert","Aubert","Alemany","Armengol","Armengou","Amengual","Mengual","Balasch","Bonastre","Bosch","Batallé","Cabot","Calafell","Camprubí","Cardona","Casajuana","Casajoana","Canudas","Codina","Codines","Codinas","Comas","Comes","Coma","Danés","Danès","Estruch","Fabré","Febrer","Ferrer","Ferré","Farré","Ferrés","Farrés","Fortuny","Gasull","Gassull","Grau","Garau","Gual","Gol","Guasch","Gasch","Guarch","Guasp","Jordà","Llach","Llobet","Magrans","Maymó","Maimó","Mas","Massot","Masot","Melis","Miquel","Molas","Moragues","Moragas","Nàcher","Nadal","de Nadal","Oriol","Pitarch","Pitart","Pons","Prat","Raga","Reixach","Rexach","Riera","Reixachs","Rexachs","Ricart","Robert","Rubert","Roig","Roma","Ros","Sabater","Sabaté","Sabatés","Sabaters","Sala","Salom","Santacana","Sentmartí","Serra","Soler","Solé","Sulé","Taberner","Taberné","Taverner","Taverné","Tió","Thió","Vidal","Vives"],"male_first_name":["Aaró","Aaron","Abacuc","Abba","Abel","Abelard","Abraham","Acfred","Adam","Adrià","Albà","Albert","Aleix","Aleu","Àlex","Álex","Alexandre","Alfons","Alfred","Àlvar","Amadeu","Amador","Amalric","Amand","Anastasi","Andreu","Àngel","Aniol","Antoni","Apel·les","Arcadi","Armand","Armengol","Arnau","Artal","Artur","August","Àxel","Bartolí","Bartolomeu","Benet","Bert","Biel","Blai","Blanc","Boi","Bonaventura","Borja","Borràs","Borrell","Bru","Carbó","Carles","Castelló","Cèsar","Cesc","Constantí","Cristià","Cugat","Damià","Daniel","David","Dídac","Domènec","Donat","Drac","Eduard","Egidi","Elm","Eloi","Enric","Èric","Ermengol","Ernest","Estanislau","Eudald","Feliu","Fèlix","Ferriol","Fortià","Garbí","Gastó","Gaufred","Gausbert","Gausfred","Gelabert","Genís","Gerai","Gerald","Gerard","Germà","Gonçal","Grau","Gregori","Guerau","Guifré","Guim","Guiu","Gustau","Habacuc","Hèctor","Hug","Ignasi","Iol","Isaac","Isma","Iu","Ivan","Izan","Joan","Joel","Jofre","Jonàs","Jordi","Josefí","Josep","Julià","Kilian","Laureà","Llàtzer","Lledó","Lleó","Lluc","Llucià","Lluis","Llull","Llum","Luard","Magí","Manel","Marc","Marçal","Margarit","Maricel","Marimon","Martí","Mateu","Maurici","Milos","Miquel","Miró","Mirt","Modest","Natan","Nèstor","Nil","Olaf","Olau","Oleguer","Oliver","Oriol","Oscar","Òscar","Ot","Ota","Otger","Palau","Pau","Peris","Pol","Quel","Quer","Quim","Quintí","Quirze","Quixot","Radulf","Rafael","Rafaela","Raimon","Ramir","Raül","Rauric","Renat","Rispau","Robert","Roc","Roderic","Roger","Rosseyó","Rubén","Rutger","Samuel","Sanç","Santiago","Saoni","Serafí","Sergi","Sever","Severí","Sibil","Silvà","Siset","Sunyer","Telm","Uguet","Uriel","Valentí","Valeri","Vicenç","Víctor","Vidal","Xavier","Zacaries","Zenon","Zotan"],"male_prefix":["Sr."],"name":["#{female_prefix} #{female_first_name} #{last_name} #{last_name}","#{female_first_name} #{last_name} i #{last_name}","#{female_first_name} #{last_name} #{last_name}","#{female_first_name} #{last_name} #{last_name}","#{female_first_name} #{last_name} #{last_name}","#{male_prefix} #{male_first_name} #{last_name} #{last_name}","#{male_first_name} #{last_name} i #{last_name}","#{male_first_name} #{last_name} #{last_name}","#{male_first_name} #{last_name} #{last_name}","#{male_first_name} #{last_name} #{last_name}"]}}}); -I18n.translations["fr"] = I18n.extend((I18n.translations["fr"] || {}), {"faker":{"address":{"building_number":["####","###","##","#"],"city":["#{city_name}"],"city_name":["Paris","Marseille","Lyon","Toulouse","Nice","Nantes","Strasbourg","Montpellier","Bordeaux","Lille","Rennes","Reims","Le Havre","Saint-Étienne","Toulon","Grenoble","Dijon","Angers","Saint-Denis","Villeurbanne","Le Mans","Aix-en-Provence","Brest","Nîmes","Limoges","Clermont-Ferrand","Tours","Amiens","Metz","Perpignan","Besançon","Orléans","Boulogne-Billancourt","Mulhouse","Rouen","Caen","Nancy","Saint-Denis","Saint-Paul","Montreuil","Argenteuil","Roubaix","Dunkerque14","Tourcoing","Nanterre","Avignon","Créteil","Poitiers","Fort-de-France","Courbevoie","Versailles","Vitry-sur-Seine","Colombes","Pau","Aulnay-sous-Bois","Asnières-sur-Seine","Rueil-Malmaison","Saint-Pierre","Antibes","Saint-Maur-des-Fossés","Champigny-sur-Marne","La Rochelle","Aubervilliers","Calais","Cannes","Le Tampon","Béziers","Colmar","Bourges","Drancy","Mérignac","Saint-Nazaire","Valence","Ajaccio","Issy-les-Moulineaux","Villeneuve-d'Ascq","Levallois-Perret","Noisy-le-Grand","Quimper","La Seyne-sur-Mer","Antony","Troyes","Neuilly-sur-Seine","Sarcelles","Les Abymes","Vénissieux","Clichy","Lorient","Pessac","Ivry-sur-Seine","Cergy","Cayenne","Niort","Chambéry","Montauban","Saint-Quentin","Villejuif","Hyères","Beauvais","Cholet"],"default_country":["France"],"postcode":["#####"],"secondary_address":["Apt. ###","# étage"],"state":["Alsace","Aquitaine","Auvergne","Basse-Normandie","Bourgogne","Bretagne","Centre","Champagne-Ardenne","Corse","Franche-Comté","Guadeloupe","Guyane","Haute-Normandie","Île-de-France","La Réunion","Languedoc-Roussillon","Limousin","Lorraine","Martinique","Mayotte","Midi-Pyrénées","Nord-Pas-de-Calais","Pays de la Loire","Picardie","Poitou-Charentes","Provence-Alpes-Côte d'Azur","Rhône-Alpes"],"street_address":["#{building_number} #{street_name}"],"street_name":["#{street_prefix} #{street_suffix}"],"street_prefix":["Allée, Voie","Rue","Avenue","Boulevard","Quai","Passage","Impasse","Place"],"street_suffix":["de l'Abbaye","Adolphe Mille","d'Alésia","d'Argenteuil","d'Assas","du Bac","de Paris","La Boétie","Bonaparte","de la Bûcherie","de Caumartin","Charlemagne","du Chat-qui-Pêche","de la Chaussée-d'Antin","du Dahomey","Dauphine","Delesseux","du Faubourg Saint-Honoré","du Faubourg-Saint-Denis","de la Ferronnerie","des Francs-Bourgeois","des Grands Augustins","de la Harpe","du Havre","de la Huchette","Joubert","Laffitte","Lepic","des Lombards","Marcadet","Molière","Monsieur-le-Prince","de Montmorency","Montorgueil","Mouffetard","de Nesle","Oberkampf","de l'Odéon","d'Orsel","de la Paix","des Panoramas","Pastourelle","Pierre Charron","de la Pompe","de Presbourg","de Provence","de Richelieu","de Rivoli","des Rosiers","Royale","d'Abbeville","Saint-Honoré","Saint-Bernard","Saint-Denis","Saint-Dominique","Saint-Jacques","Saint-Séverin","des Saussaies","de Seine","de Solférino","Du Sommerard","de Tilsitt","Vaneau","de Vaugirard","de la Victoire","Zadkine"]},"book":{"author":"#{Name.name}","publisher":["Éditions du Soleil","La Perdrix","Les Éditions jaune turquoise","Bordel père et fils","Au lecteur éclairé","Lire en dormant"],"title":["La Discipline des orphelins","Le Couloir de tous les mépris","L'Odeur du sanglier","La Promise du voyeur","L'Odyssée invisible","La Soumission comme passion","Le Siècle de la rue voisine","Le Désir des femmes fortes","Pourquoi je mens ?","La Peau des savants","La progéniture du mal"]},"cell_phone":{"formats":["06########","07########","+33 6########","+33 7########","06 ## ## ## ##","07 ## ## ## ##","+33 6 ## ## ## ##","+33 7 ## ## ## ##"]},"company":{"bs":[["implement","utilize","integrate","streamline","optimize","evolve","transform","embrace","enable","orchestrate","leverage","reinvent","aggregate","architect","enhance","incentivize","morph","empower","envisioneer","monetize","harness","facilitate","seize","disintermediate","synergize","strategize","deploy","brand","grow","target","syndicate","synthesize","deliver","mesh","incubate","engage","maximize","benchmark","expedite","reintermediate","whiteboard","visualize","repurpose","innovate","scale","unleash","drive","extend","engineer","revolutionize","generate","exploit","transition","e-enable","iterate","cultivate","matrix","productize","redefine","recontextualize"],["clicks-and-mortar","value-added","vertical","proactive","robust","revolutionary","scalable","leading-edge","innovative","intuitive","strategic","e-business","mission-critical","sticky","one-to-one","24/7","end-to-end","global","B2B","B2C","granular","frictionless","virtual","viral","dynamic","24/365","best-of-breed","killer","magnetic","bleeding-edge","web-enabled","interactive","dot-com","sexy","back-end","real-time","efficient","front-end","distributed","seamless","extensible","turn-key","world-class","open-source","cross-platform","cross-media","synergistic","bricks-and-clicks","out-of-the-box","enterprise","integrated","impactful","wireless","transparent","next-generation","cutting-edge","user-centric","visionary","customized","ubiquitous","plug-and-play","collaborative","compelling","holistic","rich"],["synergies","web-readiness","paradigms","markets","partnerships","infrastructures","platforms","initiatives","channels","eyeballs","communities","ROI","solutions","e-tailers","e-services","action-items","portals","niches","technologies","content","vortals","supply-chains","convergence","relationships","architectures","interfaces","e-markets","e-commerce","systems","bandwidth","infomediaries","models","mindshare","deliverables","users","schemas","networks","applications","metrics","e-business","functionalities","experiences","web services","methodologies"]],"buzzwords":[["Adaptive","Advanced","Ameliorated","Assimilated","Automated","Balanced","Business-focused","Centralized","Cloned","Compatible","Configurable","Cross-group","Cross-platform","Customer-focused","Customizable","Decentralized","De-engineered","Devolved","Digitized","Distributed","Diverse","Down-sized","Enhanced","Enterprise-wide","Ergonomic","Exclusive","Expanded","Extended","Face to face","Focused","Front-line","Fully-configurable","Function-based","Fundamental","Future-proofed","Grass-roots","Horizontal","Implemented","Innovative","Integrated","Intuitive","Inverse","Managed","Mandatory","Monitored","Multi-channelled","Multi-lateral","Multi-layered","Multi-tiered","Networked","Object-based","Open-architected","Open-source","Operative","Optimized","Optional","Organic","Organized","Persevering","Persistent","Phased","Polarised","Pre-emptive","Proactive","Profit-focused","Profound","Programmable","Progressive","Public-key","Quality-focused","Reactive","Realigned","Re-contextualized","Re-engineered","Reduced","Reverse-engineered","Right-sized","Robust","Seamless","Secured","Self-enabling","Sharable","Stand-alone","Streamlined","Switchable","Synchronised","Synergistic","Synergized","Team-oriented","Total","Triple-buffered","Universal","Up-sized","Upgradable","User-centric","User-friendly","Versatile","Virtual","Visionary","Vision-oriented"],["24 hour","24/7","3rd generation","4th generation","5th generation","6th generation","actuating","analyzing","asymmetric","asynchronous","attitude-oriented","background","bandwidth-monitored","bi-directional","bifurcated","bottom-line","clear-thinking","client-driven","client-server","coherent","cohesive","composite","context-sensitive","contextually-based","content-based","dedicated","demand-driven","didactic","directional","discrete","disintermediate","dynamic","eco-centric","empowering","encompassing","even-keeled","executive","explicit","exuding","fault-tolerant","foreground","fresh-thinking","full-range","global","grid-enabled","heuristic","high-level","holistic","homogeneous","human-resource","hybrid","impactful","incremental","intangible","interactive","intermediate","leading edge","local","logistical","maximized","methodical","mission-critical","mobile","modular","motivating","multimedia","multi-state","multi-tasking","national","needs-based","neutral","next generation","non-volatile","object-oriented","optimal","optimizing","radical","real-time","reciprocal","regional","responsive","scalable","secondary","solution-oriented","stable","static","systematic","systemic","system-worthy","tangible","tertiary","transitional","uniform","upward-trending","user-facing","value-added","web-enabled","well-modulated","zero administration","zero defect","zero tolerance"],["ability","access","adapter","algorithm","alliance","analyzer","application","approach","architecture","archive","artificial intelligence","array","attitude","benchmark","budgetary management","capability","capacity","challenge","circuit","collaboration","complexity","concept","conglomeration","contingency","core","customer loyalty","database","data-warehouse","definition","emulation","encoding","encryption","extranet","firmware","flexibility","focus group","forecast","frame","framework","function","functionalities","Graphic Interface","groupware","Graphical User Interface","hardware","help-desk","hierarchy","hub","implementation","info-mediaries","infrastructure","initiative","installation","instruction set","interface","internet solution","intranet","knowledge user","knowledge base","local area network","leverage","matrices","matrix","methodology","middleware","migration","model","moderator","monitoring","moratorium","neural-net","open architecture","open system","orchestration","paradigm","parallelism","policy","portal","pricing structure","process improvement","product","productivity","project","projection","protocol","secured line","service-desk","software","solution","standardization","strategy","structure","success","superstructure","support","synergy","system engine","task-force","throughput","time-frame","toolset","utilisation","website","workforce"]],"name":["#{Name.last_name} #{suffix}","#{Name.last_name} et #{Name.last_name}"],"suffix":["SARL","SA","EURL","SAS","SEM","SCOP","GIE","EI"]},"internet":{"domain_suffix":["com","fr","eu","info","name","net","org","immo","paris","alsace","bzh"],"free_email":["gmail.com","yahoo.fr","hotmail.fr"]},"lorem":{"supplemental":["abbas","abduco","abeo","abscido","absconditus","absens","absorbeo","absque","abstergo","absum","abundans","abutor","accedo","accendo","acceptus","accipio","accommodo","accusator","acer","acerbitas","acervus","acidus","acies","acquiro","acsi","adamo","adaugeo","addo","adduco","ademptio","adeo","adeptio","adfectus","adfero","adficio","adflicto","adhaero","adhuc","adicio","adimpleo","adinventitias","adipiscor","adiuvo","administratio","admiratio","admitto","admoneo","admoveo","adnuo","adopto","adsidue","adstringo","adsuesco","adsum","adulatio","adulescens","adultus","aduro","advenio","adversus","advoco","aedificium","aeger","aegre","aegrotatio","aegrus","aeneus","aequitas","aequus","aer","aestas","aestivus","aestus","aetas","aeternus","ager","aggero","aggredior","agnitio","agnosco","ago","ait","aiunt","alienus","alii","alioqui","aliqua","alius","allatus","alo","alter","altus","alveus","amaritudo","ambitus","ambulo","amicitia","amiculum","amissio","amita","amitto","amo","amor","amoveo","amplexus","amplitudo","amplus","ancilla","angelus","angulus","angustus","animadverto","animi","animus","annus","anser","ante","antea","antepono","antiquus","aperio","aperte","apostolus","apparatus","appello","appono","appositus","approbo","apto","aptus","apud","aqua","ara","aranea","arbitro","arbor","arbustum","arca","arceo","arcesso","arcus","argentum","argumentum","arguo","arma","armarium","armo","aro","ars","articulus","artificiose","arto","arx","ascisco","ascit","asper","aspicio","asporto","assentator","astrum","atavus","ater","atqui","atrocitas","atrox","attero","attollo","attonbitus","auctor","auctus","audacia","audax","audentia","audeo","audio","auditor","aufero","aureus","auris","aurum","aut","autem","autus","auxilium","avaritia","avarus","aveho","averto","avoco","baiulus","balbus","barba","bardus","basium","beatus","bellicus","bellum","bene","beneficium","benevolentia","benigne","bestia","bibo","bis","blandior","bonus","bos","brevis","cado","caecus","caelestis","caelum","calamitas","calcar","calco","calculus","callide","campana","candidus","canis","canonicus","canto","capillus","capio","capitulus","capto","caput","carbo","carcer","careo","caries","cariosus","caritas","carmen","carpo","carus","casso","caste","casus","catena","caterva","cattus","cauda","causa","caute","caveo","cavus","cedo","celebrer","celer","celo","cena","cenaculum","ceno","censura","centum","cerno","cernuus","certe","certo","certus","cervus","cetera","charisma","chirographum","cibo","cibus","cicuta","cilicium","cimentarius","ciminatio","cinis","circumvenio","cito","civis","civitas","clam","clamo","claro","clarus","claudeo","claustrum","clementia","clibanus","coadunatio","coaegresco","coepi","coerceo","cogito","cognatus","cognomen","cogo","cohaero","cohibeo","cohors","colligo","colloco","collum","colo","color","coma","combibo","comburo","comedo","comes","cometes","comis","comitatus","commemoro","comminor","commodo","communis","comparo","compello","complectus","compono","comprehendo","comptus","conatus","concedo","concido","conculco","condico","conduco","confero","confido","conforto","confugo","congregatio","conicio","coniecto","conitor","coniuratio","conor","conqueror","conscendo","conservo","considero","conspergo","constans","consuasor","contabesco","contego","contigo","contra","conturbo","conventus","convoco","copia","copiose","cornu","corona","corpus","correptius","corrigo","corroboro","corrumpo","coruscus","cotidie","crapula","cras","crastinus","creator","creber","crebro","credo","creo","creptio","crepusculum","cresco","creta","cribro","crinis","cruciamentum","crudelis","cruentus","crur","crustulum","crux","cubicularis","cubitum","cubo","cui","cuius","culpa","culpo","cultellus","cultura","cum","cunabula","cunae","cunctatio","cupiditas","cupio","cuppedia","cupressus","cur","cura","curatio","curia","curiositas","curis","curo","curriculum","currus","cursim","curso","cursus","curto","curtus","curvo","curvus","custodia","damnatio","damno","dapifer","debeo","debilito","decens","decerno","decet","decimus","decipio","decor","decretum","decumbo","dedecor","dedico","deduco","defaeco","defendo","defero","defessus","defetiscor","deficio","defigo","defleo","defluo","defungo","degenero","degero","degusto","deinde","delectatio","delego","deleo","delibero","delicate","delinquo","deludo","demens","demergo","demitto","demo","demonstro","demoror","demulceo","demum","denego","denique","dens","denuncio","denuo","deorsum","depereo","depono","depopulo","deporto","depraedor","deprecator","deprimo","depromo","depulso","deputo","derelinquo","derideo","deripio","desidero","desino","desipio","desolo","desparatus","despecto","despirmatio","infit","inflammatio","paens","patior","patria","patrocinor","patruus","pauci","paulatim","pauper","pax","peccatus","pecco","pecto","pectus","pecunia","pecus","peior","pel","ocer","socius","sodalitas","sol","soleo","solio","solitudo","solium","sollers","sollicito","solum","solus","solutio","solvo","somniculosus","somnus","sonitus","sono","sophismata","sopor","sordeo","sortitus","spargo","speciosus","spectaculum","speculum","sperno","spero","spes","spiculum","spiritus","spoliatio","sponte","stabilis","statim","statua","stella","stillicidium","stipes","stips","sto","strenuus","strues","studio","stultus","suadeo","suasoria","sub","subito","subiungo","sublime","subnecto","subseco","substantia","subvenio","succedo","succurro","sufficio","suffoco","suffragium","suggero","sui","sulum","sum","summa","summisse","summopere","sumo","sumptus","supellex","super","suppellex","supplanto","suppono","supra","surculus","surgo","sursum","suscipio","suspendo","sustineo","suus","synagoga","tabella","tabernus","tabesco","tabgo","tabula","taceo","tactus","taedium","talio","talis","talus","tam","tamdiu","tamen","tametsi","tamisium","tamquam","tandem","tantillus","tantum","tardus","tego","temeritas","temperantia","templum","temptatio","tempus","tenax","tendo","teneo","tener","tenuis","tenus","tepesco","tepidus","ter","terebro","teres","terga","tergeo","tergiversatio","tergo","tergum","termes","terminatio","tero","terra","terreo","territo","terror","tersus","tertius","testimonium","texo","textilis","textor","textus","thalassinus","theatrum","theca","thema","theologus","thermae","thesaurus","thesis","thorax","thymbra","thymum","tibi","timidus","timor","titulus","tolero","tollo","tondeo","tonsor","torqueo","torrens","tot","totidem","toties","totus","tracto","trado","traho","trans","tredecim","tremo","trepide","tres","tribuo","tricesimus","triduana","triginta","tripudio","tristis","triumphus","trucido","truculenter","tubineus","tui","tum","tumultus","tunc","turba","turbo","turpe","turpis","tutamen","tutis","tyrannus","uberrime","ubi","ulciscor","ullus","ulterius","ultio","ultra","umbra","umerus","umquam","una","unde","undique","universe","unus","urbanus","urbs","uredo","usitas","usque","ustilo","ustulo","usus","uter","uterque","utilis","utique","utor","utpote","utrimque","utroque","utrum","uxor","vaco","vacuus","vado","vae","valde","valens","valeo","valetudo","validus","vallum","vapulus","varietas","varius","vehemens","vel","velociter","velum","velut","venia","venio","ventito","ventosus","ventus","venustas","ver","verbera","verbum","vere","verecundia","vereor","vergo","veritas","vero","versus","verto","verumtamen","verus","vesco","vesica","vesper","vespillo","vester","vestigium","vestrum","vetus","via","vicinus","vicissitudo","victoria","victus","videlicet","video","viduata","viduo","vigilo","vigor","vilicus","vilis","vilitas","villa","vinco","vinculum","vindico","vinitor","vinum","vir","virga","virgo","viridis","viriliter","virtus","vis","viscus","vita","vitiosus","vitium","vito","vivo","vix","vobis","vociferor","voco","volaticus","volo","volubilis","voluntarius","volup","volutabrum","volva","vomer","vomica","vomito","vorago","vorax","voro","vos","votum","voveo","vox","vulariter","vulgaris","vulgivagus","vulgo","vulgus","vulnero","vulnus","vulpes","vulticulus","vultuosus","xiphias"],"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"first_name":["Enzo","Lucas","Mathis","Nathan","Thomas","Hugo","Théo","Tom","Louis","Raphaël","Clément","Léo","Mathéo","Maxime","Alexandre","Antoine","Yanis","Paul","Baptiste","Alexis","Gabriel","Arthur","Jules","Ethan","Noah","Quentin","Axel","Evan","Mattéo","Romain","Valentin","Maxence","Noa","Adam","Nicolas","Julien","Mael","Pierre","Rayan","Victor","Mohamed","Adrien","Kylian","Sacha","Benjamin","Léa","Clara","Manon","Chloé","Camille","Ines","Sarah","Jade","Lola","Anaïs","Lucie","Océane","Lilou","Marie","Eva","Romane","Lisa","Zoe","Julie","Mathilde","Louise","Juliette","Clémence","Célia","Laura","Lena","Maëlys","Charlotte","Ambre","Maeva","Pauline","Lina","Jeanne","Lou","Noémie","Justine","Louna","Elisa","Alice","Emilie","Carla","Maëlle","Alicia","Mélissa"],"last_name":["Martin","Bernard","Dubois","Thomas","Robert","Richard","Petit","Durand","Leroy","Moreau","Simon","Laurent","Lefebvre","Michel","Garcia","David","Bertrand","Roux","Vincent","Fournier","Morel","Girard","Andre","Lefevre","Mercier","Dupont","Lambert","Bonnet","Francois","Martinez","Legrand","Garnier","Faure","Rousseau","Blanc","Guerin","Muller","Henry","Roussel","Nicolas","Perrin","Morin","Mathieu","Clement","Gauthier","Dumont","Lopez","Fontaine","Chevalier","Robin","Masson","Sanchez","Gerard","Nguyen","Boyer","Denis","Lemaire","Duval","Joly","Gautier","Roger","Roche","Roy","Noel","Meyer","Lucas","Meunier","Jean","Perez","Marchand","Dufour","Blanchard","Marie","Barbier","Brun","Dumas","Brunet","Schmitt","Leroux","Colin","Fernandez","Pierre","Renard","Arnaud","Rolland","Caron","Aubert","Giraud","Leclerc","Vidal","Bourgeois","Renaud","Lemoine","Picard","Gaillard","Philippe","Leclercq","Lacroix","Fabre","Dupuis","Olivier","Rodriguez","Da silva","Hubert","Louis","Charles","Guillot","Riviere","Le gall","Guillaume","Adam","Rey","Moulin","Gonzalez","Berger","Lecomte","Menard","Fleury","Deschamps","Carpentier","Julien","Benoit","Paris","Maillard","Marchal","Aubry","Vasseur","Le roux","Renault","Jacquet","Collet","Prevost","Poirier","Charpentier","Royer","Huet","Baron","Dupuy","Pons","Paul","Laine","Carre","Breton","Remy","Schneider","Perrot","Guyot","Barre","Marty","Cousin"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name}","#{last_name} #{first_name}"],"prefix":["M.","Mme","Mlle","Dr","Prof"],"title":{"job":["Superviseur","Executif","Manager","Ingenieur","Specialiste","Directeur","Coordinateur","Administrateur","Architecte","Analyste","Designer","Technicien","Developpeur","Producteur","Consultant","Assistant","Agent","Stagiaire"]}},"phone_number":{"formats":["01########","02########","03########","04########","05########","09########","+33 1########","+33 2########","+33 3########","+33 4########","+33 5########","+33 9########","01 ## ## ## ##","02 ## ## ## ##","03 ## ## ## ##","04 ## ## ## ##","05 ## ## ## ##","09 ## ## ## ##","+33 1 ## ## ## ##","+33 2 ## ## ## ##","+33 3 ## ## ## ##","+33 4 ## ## ## ##","+33 5 ## ## ## ##","+33 9 ## ## ## ##"]},"pokemon":{"locations":["Arabelle","Roche-sur-Gliffe","Flusselles","Rotombourg","Quarellis","Pavonnay","Ecorcia","Ville noire","Ebenelle","Fort-Vanitas","Joliberge","Volucité","Celadopole","Célestia","Azuria","Ville-Griotte","Irisia","Cramois'Île","Port Tempères","Mozheim","Relifac-le-Haut","La Frescale","Myokara","Port Yoneuve","Rosalia","Vestigion","Eternara","Autéquia","Zone de Combat","Île 5","Floraville","Amaillide","Cimetronelle","Île 4","Atrium Combat","Parmanie","Cromlac'h","Doublonville","Unionpolis","Papeloa","Flocombe","Féli-Cité","Batisques","Entrelasque","Vermilava","Lavanville","Romant-sous-Bois","Arpentières","Bourg-en-Vol","Nénucrique","Illumis","Acajou","Lavandia","Parsemille","Algatia","Maillard","Bourg Geon","Méanville","Renouet","Rosyères","Oliville","Île 1","Janusia","Charbourg","Pacifiville","Bourg Palette","Verchamps","Clémenti-Ville","Argenta","Aire de Détente","Mérouville","Portail Safari","Safrania","Littorella","Neuvartault","Ogoesse","Île 7","Yantreizh","Île 6","Poivressel","Auffrac-les-Congères","Frimapic","Bonville","Atalanopolis","Rivamar","Aire de Survie","Île 3","Bonaugure","Île 2","Vaguelone","Bourg Croquis","Voilaroc","Vergazon","Carmin sur Mer","Mauville","Ondes-sur-Mer","Jadielle","Forêt Blanche"],"moves":["Vol-Vie","Acide","Acidarmure","Hâte","Amnésie","Onde Boréale","Pilonnage","Bouclier","Patience","Etreinte","Morsure","Blizzard","Plaquage","Massd'Os","Osmerang","Ecume","Bulles d'O","Claquoir","Poing Comète","Onde Folie","Choc Mental","Constriction","Conversion","Riposte","Pince-Masse","Coupe","Boul'Armure","Tunnel","Entrave","Uppercut","Double-Pied","Torgnoles","Reflet","Damoclès","Draco-Rage","Dévorêve","Bec Vrille","Séisme","Bomb'Oeuf","Flammèche","Explosion","Déflagration","Poing de Feu","Danse Flamme","Abîme","Lance-Flamme","Flash","Vol","Puissance","Furie","Combo-Griffe","Regard Médusant","Rugissement","Croissance","Guillotine","Tornade","Armure","Buée Noire","Coup d'Boule","Pied Voltige","Koud'Korne","Empal'Korne","Hydrocanon","Ultralaser","Croc de Mort","Hypnose","Laser Glace","Poing-Glace","Pied Sauté","Poing Karaté","Télékinésie","Vampirisme","Vampigraine","Groz'Yeux","Léchouille","Mur Lumière","Grobisou","Balayage","Yoga","Méga-Sangsue","Ultimawashi","Ultimapoing","Métronome","Copie","Lilliput","Mimique","Brume","Ombre Nocturne","Jackpot","Picpic","Danse-Fleur","Dard-Nuée","Gaz Toxik","Poudre Poison","Dard-Venin","Ecras'Face","Rafale Psy","Psyko","Vague Psy","Vive-Attaque","Frénésie","Tranch'Herbe","Coupe-Vent","Soin","Protection","Repos","Hurlement","Eboulement","Jet-Pierres","Mawashi Geri","Jet de Sable","Griffe","Grincement","Amplitude","Destruction","Affûtage","Berceuse","Coud'Krâne","Piqué","Souplesse","Tranche","Poudre Dodo","Détritus","Purédpois","Brouillard","E-Coque","Lance-Soleil","Sonicboom","Picanon","Trempette","Spore","Ecrasement","Force","Sécrétion","Lutte","Para-Spore","Sacrifice","Clonage","Croc Fatal","Ultrason","Surf","Météores","Danse-Lames","Charge","Mimi-Queue","Bélier","Téléport","Mania","Fatal-Foudre","Poing-Eclair","Eclair","Cage-Eclair","Tonnerre","Toxic","Morphing","Triplattaque","Double-Dard","Force Poigne","Fouet Liane","Pistolet à O","Cascade","Cyclone","Cru-Aile","Repli","Ligotage"],"names":["Bulbizarre","Herbizarre","Florizarre","Salamèche","Reptincel","Dracaufeu","Carapuce","Carabaffe","Tortank","Chenipan","Chrysacier","Papilusion","Aspicot","Coconfort","Dardargnan","Roucool","Roucoups","Roucarnage","Rattata","Rattatac","Piafabec","Rapasdepic","Abo","Arbok","Pikachu","Raichu","Sabelette","Sablaireau","Nidoran","Nidorina","Nidoqueen","Nidoran","Nidorino","Nidoking","Mélofée","Mélodelfe","Goupix","Feunard","Rondoudou","Grodoudou","Nosférapti","Nosféralto","Mystherbe","Ortide","Rafflésia","Paras","Parasect","Mimitoss","Aéromite","Taupiqueur","Triopikeur","Miaouss","Persian","Psykokwak","Akwakwak","Férosinge","Colossinge","Canidos","Arcanin","Ptitard","Tétarte","Tartard","Abra","Kadabra","Alakazam","Machoc","Machopeur","Mackogneur","Chétiflor","Boustiflor","Empiflor","Tentacool","Tentacruel","Racaillou","Gravalanche","Grolem","Ponyta","Galopa","Ramoloss","Flagadoss","Magnéti","Magnéton","Canarticho","Doduo","Dodrio","Otaria","Lamantine","Tadmorv","Grotadmorv","Kokyas","Crustabri","Fantominus","Spectrum","Ectoplasma","Onix","Soporifik","Hypnomade","Krabby","Kraboss","Voltorb","Electrode","Noeunoeuf","Noadkoko","Osselait","Ossatueur","Kicklee","Tygnon","Excelangue","Smogo","Smogogo","Rhinocorne","Rhinoféros","Leveinard","Saquedeneu","Kangourex","Hypotrempe","Hypocéan","Poissirène","Poissoroy","Stari","Staross","Mr. Mime","Insécateur","Lippoutou","Elektek","Magmar","Scarabrute","Tauros","Magicarpe","Léviator","Lokhlass","Métamorph","Evoli","Aquali","Voltali","Pyroli","Porygon","Amonita","Amonistar","Kabuto","Kabutops","Ptéra","Ronflex","Artikodin","Electhor","Sulfura","Minidraco","Draco","Dracolosse","Mewtwo","Mew"]}}}); -I18n.translations["nep"] = I18n.extend((I18n.translations["nep"] || {}), {"faker":{"address":{"city":["Bhaktapur","Biratnagar","Birendranagar","Birgunj","Butwal","Damak","Dharan","Gaur","Gorkha","Hetauda","Itahari","Janakpur","Kathmandu","Lahan","Nepalgunj","Pokhara"],"default_country":["Nepal"],"default_country_code":["NP"],"default_time_zone":["Asia/Kathmandu"],"postcode":["#####"],"state":["Baglung","Banke","Bara","Bardiya","Bhaktapur","Bhojupu","Chitwan","Dailekh","Dang","Dhading","Dhankuta","Dhanusa","Dolakha","Dolpha","Gorkha","Gulmi","Humla","Ilam","Jajarkot","Jhapa","Jumla","Kabhrepalanchok","Kalikot","Kapilvastu","Kaski","Kathmandu","Lalitpur","Lamjung","Manang","Mohottari","Morang","Mugu","Mustang","Myagdi","Nawalparasi","Nuwakot","Palpa","Parbat","Parsa","Ramechhap","Rauswa","Rautahat","Rolpa","Rupandehi","Sankhuwasabha","Sarlahi","Sindhuli","Sindhupalchok","Sunsari","Surket","Syangja","Tanahu","Terhathum"]},"company":{"suffix":["Pvt Ltd","Group","Ltd","Limited"]},"internet":{"domain_suffix":["np","com","info","net","org"],"free_email":["worldlink.com.np","gmail.com","yahoo.com","hotmail.com"]},"name":{"female_first_name":["Gita","Sita","Sarita","Kalpana","Neha","Griahma","Sujata"],"first_name":["Aarav","Ajita","Amit","Amita","Amrit","Arijit","Ashmi","Asmita","Bibek","Bijay","Bikash","Bina","Bishal","Bishnu","Buddha","Deepika","Dipendra","Gagan","Ganesh","Khem","Krishna","Laxmi","Manisha","Nabin","Nikita","Niraj","Nischal","Padam","Pooja","Prabin","Prakash","Prashant","Prem","Purna","Rajendra","Rajina","Raju","Rakesh","Ranjan","Ratna","Sagar","Sandeep","Sanjay","Santosh","Sarita","Shilpa","Shirisha","Shristi","Siddhartha","Subash","Sumeet","Sunita","Suraj","Susan","Sushant"],"last_name":["Adhikari","Aryal","Baral","Basnet","Bastola","Basynat","Bhandari","Bhattarai","Chettri","Devkota","Dhakal","Dongol","Ghale","Gurung","Gyawali","Hamal","Jung","KC","Kafle","Karki","Khadka","Koirala","Lama","Limbu","Magar","Maharjan","Niroula","Pandey","Pradhan","Rana","Raut","Sai","Shai","Shakya","Sherpa","Shrestha","Subedi","Tamang","Thapa"],"male_first_name":["Kamal","Gopal","Hari","Himal","Baburam","Prachanda","Ganesh"],"middle_name":["Bahadur","Prasad","Lal"],"name":["#{male_first_name} #{last_name}","#{male_first_name} #{middle_name} #{last_name}","#{female_first_name} #{last_name}","#{first_name} #{last_name}"]},"phone_number":{"formats":["##-#######","+977-#-#######","+977########"]}}}); -I18n.translations["fa"] = I18n.extend((I18n.translations["fa"] || {}), {"faker":{"name":{"first_name":["آبان دخت","آبتین","آتوسا","آفر","آفره دخت","آذرنوش‌","آذین","آراه","آرزو","آرش","آرتین","آرتام","آرتمن","آرشام","آرمان","آرمین","آرمیتا","آریا فر","آریا","آریا مهر","آرین","آزاده","آزرم","آزرمدخت","آزیتا","آناهیتا","آونگ","آهو","آیدا","اتسز","اختر","ارد","ارد شیر","اردوان","ارژن","ارژنگ","ارسلان","ارغوان","ارمغان","ارنواز","اروانه","استر","اسفندیار","اشکان","اشکبوس","افسانه","افسون","افشین","امید","انوش (‌ آنوشا )","انوشروان","اورنگ","اوژن","اوستا","اهورا","ایاز","ایران","ایراندخت","ایرج","ایزدیار","بابک","باپوک","باربد","بارمان","بامداد","بامشاد","بانو","بختیار","برانوش","بردیا","برزو","برزویه","برزین","برمک","بزرگمهر","بنفشه","بوژان","بویان","بهار","بهارک","بهاره","بهتاش","بهداد","بهرام","بهدیس","بهرخ","بهرنگ","بهروز","بهزاد","بهشاد","بهمن","بهناز","بهنام","بهنود","بهنوش","بیتا","بیژن","پارسا","پاکان","پاکتن","پاکدخت","پانته آ","پدرام","پرتو","پرشنگ","پرتو","پرستو","پرویز","پردیس","پرهام","پژمان","پژوا","پرنیا","پشنگ","پروانه","پروین","پری","پریچهر","پریدخت","پریسا","پرناز","پریوش","پریا","پوپک","پوران","پوراندخت","پوریا","پولاد","پویا","پونه","پیام","پیروز","پیمان","تابان","تاباندخت","تاجی","تارا","تاویار","ترانه","تناز","توران","توراندخت","تورج","تورتک","توفان","توژال","تیر داد","تینا","تینو","جابان","جامین","جاوید","جریره","جمشید","جوان","جویا","جهان","جهانبخت","جهانبخش","جهاندار","جهانگیر","جهان بانو","جهاندخت","جهان ناز","جیران","چابک","چالاک","چاوش","چترا","چوبین","چهرزاد","خاوردخت","خداداد","خدایار","خرم","خرمدخت","خسرو","خشایار","خورشید","دادمهر","دارا","داراب","داریا","داریوش","دانوش","داور‌","دایان","دریا","دل آرا","دل آویز","دلارام","دل انگیز","دلبر","دلبند","دلربا","دلشاد","دلکش","دلناز","دلنواز","دورشاسب","دنیا","دیااکو","دیانوش","دیبا","دیبا دخت","رابو","رابین","رادبانو","رادمان","رازبان","راژانه","راسا","رامتین","رامش","رامشگر","رامونا","رامیار","رامیلا","رامین","راویار","رژینا","رخپاک","رخسار","رخشانه","رخشنده","رزمیار","رستم","رکسانا","روبینا","رودابه","روزبه","روشنک","روناک","رهام","رهی","ریبار","راسپینا","زادبخت","زاد به","زاد چهر","زاد فر","زال","زادماسب","زاوا","زردشت","زرنگار","زری","زرین","زرینه","زمانه","زونا","زیبا","زیبار","زیما","زینو","ژاله","ژالان","ژیار","ژینا","ژیوار","سارا","سارک","سارنگ","ساره","ساسان","ساغر","سام","سامان","سانا","ساناز","سانیار","ساویز","ساهی","ساینا","سایه","سپنتا","سپند","سپهر","سپهرداد","سپیدار","سپید بانو","سپیده","ستاره","ستی","سرافراز","سرور","سروش","سرور","سوبا","سوبار","سنبله","سودابه","سوری","سورن","سورنا","سوزان","سوزه","سوسن","سومار","سولان","سولماز","سوگند","سهراب","سهره","سهند","سیامک","سیاوش","سیبوبه ‌","سیما","سیمدخت","سینا","سیمین","سیمین دخت","شاپرک","شادی","شادمهر","شاران","شاهپور","شاهدخت","شاهرخ","شاهین","شاهیندخت","شایسته","شباهنگ","شب بو","شبدیز","شبنم","شراره","شرمین","شروین","شکوفه","شکفته","شمشاد","شمین","شوان","شمیلا","شورانگیز","شوری","شهاب","شهبار","شهباز","شهبال","شهپر","شهداد","شهرآرا","شهرام","شهربانو","شهرزاد","شهرناز","شهرنوش","شهره","شهریار","شهرزاد","شهلا","شهنواز","شهین","شیبا","شیدا","شیده","شیردل","شیرزاد","شیرنگ","شیرو","شیرین دخت","شیما","شینا","شیرین","شیوا","طوس","طوطی","طهماسب","طهمورث","غوغا","غنچه","فتانه","فدا","فراز","فرامرز","فرانک","فراهان","فربد","فربغ","فرجاد","فرخ","فرخ پی","فرخ داد","فرخ رو","فرخ زاد","فرخ لقا","فرخ مهر","فرداد","فردیس","فرین","فرزاد","فرزام","فرزان","فرزانه","فرزین","فرشاد","فرشته","فرشید","فرمان","فرناز","فرنگیس","فرنود","فرنوش","فرنیا","فروتن","فرود","فروز","فروزان","فروزش","فروزنده","فروغ","فرهاد","فرهنگ","فرهود","فربار","فریبا","فرید","فریدخت","فریدون","فریمان","فریناز","فرینوش","فریوش","فیروز","فیروزه","قابوس","قباد","قدسی","کابان","کابوک","کارا","کارو","کاراکو","کامبخت","کامبخش","کامبیز","کامجو","کامدین","کامران","کامراوا","کامک","کامنوش","کامیار","کانیار","کاووس","کاوه","کتایون","کرشمه","کسری","کلاله","کمبوجیه","کوشا","کهبد","کهرام","کهزاد","کیارش","کیان","کیانا","کیانچهر","کیاندخت","کیانوش","کیاوش","کیخسرو","کیقباد","کیکاووس","کیوان","کیوان دخت","کیومرث","کیهان","کیاندخت","کیهانه","گرد آفرید","گردان","گرشا","گرشاسب","گرشین","گرگین","گزل","گشتاسب","گشسب","گشسب بانو","گل","گل آذین","گل آرا‌","گلاره","گل افروز","گلاله","گل اندام","گلاویز","گلباد","گلبار","گلبام","گلبان","گلبانو","گلبرگ","گلبو","گلبهار","گلبیز","گلپاره","گلپر","گلپری","گلپوش","گل پونه","گلچین","گلدخت","گلدیس","گلربا","گلرخ","گلرنگ","گلرو","گلشن","گلریز","گلزاد","گلزار","گلسا","گلشید","گلنار","گلناز","گلنسا","گلنواز","گلنوش","گلی","گودرز","گوماتو","گهر چهر","گوهر ناز","گیتی","گیسو","گیلدا","گیو","لادن","لاله","لاله رخ","لاله دخت","لبخند","لقاء","لومانا","لهراسب","مارال","ماری","مازیار","ماکان","مامک","مانا","ماندانا","مانوش","مانی","مانیا","ماهان","ماهاندخت","ماه برزین","ماه جهان","ماهچهر","ماهدخت","ماهور","ماهرخ","ماهزاد","مردآویز","مرداس","مرزبان","مرمر","مزدک","مژده","مژگان","مستان","مستانه","مشکاندخت","مشکناز","مشکین دخت","منیژه","منوچهر","مهبانو","مهبد","مه داد","مهتاب","مهدیس","مه جبین","مه دخت","مهر آذر","مهر آرا","مهر آسا","مهر آفاق","مهر افرین","مهرآب","مهرداد","مهر افزون","مهرام","مهران","مهراندخت","مهراندیش","مهرانفر","مهرانگیز","مهرداد","مهر دخت","مهرزاده ‌","مهرناز","مهرنوش","مهرنکار","مهرنیا","مهروز","مهری","مهریار","مهسا","مهستی","مه سیما","مهشاد","مهشید","مهنام","مهناز","مهنوش","مهوش","مهیار","مهین","مهین دخت","میترا","میخک","مینا","مینا دخت","مینو","مینودخت","مینو فر","نادر","ناز آفرین","نازبانو","نازپرور","نازچهر","نازفر","نازلی","نازی","نازیدخت","نامور","ناهید","ندا","نرسی","نرگس","نرمک","نرمین","نریمان","نسترن","نسرین","نسرین دخت","نسرین نوش","نکیسا","نگار","نگاره","نگارین","نگین","نوا","نوش","نوش آذر","نوش آور","نوشا","نوش آفرین","نوشدخت","نوشروان","نوشفر","نوشناز","نوشین","نوید","نوین","نوین دخت","نیش ا","نیک بین","نیک پی","نیک چهر","نیک خواه","نیکداد","نیکدخت","نیکدل","نیکزاد","نیلوفر","نیما","وامق","ورجاوند","وریا","وشمگیر","وهرز","وهسودان","ویدا","ویس","ویشتاسب","ویگن","هژیر","هخامنش","هربد( هیربد )","هرمز","همایون","هما","همادخت","همدم","همراز","همراه","هنگامه","هوتن","هور","هورتاش","هورچهر","هورداد","هوردخت","هورزاد","هورمند","هوروش","هوشنگ","هوشیار","هومان","هومن","هونام","هویدا","هیتاسب","هیرمند","هیما","هیوا","یادگار","یاسمن ( یاسمین )","یاشار","یاور","یزدان","یگانه","یوشیتا"],"last_name":["عارف","عاشوری","عالی","عبادی","عبدالکریمی","عبدالملکی","عراقی","عزیزی","عصار","عقیلی","علم","علم‌الهدی","علی عسگری","علی‌آبادی","علیا","علی‌پور","علی‌زمانی","عنایت","غضنفری","غنی","فارسی","فاطمی","فانی","فتاحی","فرامرزی","فرج","فرشیدورد","فرمانفرمائیان","فروتن","فرهنگ","فریاد","فنایی","فنی‌زاده","فولادوند","فهمیده","قاضی","قانعی","قانونی","قمیشی","قنبری","قهرمان","قهرمانی","قهرمانیان","قهستانی","کاشی","کاکاوند","کامکار","کاملی","کاویانی","کدیور","کردبچه","کرمانی","کریمی","کلباسی","کمالی","کوشکی","کهنمویی","کیان","کیانی (نام خانوادگی)","کیمیایی","گل محمدی","گلپایگانی","گنجی","لاجوردی","لاچینی","لاهوتی","لنکرانی","لوکس","مجاهد","مجتبایی","مجتبوی","مجتهد شبستری","مجتهدی","مجرد","محجوب","محجوبی","محدثی","محمدرضایی","محمدی","مددی","مرادخانی","مرتضوی","مستوفی","مشا","مصاحب","مصباح","مصباح‌زاده","مطهری","مظفر","معارف","معروف","معین","مفتاح","مفتح","مقدم","ملایری","ملک","ملکیان","منوچهری","موحد","موسوی","موسویان","مهاجرانی","مهدی‌پور","میرباقری","میردامادی","میرزاده","میرسپاسی","میزبانی","ناظری","نامور","نجفی","ندوشن","نراقی","نعمت‌زاده","نقدی","نقیب‌زاده","نواب","نوبخت","نوبختی","نهاوندی","نیشابوری","نیلوفری","واثقی","واعظ","واعظ‌زاده","واعظی","وکیلی","هاشمی","هاشمی رفسنجانی","هاشمیان","هامون","هدایت","هراتی","هروی","همایون","همت","همدانی","هوشیار","هومن","یاحقی","یادگار","یثربی","یلدا"],"prefix":["آقای","خانم","دکتر"]}}}); -I18n.translations["zh-TW"] = I18n.extend((I18n.translations["zh-TW"] || {}), {"faker":{"address":{"building_number":["###","##","#"],"city":["#{city_prefix}#{city_suffix}"],"city_prefix":["新","竹","竹","新","關","峨","寶","北","橫","芎","湖","新","尖","五","苗","苗","通","苑","竹","頭","後","卓","西","頭","公","銅","三","造","三","南","大","獅","泰","彰","彰","員","和","鹿","溪","二","田","北","花","芬","大","永","伸","線","福","秀","埔","埔","大","芳","竹","社","二","田","埤","溪","南","南","埔","草","竹","集","名","鹿","中","魚","國","水","信","仁","雲","斗","斗","虎","西","土","北","莿","林","古","大","崙","二","麥","臺","東","褒","四","口","水","元","嘉","太","朴","布","大","民","溪","新","六","東","義","鹿","水","中","竹","梅","番","大","阿","屏","屏","潮","東","恆","萬","長","麟","九","里","鹽","高","萬","內","竹","新","枋","新","崁","林","南","佳","琉","車","滿","枋","霧","瑪","泰","來","春","獅","牡","三","宜","宜","羅","蘇","頭","礁","壯","員","冬","五","三","大","南","花","花","鳳","玉","新","吉","壽","秀","光","豐","瑞","萬","富","卓","臺","臺","成","關","長","海","池","東","鹿","延","卑","金","大","達","綠","蘭","太","澎","馬","湖","白","西","望","七","金","金","金","金","金","烈","烏","連","南","北","莒","東"],"city_suffix":["竹縣","北市","東鎮","埔鎮","西鎮","眉鄉","山鄉","埔鄉","山鄉","林鄉","口鄉","豐鄉","石鄉","峰鄉","栗縣","栗市","霄鎮","裡鎮","南鎮","份鎮","龍鎮","蘭鎮","湖鄉","屋鄉","館鄉","鑼鄉","義鄉","橋鄉","灣鄉","庄鄉","湖鄉","潭鄉","安鄉","化縣","化市","林鎮","美鎮","港鎮","湖鎮","林鎮","中鎮","斗鎮","壇鄉","園鄉","村鄉","靖鄉","港鄉","西鄉","興鄉","水鄉","心鄉","鹽鄉","城鄉","苑鄉","塘鄉","頭鄉","水鄉","尾鄉","頭鄉","州鄉","投縣","投市","里鎮","屯鎮","山鎮","集鎮","間鄉","谷鄉","寮鄉","池鄉","姓鄉","里鄉","義鄉","愛鄉","林縣","六市","南鎮","尾鎮","螺鎮","庫鎮","港鎮","桐鄉","內鄉","坑鄉","埤鄉","背鄉","崙鄉","寮鄉","西鄉","勢鄉","忠鄉","湖鄉","湖鄉","林鄉","長鄉","義縣","保市","子市","袋鎮","林鎮","雄鄉","口鄉","港鄉","腳鄉","石鄉","竹鄉","草鄉","上鄉","埔鄉","崎鄉","山鄉","路鄉","埔鄉","里山鄉","東縣","東市","州鎮","港鎮","春鎮","丹鄉","治鄉","洛鄉","如鄉","港鄉","埔鄉","樹鄉","巒鄉","埔鄉","田鄉","埤鄉","寮鄉","園鄉","頂鄉","邊鄉","州鄉","冬鄉","球鄉","城鄉","州鄉","山鄉","台鄉","家鄉","武鄉","義鄉","日鄉","子鄉","丹鄉","地門鄉","蘭縣","蘭市","東鎮","澳鎮","城鎮","溪鄉","圍鄉","山鄉","山鄉","結鄉","星鄉","同鄉","澳鄉","蓮縣","蓮市","林鎮","里鎮","城鄉","安鄉","豐鄉","林鄉","復鄉","濱鄉","穗鄉","榮鄉","里鄉","溪鄉","東縣","東市","功鎮","山鎮","濱鄉","端鄉","上鄉","河鄉","野鄉","平鄉","南鄉","峰鄉","武鄉","仁鄉","島鄉","嶼鄉","麻里鄉","湖縣","公市","西鄉","沙鄉","嶼鄉","安鄉","美鄉","門縣","城鎮","湖鎮","沙鎮","寧鄉","嶼鄉","坵鄉","江縣","竿鄉","竿鄉","光鄉","引鄉"],"default_country":["台灣"],"postcode":["#####"],"state":["臺北市","新北市","桃園市","臺中市","臺南市","高雄市","基隆市","新竹市","嘉義市","新竹縣","竹北市","苗栗縣","苗栗市","彰化縣","彰化市","南投縣","南投市","雲林縣","斗六市","嘉義縣","太保市","屏東縣","屏東市","宜蘭縣","宜蘭市","臺東縣","臺東市","澎湖縣","金門縣","連江縣"],"state_abbr":["北","桃","竹","苗","中","彰","雲","嘉","南","高","屏","東","花","宜","基"],"street_address":["#{street_name} #{building_number} 號"],"street_name":["#{Name.last_name}#{street_suffix}"],"street_suffix":["大道","路","街","巷","弄","衖"]},"name":{"first_name":["怡君","欣怡","雅雯","心怡","志豪","雅婷","雅惠","家豪","雅玲","靜怡","志偉","俊宏","建宏","佩君","怡婷","淑芬","靜宜","俊傑","怡如","家銘","佳玲","慧君","怡伶","雅芳","宗翰","志宏","淑娟","信宏","志強","淑婷","佩珊","佳慧","佳蓉","佳穎","淑惠","智偉","欣儀","嘉玲","雅慧","惠雯","玉婷","惠如","惠君","宜芳","惠婷","淑華","志明","雅芬","家榮","俊賢","俊豪","慧玲","嘉宏","佩芬","佳樺","雅琪","淑萍","淑君","婉婷","佳琪","韻如","詩婷","建良","芳儀","宜君","佩蓉","志銘","雅鈴","建文","佩玲","鈺婷","雅萍","立偉","文傑","慧如","淑慧","佳宏","志遠","靜儀","惠玲","淑玲","美君","怡慧","千慧","馨儀","嘉慧","家瑋","美慧","美玲","建志","宗憲","筱婷","靜雯","雅君","彥廷","怡靜","玉玲","郁婷","俊男"],"last_name":["趙","錢","孫","李","周","吳","鄭","王","馮","陳","褚","衛","蔣","沈","韓","楊","朱","秦","尤","許","何","呂","施","張","孔","曹","嚴","華","金","魏","陶","薑","戚","謝","鄒","喻","柏","水","竇","章","雲","蘇","潘","葛","奚","範","彭","郎","魯","韋","昌","馬","苗","鳳","花","方","俞","任","袁","柳","酆","鮑","史","唐","費","廉","岑","薛","雷","賀","倪","湯","滕","殷","羅","畢","郝","鄔","安","常","樂","於","時","傅","皮","卞","齊","康","伍","餘","元","蔔","顧","孟","平","黃","和","穆","蕭","尹","姚","邵","湛","汪","祁","毛","禹","狄","米","貝","明","臧","計","伏","成","戴","談","宋","茅","龐","熊","紀","舒","屈","項","祝","董","梁","杜","阮","藍","閔","席","季","麻","強","賈","路","婁","危","江","童","顏","郭","梅","盛","林","刁","鍾","徐","邱","駱","高","夏","蔡","田","樊","胡","淩","霍","虞","萬","支","柯","昝","管","盧","莫","柯","房","裘","繆","幹","解","應","宗","丁","宣","賁","鄧","鬱","單","杭","洪","包","諸","左","石","崔","吉","鈕","龔","程","嵇","邢","滑","裴","陸","榮","翁","荀","羊","于","惠","甄","曲","家","封","芮","羿","儲","靳","汲","邴","糜","松","井","段","富","巫","烏","焦","巴","弓","牧","隗","山","穀","車","侯","宓","蓬","全","郗","班","仰","秋","仲","伊","宮","甯","仇","欒","暴","甘","鈄","曆","戎","祖","武","符","劉","景","詹","束","龍","葉","幸","司","韶","郜","黎","薊","溥","印","宿","白","懷","蒲","邰","從","鄂","索","鹹","籍","賴","卓","藺","屠","蒙","池","喬","陽","鬱","胥","能","蒼","雙","聞","莘","党","翟","譚","貢","勞","逄","姬","申","扶","堵","冉","宰","酈","雍","卻","璩","桑","桂","濮","牛","壽","通","邊","扈","燕","冀","浦","尚","農","溫","別","莊","晏","柴","瞿","閻","充","慕","連","茹","習","宦","艾","魚","容","向","古","易","慎","戈","廖","庾","終","暨","居","衡","步","都","耿","滿","弘","匡","國","文","寇","廣","祿","闕","東","歐","殳","沃","利","蔚","越","夔","隆","師","鞏","厙","聶","晁","勾","敖","融","冷","訾","辛","闞","那","簡","饒","空","曾","毋","沙","乜","養","鞠","須","豐","巢","關","蒯","相","查","後","荊","紅","遊","竺","權","逮","盍","益","桓","公","萬俟","司馬","上官","歐陽","夏侯","諸葛","聞人","東方","赫連","皇甫","尉遲","公羊","澹台","公冶","宗政","濮陽","淳于","單於","太叔","申屠","公孫","仲孫","軒轅","令狐","徐離","宇文","長孫","慕容","司徒","司空"],"name":["#{last_name}#{first_name}"]},"phone_number":{"formats":["###-########","####-########","###########"]}}}); -I18n.translations["pt"] = I18n.extend((I18n.translations["pt"] || {}), {"faker":{"address":{"building_number":["#####","####","###"],"city":["#{city_name}"],"city_name":["Abrantes","Agualva-Cacém","Águeda","Albergaria-a-Velha","Albufeira","Alcácer do Sal","Alcobaça","Alfena","Almada","Almeirim","Alverca do Ribatejo","Amadora","Amarante","Amora","Anadia","Angra do Heroísmo","Aveiro","Barcelos","Barreiro","Beja","Borba","Braga","Bragança","Caldas da Rainha","Câmara de Lobos","Caniço","Cantanhede","Cartaxo","Castelo Branco","Chaves","Coimbra","Costa da Caparica","Covilhã","Elvas","Entroncamento","Ermesinde","Esmoriz","Espinho","Esposende","Estarreja","Estremoz","Évora","Fafe","Faro","Fátima","Felgueiras","Figueira da Foz","Fiães","Freamunde","Funchal","Fundão","Gafanha da Nazaré","Gandra","Gondomar","Gouveia","Guarda","Guimarães","Horta","Ílhavo","Lagoa","Lagoa","Lagos","Lamego","Leiria","Lisboa","Lixa","Loulé","Loures","Lourosa","Macedo de Cavaleiros","Machico","Maia","Mangualde","Marco de Canaveses","Marinha Grande","Matosinhos","Mealhada","Mêda","Miranda do Douro / Miranda de l Douro","Mirandela","Montemor-o-Novo","Montijo","Moura","Odivelas","Olhão da Restauração","Oliveira de Azeméis","Oliveira do Bairro","Oliveira do Hospital","Ourém","Ovar","Paços de Ferreira","Paredes","Penafiel","Peniche","Peso da Régua","Pinhel","Pombal","Ponta Delgada","Ponte de Sor","Portalegre","Portimão","Porto","Póvoa de Santa Iria","Póvoa de Varzim","Praia da Vitória","Quarteira","Queluz","Rebordosa","Reguengos de Monsaraz","Ribeira Grande","Rio Maior","Rio Tinto","Sabugal","Sacavém","Samora Correia","Santa Comba Dão","Santa Cruz","Santa Maria da Feira","Santana","Santarém","Santiago do Cacém","Santo Tirso","São João da Madeira","São Mamede de Infesta","São Pedro do Sul","Lordelo","Seia","Seixal","Senhora da Hora","Serpa","Setúbal","Silves","Sines","Tarouca","Tavira","Tomar","Tondela","Torres Novas","Torres Vedras","Trancoso","Trofa","Valbom","Vale de Cambra","Valença","Valongo","Valpaços","Vendas Novas","Viana do Castelo","Vila Baleira","Vila do Conde","Vila Franca de Xira","Vila Nova de Famalicão","Vila Nova de Foz Côa","Vila Nova de Gaia","Vila Nova de Santo André","Vila Real","Vila Real de Santo António","Viseu","Vizela"],"city_prefix":"","city_suffix":"","country":["Afeganistão","Albânia","Algéria","Samoa","Andorra","Angola","Anguilla","Antigua and Barbada","Argentina","Armênia","Aruba","Austrália","Áustria","Alzerbajão","Bahamas","Barém","Bangladesh","Barbado","Belgrado","Bélgica","Belize","Benin","Bermuda","Bhutan","Bolívia","Bôsnia","Botuasuna","Bouvetoia","Brasil","Arquipélago de Chagos","Ilhas Virgens","Brunei","Bulgária","Burkina Faso","Burundi","Cambójia","Camarões","Canadá","Cabo Verde","Ilhas Caiman","República da África Central","Chad","Chile","China","Ilhas Natal","Ilhas Cocos","Colômbia","Comoros","Congo","Ilhas Cook","Costa Rica","Costa do Marfim","Croácia","Cuba","Cyprus","República Tcheca","Dinamarca","Djibouti","Dominica","República Dominicana","Equador","Egito","El Salvador","Guiné Equatorial","Eritrea","Estônia","Etiópia","Ilhas Faroe","Malvinas","Fiji","Finlândia","França","Guiné Francesa","Polinésia Francesa","Gabão","Gâmbia","Georgia","Alemanha","Gana","Gibraltar","Grécia","Groelândia","Granada","Guadalupe","Guano","Guatemala","Guernsey","Guiné","Guiné-Bissau","Guiana","Haiti","Heard Island and McDonald Islands","Vaticano","Honduras","Hong Kong","Hungria","Iceland","Índia","Indonésia","Irã","Iraque","Irlanda","Ilha de Man","Israel","Itália","Jamaica","Japão","Jersey","Jordânia","Cazaquistão","Quênia","Kiribati","Coreia do Norte","Coreia do Sul","Kuwait","Kyrgyz Republic","República Democrática de Lao People","Latvia","Líbano","Lesotho","Libéria","Libyan Arab Jamahiriya","Liechtenstein","Lituânia","Luxemburgo","Macao","Macedônia","Madagascar","Malawi","Malásia","Maldives","Mali","Malta","Ilhas Marshall","Martinica","Mauritânia","Mauritius","Mayotte","México","Micronésia","Moldova","Mônaco","Mongólia","Montenegro","Montserrat","Marrocos","Moçambique","Myanmar","Namibia","Nauru","Nepal","Antilhas Holandesas","Holanda","Nova Caledonia","Nova Zelândia","Nicarágua","Nigéria","Niue","Ilha Norfolk","Northern Mariana Islands","Noruega","Oman","Paquistão","Palau","Território da Palestina","Panamá","Nova Guiné Papua","Paraguai","Peru","Filipinas","Polônia","Portugal","Puerto Rico","Qatar","Romênia","Rússia","Ruanda","São Bartolomeu","Santa Helena","Santa Lúcia","Saint Martin","Saint Pierre and Miquelon","Saint Vincent and the Grenadines","Samoa","San Marino","Sao Tomé e Príncipe","Arábia Saudita","Senegal","Sérvia","Seychelles","Serra Leoa","Singapura","Eslováquia","Eslovênia","Ilhas Salomão","Somália","África do Sul","South Georgia and the South Sandwich Islands","Spanha","Sri Lanka","Sudão","Suriname","Svalbard \u0026 Jan Mayen Islands","Swaziland","Suécia","Suíça","Síria","Taiwan","Tajiquistão","Tanzânia","Tailândia","Timor-Leste","Togo","Tokelau","Tonga","Trinidá e Tobago","Tunísia","Turquia","Turcomenistão","Turks and Caicos Islands","Tuvalu","Uganda","Ucrânia","Emirados Árabes Unidos","Reino Unido","Estados Unidos da América","Estados Unidos das Ilhas Virgens","Uruguai","Uzbequistão","Vanuatu","Venezuela","Vietnã","Wallis and Futuna","Sahara","Yemen","Zâmbia","Zimbábue"],"default_country":["Portugal"],"postcode":["####"],"secondary_address":["Apto. ###","Sobrado ##","Casa #","Lote ##","Quadra ##"],"state":["Lisboa","Leiria","Santarém","Setúbal","Beja","Faro","Évora","Portalegre","Castelo Branco","Guarda","Coimbra","Aveiro","Viseu","Bragança","Vila Real","Porto","Braga","Viana do Castelo"],"street_suffix":["Rua","Avenida","Travessa","Ponté","Alameda","Marginal","Viela","Rodovia"]},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} e #{Name.last_name}"],"suffix":["S.A.","LTDA","e Associados","Comércio","EIRELI"]},"internet":{"domain_suffix":["pt","com","biz","info","net","org"],"free_email":["gmail.com","yahoo.com","hotmail.com","live.com","bol.com.br"]},"lorem":{"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"first_name":["Águeda","Amélia","Ângela","Alessandro","Alessandra","Alexandre","Aline","Antônio","Breno","Bruna","Carlos","Carla","Célia","Cecília","César","Danilo","Dalila","Deneval","Eduardo","Eduarda","Esther","Elísio","Fábio","Fabrício","Fabrícia","Félix","Felícia","Feliciano","Frederico","Fabiano","Gustavo","Guilherme","Gúbio","Heitor","Hélio","Hugo","Isabel","Isabela","Ígor","João","Joana","Júlio César","Júlio","Júlia","Janaína","Karla","Kléber","Lucas","Lorena","Lorraine","Larissa","Ladislau","Marcos","Meire","Marcelo","Marcela","Margarida","Mércia","Márcia","Marli","Morgana","Maria","Norberto","Natália","Nataniel","Núbia","Ofélia","Paulo","Paula","Pablo","Pedro","Raul","Rafael","Rafaela","Ricardo","Roberto","Roberta","Sílvia","Sílvia","Silas","Suélen","Sara","Salvador","Sirineu","Talita","Tertuliano","Vicente","Víctor","Vitória","Yango","Yago","Yuri","Washington","Warley"],"last_name":["Araújo","D'cruze","Estéves","Silva","Souza","Carvalho","Santos","Reis","Xavier","Franco","Braga","Macedo","Batista","Barros","Moraes","Costa","Pereira","Carvalho","Melo","Saraiva","Nogueira","Oliveira","Martins","Moreira","Albuquerque"],"prefix":["Sr.","Sra.","Srta.","Dr."],"suffix":["Jr.","Neto","Filho"]},"phone_number":{"formats":["(##) ###-####","+351 (##) ###-####","884 ###-###"]}}}); -I18n.translations["nb-NO"] = I18n.extend((I18n.translations["nb-NO"] || {}), {"faker":{"address":{"building_number":["#","##"],"city":["#{city_root}#{city_suffix}"],"city_root":["Fet","Gjes","Høy","Inn","Fager","Lille","Lo","Mal","Nord","Nær","Sand","Sme","Stav","Stor","Tand","Ut","Vest"],"city_suffix":["berg","borg","by","bø","dal","eid","fjell","fjord","foss","grunn","hamn","havn","helle","mark","nes","odden","sand","sjøen","stad","strand","strøm","sund","vik","vær","våg","ø","øy","ås"],"common_street_suffix":["sgate","svei","s Gate","s Vei","gata","veien"],"default_country":["Norge"],"postcode":["####","####","####","0###"],"secondary_address":["Leil. ###","Oppgang A","Oppgang B"],"state":["Østfold","Akershus","Oslo","Hedmark","Oppland","Buskerud","Vestfold","Telemark","Aust-Agder","Vest-Agder","Rogaland","Hordaland","Sogn og Fjordane","Møre og Romsdal","Sør-Trøndelag","Nord-Trøndelag","Nordland","Troms","Finnmark","Svalbard"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_root}#{street_suffix}","#{street_prefix} #{street_root}#{street_suffix}","#{Name.first_name}#{common_street_suffix}","#{Name.last_name}#{common_street_suffix}"],"street_prefix":["Øvre","Nedre","Søndre","Gamle","Østre","Vestre"],"street_root":["Eike","Bjørke","Gran","Vass","Furu","Litj","Lille","Høy","Fosse","Elve","Ku","Konvall","Soldugg","Hestemyr","Granitt","Hegge","Rogne","Fiol","Sol","Ting","Malm","Klokker","Preste","Dam","Geiterygg","Bekke","Berg","Kirke","Kors","Bru","Blåveis","Torg","Sjø"],"street_suffix":["alléen","bakken","berget","bråten","eggen","engen","ekra","faret","flata","gata","gjerdet","grenda","gropa","hagen","haugen","havna","holtet","høgda","jordet","kollen","kroken","lia","lunden","lyngen","løkka","marka","moen","myra","plassen","ringen","roa","røa","skogen","skrenten","spranget","stien","stranda","stubben","stykket","svingen","tjernet","toppen","tunet","vollen","vika","åsen"]},"cell_phone":{"formats":["########","## ## ## ##","### ## ###","+47 ## ## ## ##"]},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} og #{Name.last_name}"],"suffix":["Gruppen","AS","ASA","BA","RFH","og Sønner"]},"internet":{"domain_suffix":["no","com","net","org"]},"name":{"feminine_name":["Emma","Sara","Thea","Ida","Julie","Nora","Emilie","Ingrid","Hanna","Maria","Sofie","Anna","Malin","Amalie","Vilde","Frida","Andrea","Tuva","Victoria","Mia","Karoline","Mathilde","Martine","Linnea","Marte","Hedda","Marie","Helene","Silje","Leah","Maja","Elise","Oda","Kristine","Aurora","Kaja","Camilla","Mari","Maren","Mina","Selma","Jenny","Celine","Eline","Sunniva","Natalie","Tiril","Synne","Sandra","Madeleine"],"first_name":["Emma","Sara","Thea","Ida","Julie","Nora","Emilie","Ingrid","Hanna","Maria","Sofie","Anna","Malin","Amalie","Vilde","Frida","Andrea","Tuva","Victoria","Mia","Karoline","Mathilde","Martine","Linnea","Marte","Hedda","Marie","Helene","Silje","Leah","Maja","Elise","Oda","Kristine","Aurora","Kaja","Camilla","Mari","Maren","Mina","Selma","Jenny","Celine","Eline","Sunniva","Natalie","Tiril","Synne","Sandra","Madeleine","Markus","Mathias","Kristian","Jonas","Andreas","Alexander","Martin","Sander","Daniel","Magnus","Henrik","Tobias","Kristoffer","Emil","Adrian","Sebastian","Marius","Elias","Fredrik","Thomas","Sondre","Benjamin","Jakob","Oliver","Lucas","Oskar","Nikolai","Filip","Mats","William","Erik","Simen","Ole","Eirik","Isak","Kasper","Noah","Lars","Joakim","Johannes","Håkon","Sindre","Jørgen","Herman","Anders","Jonathan","Even","Theodor","Mikkel","Aksel"],"last_name":["Johansen","Hansen","Andersen","Kristiansen","Larsen","Olsen","Solberg","Andresen","Pedersen","Nilsen","Berg","Halvorsen","Karlsen","Svendsen","Jensen","Haugen","Martinsen","Eriksen","Sørensen","Johnsen","Myhrer","Johannessen","Nielsen","Hagen","Pettersen","Bakke","Skuterud","Løken","Gundersen","Strand","Jørgensen","Kvarme","Røed","Sæther","Stensrud","Moe","Kristoffersen","Jakobsen","Holm","Aas","Lie","Moen","Andreassen","Vedvik","Nguyen","Jacobsen","Torgersen","Ruud","Krogh","Christiansen","Bjerke","Aalerud","Borge","Sørlie","Berge","Østli","Ødegård","Torp","Henriksen","Haukelidsæter","Fjeld","Danielsen","Aasen","Fredriksen","Dahl","Berntsen","Arnesen","Wold","Thoresen","Solheim","Skoglund","Bakken","Amundsen","Solli","Smogeli","Kristensen","Glosli","Fossum","Evensen","Eide","Carlsen","Østby","Vegge","Tangen","Smedsrud","Olstad","Lunde","Kleven","Huseby","Bjørnstad","Ryan","Rasmussen","Nygård","Nordskaug","Nordby","Mathisen","Hopland","Gran","Finstad","Edvardsen"],"masculine_name":["Markus","Mathias","Kristian","Jonas","Andreas","Alexander","Martin","Sander","Daniel","Magnus","Henrik","Tobias","Kristoffer","Emil","Adrian","Sebastian","Marius","Elias","Fredrik","Thomas","Sondre","Benjamin","Jakob","Oliver","Lucas","Oskar","Nikolai","Filip","Mats","William","Erik","Simen","Ole","Eirik","Isak","Kasper","Noah","Lars","Joakim","Johannes","Håkon","Sindre","Jørgen","Herman","Anders","Jonathan","Even","Theodor","Mikkel","Aksel"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name} #{suffix}","#{feminine_name} #{feminine_name} #{last_name}","#{masculine_name} #{masculine_name} #{last_name}","#{first_name} #{last_name} #{last_name}","#{first_name} #{last_name}"],"prefix":["Dr.","Prof."],"suffix":["Jr.","Sr.","I","II","III","IV","V"]},"phone_number":{"formats":["########","## ## ## ##","### ## ###","+47 ## ## ## ##"]}}}); -I18n.translations["zh-CN"] = I18n.extend((I18n.translations["zh-CN"] || {}), {"faker":{"address":{"building_number":["#####","####","###","##","#"],"city":["#{city_prefix}#{city_suffix}"],"city_prefix":["长","上","南","西","北","诸","宁","珠","武","衡","成","福","厦","贵","吉","海","太","济","安","吉","包"],"city_suffix":["沙市","京市","宁市","安市","乡县","海市","码市","汉市","阳市","都市","州市","门市","阳市","口市","原市","南市","徽市","林市","头市"],"default_country":["中国"],"postcode":["######"],"state":["北京市","上海市","天津市","重庆市","黑龙江省","吉林省","辽宁省","内蒙古","河北省","新疆","甘肃省","青海省","陕西省","宁夏","河南省","山东省","山西省","安徽省","湖北省","湖南省","江苏省","四川省","贵州省","云南省","广西省","西藏","浙江省","江西省","广东省","福建省","海南省","香港","澳门"],"state_abbr":["京","沪","津","渝","黑","吉","辽","蒙","冀","新","甘","青","陕","宁","豫","鲁","晋","皖","鄂","湘","苏","川","黔","滇","桂","藏","浙","赣","粤","闽","琼","港","澳"],"street_address":["#{street_name}#{building_number}号"],"street_name":["#{Name.last_name}#{street_suffix}"],"street_suffix":["巷","街","路","桥","侬","旁","中心","栋"]},"cell_phone":{"formats":["13#########","145########","147########","150########","151########","152########","153########","155########","156########","157########","158########","159########","170########","171########","172########","173########","175########","176########","177########","178########","18#########"]},"name":{"first_name":["绍齐","博文","梓晨","胤祥","瑞霖","明哲","天翊","凯瑞","健雄","耀杰","潇然","子涵","越彬","钰轩","智辉","致远","俊驰","雨泽","烨磊","晟睿","文昊","修洁","黎昕","远航","旭尧","鸿涛","伟祺","荣轩","越泽","浩宇","瑾瑜","皓轩","擎苍","擎宇","志泽","子轩","睿渊","弘文","哲瀚","雨泽","楷瑞","建辉","晋鹏","天磊","绍辉","泽洋","鑫磊","鹏煊","昊强","伟宸","博超","君浩","子骞","鹏涛","炎彬","鹤轩","越彬","风华","靖琪","明辉","伟诚","明轩","健柏","修杰","志泽","弘文","峻熙","嘉懿","煜城","懿轩","烨伟","苑博","伟泽","熠彤","鸿煊","博涛","烨霖","烨华","煜祺","智宸","正豪","昊然","明杰","立诚","立轩","立辉","峻熙","弘文","熠彤","鸿煊","烨霖","哲瀚","鑫鹏","昊天","思聪","展鹏","笑愚","志强","炫明","雪松","思源","智渊","思淼","晓啸","天宇","浩然","文轩","鹭洋","振家","乐驹","晓博","文博","昊焱","立果","金鑫","锦程","嘉熙","鹏飞","子默","思远","浩轩","语堂","聪健","明","文","果","思","鹏","驰","涛","琪","浩","航","彬"],"last_name":["王","李","张","刘","陈","杨","黄","吴","赵","周","徐","孙","马","朱","胡","林","郭","何","高","罗","郑","梁","谢","宋","唐","许","邓","冯","韩","曹","曾","彭","萧","蔡","潘","田","董","袁","于","余","叶","蒋","杜","苏","魏","程","吕","丁","沈","任","姚","卢","傅","钟","姜","崔","谭","廖","范","汪","陆","金","石","戴","贾","韦","夏","邱","方","侯","邹","熊","孟","秦","白","江","阎","薛","尹","段","雷","黎","史","龙","陶","贺","顾","毛","郝","龚","邵","万","钱","严","赖","覃","洪","武","莫","孔"],"name":["#{last_name}#{first_name}"]},"phone_number":{"formats":["###-########","####-########","###########"]},"university":{"name":["#{University.prefix}#{University.suffix}"],"prefix":["东","南","西","北","东南","东北","西南","西北","中国"],"suffix":["理工大学","技术大学","艺术大学","体育大学","经贸大学","农业大学","科技大学","大学"]}}}); -I18n.translations["ja"] = I18n.extend((I18n.translations["ja"] || {}), {"faker":{"address":{"city":["#{city_prefix}#{Name.first_name}#{city_suffix}","#{Name.first_name}#{city_suffix}","#{city_prefix}#{Name.last_name}#{city_suffix}","#{Name.last_name}#{city_suffix}"],"city_prefix":["北","東","西","南","新","大","中","小"],"city_suffix":["市","区","町","村","郡"],"default_country":["日本"],"postcode":["###-####"],"state":["北海道","青森県","岩手県","宮城県","秋田県","山形県","福島県","茨城県","栃木県","群馬県","埼玉県","千葉県","東京都","神奈川県","新潟県","富山県","石川県","福井県","山梨県","長野県","岐阜県","静岡県","愛知県","三重県","滋賀県","京都府","大阪府","兵庫県","奈良県","和歌山県","鳥取県","島根県","岡山県","広島県","山口県","徳島県","香川県","愛媛県","高知県","福岡県","佐賀県","長崎県","熊本県","大分県","宮崎県","鹿児島県","沖縄県"],"state_abbr":["1","2","3","4","5","6","7","8","9","10","11","12","13","14","15","16","17","18","19","20","21","22","23","24","25","26","27","28","29","30","31","32","33","34","35","36","37","38","39","40","41","42","43","44","45","46","47"],"street_name":["#{Name.first_name}#{street_suffix}","#{Name.last_name}#{street_suffix}"]},"cell_phone":{"formats":["090-####-####","080-####-####","070-####-####"]},"company":{"category":["水産","農林","鉱業","建設","食品","印刷","電気","ガス","情報","通信","運輸","銀行","保険"],"name":["#{Name.last_name}#{category}#{suffix}","#{suffix}#{Name.last_name}#{category}"],"suffix":["株式会社","有限会社","合名会社","合資会社","合同会社"]},"name":{"first_name":["翔太","蓮","翔","陸","颯太","悠斗","大翔","翼","樹","奏太","大和","大輝","悠","隼人","健太","大輔","駿","陽斗","優","陽","悠人","誠","拓海","仁","悠太","悠真","大地","健","遼","大樹","諒","響","太一","一郎","優斗","亮","海斗","颯","亮太","匠","陽太","航","瑛太","直樹","空","光","太郎","輝","一輝","蒼","葵","優那","優奈","凛","陽菜","愛","結衣","美咲","楓","さくら","遥","美優","莉子","七海","美月","結菜","真央","花音","陽子","舞","美羽","優衣","未来","彩","彩乃","彩花","優","智子","奈々","千尋","愛美","優菜","杏","裕子","芽衣","綾乃","琴音","桜","恵","杏奈","美桜","優花","玲奈","結","茜","美穂","明日香","愛子","美緒","碧"],"last_name":["佐藤","鈴木","高橋","田中","伊藤","山本","渡辺","中村","小林","加藤","吉田","山田","佐々木","山口","松本","井上","木村","林","斎藤","清水","山崎","阿部","森","池田","橋本","山下","石川","中島","前田","藤田","後藤","小川","岡田","村上","長谷川","近藤","石井","斉藤","坂本","遠藤","藤井","青木","福田","三浦","西村","藤原","太田","松田","原田","岡本","中野","中川","小野","田村","竹内","金子","中山","和田","石田","工藤","上田","原","森田","酒井","横山","柴田","宮崎","宮本","内田","高木","谷口","安藤","丸山","今井","大野","高田","菅原","河野","武田","藤本","上野","杉山","千葉","村田","増田","小島","小山","大塚","平野","久保","渡部","松井","菊地","岩崎","松尾","佐野","木下","野口","野村","新井"],"name":["#{last_name} #{first_name}"]},"phone_number":{"formats":["0####-#-####","0###-##-####","0##-###-####","0#-####-####"]},"pokemon":{"locations":["マサラタウン","トキワシティ","トキワのもり","ニビシティ","おつきみやま","ハナダシティ","イワヤマトンネル","クチバシティ","むじんはつでんしょ","シオンタウン","タマムシシティ","ヤマブキシティ","セキチクシティ","サファリゾーン","サイクリングロード","ふたごじま","グレンじま","セキエイこうげん"],"names":["フシギダネ","フシギソウ","フシギバナ","ヒトカゲ","リザード","リザードン","ゼニガメ","カメール","カメックス","キャタピー","トランセル","バタフリー","ビードル","コクーン","スピアー","ポッポ","ピジョン","ピジョット","コラッタ","ラッタ","オニスズメ","オニドリル","アーボ","アーボック","ピカチュウ","ライチュウ","サンド","サンドパン","ニドラン♀","ニドリーナ","ニドクイン","ニドラン♂","ニドリーノ","ニドキング","ピッピ","ピクシー","ロコン","キュウコン","プリン","プクリン","ズバット","ゴルバット","ナゾノクサ","クサイハナ","ラフレシア","パラス","パラセクト","コンパン","モルフォン","ディグダ","ダグトリオ","ニャース","ペルシアン","コダック","ゴルダック","マンキー","オコリザル","ガーディ","ウインディ","ニョロモ","ニョロゾ","ニョロボン","ケーシィ","ユンゲラー","フーディン","ワンリキー","ゴーリキー","カイリキー","マダツボミ","ウツドン","ウツボット","メノクラゲ","ドククラゲ","イシツブテ","ゴローン","ゴローニャ","ポニータ","ギャロップ","ヤドン","ヤドラン","コイル","レアコイル","カモネギ","ドードー","ドードリオ","パウワウ","ジュゴン","ベトベター","ベトベトン","シェルダー","パルシェン","ゴース","ゴースト","ゲンガー","イワーク","スリープ","スリーパー","クラブ","キングラー","ビリリダマ","マルマイン","タマタマ","ナッシー","カラカラ","ガラガラ","サワムラー","エビワラー","ベロリンガ","ドガース","マタドガス","サイホーン","サイドン","ラッキー","モンジャラ","ガルーラ","タッツー","シードラ","トサキント","アズマオウ","ヒトデマン","スターミー","バリヤード","ストライク","ルージュラ","エレブー","ブーバー","カイロス","ケンタロス","コイキング","ギャラドス","ラプラス","メタモン","イーブイ","シャワーズ","サンダース","ブースター","ポリゴン","オムナイト","オムスター","カブト","カブトプス","プテラ","カビゴン","フリーザー","サンダー","ファイヤー","ミニリュウ","ハクリュー","カイリュー","ミュウツー","ミュウ"]},"university":{"name":["#{Name.last_name}#{University.suffix}","#{University.prefix}#{Name.last_name}#{University.suffix}","#{University.prefix}#{Address.city_prefix}#{University.suffix}"],"prefix":["北海道","東北","関東","中部","近畿","中国","四国","九州"],"suffix":["大学","医科大学","芸術大学","音楽大学","工業大学"]}}}); -I18n.translations["id"] = I18n.extend((I18n.translations["id"] || {}), {"faker":{"address":{"building_number":["##"],"city":["#{city_name}"],"city_name":["Aceh Barat","Aceh Barat Daya","Aceh Besar","Aceh Jaya","Aceh Selatan","Aceh Singkil","Aceh Tamiang","Aceh Tengah","Aceh Tenggara","Aceh Timur","Aceh Utara","Agam","Alor","Ambon","Asahan","Asmat","Badung","Balangan","Balikpapan","Banda Aceh","Bandar Lampung","Bandung","Bandung Barat","Banggai","Banggai Kepulauan","Bangka","Bangka Barat","Bangka Selatan","Bangka Tengah","Bangkalan","Bangli","Banjar","Banjar Baru","Banjarmasin","Banjarnegara","Bantaeng","Bantul","Banyu Asin","Banyumas","Banyuwangi","Barito Kuala","Barito Selatan","Barito Timur","Barito Utara","Barru","Baru","Batam","Batang","Batang Hari","Batu","Batu Bara","Baubau","Bekasi","Belitung","Belitung Timur","Belu","Bener Meriah","Bengkalis","Bengkayang","Bengkulu","Bengkulu Selatan","Bengkulu Tengah","Bengkulu Utara","Berau","Biak Numfor","Bima","Binjai","Bintan","Bireuen","Bitung","Blitar","Blora","Boalemo","Bogor","Bojonegoro","Bolaang Mongondow","Bolaang Mongondow Selatan","Bolaang Mongondow Timur","Bolaang Mongondow Utara","Bombana","Bondowoso","Bone","Bone Bolango","Bontang","Boven Digoel","Boyolali","Brebes","Bukittinggi","Buleleng","Bulukumba","Bulungan","Bungo","Buol","Buru","Buru Selatan","Buton","Buton Utara","Ciamis","Cianjur","Cilacap","Cilegon","Cimahi","Cirebon","Dairi","Deiyai","Deli Serdang","Demak","Denpasar","Depok","Dharmasraya","Dogiyai","Dompu","Donggala","Dumai","Empat Lawang","Ende","Enrekang","Fakfak","Flores Timur","Garut","Gayo Lues","Gianyar","Gorontalo","Gorontalo Utara","Gowa","Gresik","Grobogan","Gunung Kidul","Gunung Mas","Gunungsitoli","Halmahera Barat","Halmahera Selatan","Halmahera Tengah","Halmahera Timur","Halmahera Utara","Hulu Sungai Selatan","Hulu Sungai Tengah","Hulu Sungai Utara","Humbang Hasundutan","Indragiri Hilir","Indragiri Hulu","Indramayu","Intan Jaya","Jakarta Barat","Jakarta Pusat","Jakarta Selatan","Jakarta Timur","Jakarta Utara","Jambi","Jayapura","Jayawijaya","Jember","Jembrana","Jeneponto","Jepara","Jombang","Kaimana","Kampar","Kapuas","Kapuas Hulu","Karang Asem","Karanganyar","Karawang","Karimun","Karo","Katingan","Kaur","Kayong Utara","Kebumen","Kediri","Keerom","Kendal","Kendari","Kepahiang","Kepulauan Anambas","Kepulauan Aru","Kepulauan Mentawai","Kepulauan Meranti","Kepulauan Sangihe","Kepulauan Selayar","Kepulauan Seribu","Kepulauan Sula","Kepulauan Talaud","Kepulauan Yapen","Kerinci","Ketapang","Klaten","Klungkung","Kolaka","Kolaka Utara","Konawe","Konawe Selatan","Konawe Utara","Kotamobagu","Kotawaringin Barat","Kotawaringin Timur","Kuantan Singingi","Kubu Raya","Kudus","Kulon Progo","Kuningan","Kupang","Kutai Barat","Kutai Kartanegara","Kutai Timur","Labuhan Batu","Labuhan Batu Selatan","Labuhan Batu Utara","Lahat","Lamandau","Lamongan","Lampung Barat","Lampung Selatan","Lampung Tengah","Lampung Timur","Lampung Utara","Landak","Langkat","Langsa","Lanny Jaya","Lebak","Lebong","Lembata","Lhokseumawe","Lima Puluh Kota","Lingga","Lombok Barat","Lombok Tengah","Lombok Timur","Lombok Utara","Lubuklinggau","Lumajang","Luwu","Luwu Timur","Luwu Utara","Madiun","Magelang","Magetan","Majalengka","Majene","Makassar","Malang","Malinau","Maluku Barat Daya","Maluku Tengah","Maluku Tenggara","Maluku Tenggara Barat","Mamasa","Mamberamo Raya","Mamberamo Tengah","Mamuju","Mamuju Utara","Manado","Mandailing Natal","Manggarai","Manggarai Barat","Manggarai Timur","Manokwari","Mappi","Maros","Mataram","Maybrat","Medan","Melawi","Merangin","Merauke","Mesuji","Metro","Mimika","Minahasa","Minahasa Selatan","Minahasa Tenggara","Minahasa Utara","Mojokerto","Morowali","Muara Enim","Muaro Jambi","Mukomuko","Muna","Murung Raya","Musi Banyuasin","Musi Rawas","Nabire","Nagan Raya","Nagekeo","Natuna","Nduga","Ngada","Nganjuk","Ngawi","Nias","Nias Barat","Nias Selatan","Nias Utara","Nunukan","Ogan Ilir","Ogan Komering Ilir","Ogan Komering Ulu","Ogan Komering Ulu Selatan","Ogan Komering Ulu Timur","Pacitan","Padang","Padang Lawas","Padang Lawas Utara","Padang Panjang","Padang Pariaman","Padangsidimpuan","Pagar Alam","Pakpak Bharat","Palangka Raya","Palembang","Palopo","Palu","Pamekasan","Pandeglang","Pangandaran","Pangkajene Dan Kepulauan","Pangkal Pinang","Paniai","Parepare","Pariaman","Parigi Moutong","Pasaman","Pasaman Barat","Paser","Pasuruan","Pati","Payakumbuh","Pegunungan Bintang","Pekalongan","Pekanbaru","Pelalawan","Pemalang","Pematang Siantar","Penajam Paser Utara","Pesawaran","Pesisir Barat","Pesisir Selatan","Pidie","Pidie Jaya","Pinrang","Pohuwato","Polewali Mandar","Ponorogo","Pontianak","Poso","Prabumulih","Pringsewu","Probolinggo","Pulang Pisau","Pulau Morotai","Puncak","Puncak Jaya","Purbalingga","Purwakarta","Purworejo","Raja Ampat","Rejang Lebong","Rembang","Rokan Hilir","Rokan Hulu","Rote Ndao","Sabang","Sabu Raijua","Salatiga","Samarinda","Sambas","Samosir","Sampang","Sanggau","Sarmi","Sarolangun","Sawah Lunto","Sekadau","Seluma","Semarang","Seram Bagian Barat","Seram Bagian Timur","Serang","Serdang Bedagai","Seruyan","Siak","Siau Tagulandang Biaro","Sibolga","Sidenreng Rappang","Sidoarjo","Sigi","Sijunjung","Sikka","Simalungun","Simeulue","Singkawang","Sinjai","Sintang","Situbondo","Sleman","Solok","Solok Selatan","Soppeng","Sorong","Sorong Selatan","Sragen","Subang","Subulussalam","Sukabumi","Sukamara","Sukoharjo","Sumba Barat","Sumba Barat Daya","Sumba Tengah","Sumba Timur","Sumbawa","Sumbawa Barat","Sumedang","Sumenep","Sungai Penuh","Supiori","Surabaya","Surakarta","Tabalong","Tabanan","Takalar","Tambrauw","Tana Tidung","Tana Toraja","Tanah Bumbu","Tanah Datar","Tanah Laut","Tangerang","Tangerang Selatan","Tanggamus","Tanjung Balai","Tanjung Jabung Barat","Tanjung Jabung Timur","Tanjung Pinang","Tapanuli Selatan","Tapanuli Tengah","Tapanuli Utara","Tapin","Tarakan","Tasikmalaya","Tebing Tinggi","Tebo","Tegal","Teluk Bintuni","Teluk Wondama","Temanggung","Ternate","Tidore Kepulauan","Timor Tengah Selatan","Timor Tengah Utara","Toba Samosir","Tojo Una-una","Toli-toli","Tolikara","Tomohon","Toraja Utara","Trenggalek","Tual","Tuban","Tulang Bawang Barat","Tulangbawang","Tulungagung","Wajo","Wakatobi","Waropen","Way Kanan","Wonogiri","Wonosobo","Yahukimo","Yalimo","Yogyakarta"],"postcode":["#####"],"province":["Aceh","Bali","Banten","Bengkulu","DI Yogyakarta","DKI Jakarta","Gorontalo","Jambi","Jawa Barat","Jawa Tengah","Jawa Timur","Kalimantan Barat","Kalimantan Selatan","Kalimantan Tengah","Kalimantan Timur","Kalimantan Utara","Kepulauan Bangka Belitung","Kepulauan Riau","Lampung","Maluku","Maluku Utara","Nusa Tenggara Barat","Nusa Tenggara Timur","Papua","Papua Barat","Riau","Sulawesi Barat","Sulawesi Selatan","Sulawesi Tengah","Sulawesi Tenggara","Sulawesi Utara","Sumatera Barat","Sumatera Selatan","Sumatera Utara"],"street_address":["#{street_name} No. #{building_number}"],"street_name":["#{street_prefix} #{street_title}"],"street_prefix":["Jl."],"street_title":["Ahmad Yani","Diponegoro","Gajahmada","Gatot Soebroto","Hayamwuruk","Jend. Sudirman","Juanda","Kartini","MH. Thamrin","Rasuna Said"]},"name":{"first_name":["Aan","Adi","Aditya","Agus","Ahmad","Aji","Andi","Anita","Anton","Arif","Arya","Aulia","Bagas","Bagus","Bambang","Bayu","Beni","Bima","Budi","Chandra","Choirul","Citra","Danang","David","Dea","Deni","Derry","Desi","Devi","Diah","Dimas","Dina","Dion","Edi","Edwin","Effendi","Endang","Erika","Ferdian","Fika","Galih","Gita","Gugun","Hamdan","Hengky","Heni","Heri","Heru","Imam","Iman","Indah","Indra","Iwan","Jaka","Jaya","Kartika","Kartini","Kemal","Khrisna","Kiki","Komar","Lely","Lia","Liana","Lidya","Lisa","Mahesa","Martin","Merry","Muhammad","Niko","Nina","Nisa","Noval","Oki","Okta","Olivia","Pandu","Popi","Pradipta","Prily","Prima","Putri","Qomar","Qorri","Raditya","Rahmat","Roni","Rosa","Rudi","Ruslan","Salim","Sandi","Setya","Sigit","Slamet","Tiara","Tito","Tomi","Toni","Topan","Tri","Udin","Umar","Unang","Valentinus","Vanya","Vicky","Victor","Vira","Vivi","Wahyu","Wawan","Wendy","Wira","Wisnu","Yahya","Yanuar","Yoga","Yossi","Yudha","Yudhistira","Yudi","Zaenal"],"last_name":["Abdullah","Adriansyah","Alamsyah","Andrianto","Ardianto","Aristianto","Armansyah","Atmadja","Basri","Bimantara","Bintara","Budiarto","Budiman","Budiono","Cahyadi","Cahyono","Candrawijaya","Ciputra","Daniawan","Darmadi","Darmawan","Dinata","Djunaedi","Dwiantoro","Dzulfikar","Erik","Erlangga","Fachri","Fachriawan","Fauzi","Febriansyah","Ferdian","Ferianto","Firmansyah","Gautama","Ginanjar","Ginting","Gondokusumo","Gozali","Gunajaya","Gunardi","Hadiwijaya","Handaru","Harjono","Hartanto","Hartono","Haryanto","Hendrawinata","Hermawan","Idris","Ikhsan","Ilham","Indragiri","Indrajaya","Ismail","Iswanto","Januar","Jayadi","Jayadinata","Jayakusuma","Junaedi","Kartawijaya","Komarudin","Kurniadi","Kurnianto","Kurniawan","Kusuma","Kusumawardhana","Lazuardi","Lesmana","Linggar","Listiyono","Listyawan","Madjid","Mahendra","Maheswara","Mardiansyah","Mardianto","Marzuki","Maulana","Nababan","Nainggolan","Nasrudin","Novianto","Nugraha","Nurdiansyah","Oktara","Oktavian","Ongky","Pahlevi","Pradhana","Pradipta","Pranata","Prawira","Pribadi","Qodir","Riansyah","Rianto","Riyadi","Rudianto","Rusli","Rusmana","Rustam","Sanjaya","Santoso","Sapta","Saputra","Saragih","Satria","Setiawan","Sugianto","Sugiarto","Suhendra","Suryatama","Taslim","Thamrin","Tjahjadi","Triwijaya","Umbara","Unggul","Utama","Virgiawan","Waluyo","Wardhana","Wicaksono","Wijanarko","Wijaya","Winardi","Winarta","Wirawan","Yudhanto","Yudhistira","Yudhiswara","Yulianto","Zaenal","Zaini","Zulfikara","Zulfikri","Zulkarnain"],"name":"#{first_name} #{last_name}"},"phone_number":{"formats":["08##########","08##-####-####","+628#########"]}}}); -I18n.translations["en-CA"] = I18n.extend((I18n.translations["en-CA"] || {}), {"faker":{"address":{"default_country":["Canada"],"postcode":"/[A-CEJ-NPR-TVXY][0-9][A-CEJ-NPR-TV-Z] ?[0-9][A-CEJ-NPR-TV-Z][0-9]/","state":["Alberta","British Columbia","Manitoba","New Brunswick","Newfoundland and Labrador","Nova Scotia","Northwest Territories","Nunavut","Ontario","Prince Edward Island","Quebec","Saskatchewan","Yukon"],"state_abbr":["AB","BC","MB","NB","NL","NS","NU","NT","ON","PE","QC","SK","YT"]},"internet":{"domain_suffix":["ca","com","biz","info","name","net","org"],"free_email":["gmail.com","yahoo.ca","hotmail.com"]},"phone_number":{"formats":["###-###-####","(###)###-####","###.###.####","1-###-###-####","###-###-#### x###","(###)###-#### x###","1-###-###-#### x###","###.###.#### x###","###-###-#### x####","(###)###-#### x####","1-###-###-#### x####","###.###.#### x####","###-###-#### x#####","(###)###-#### x#####","1-###-###-#### x#####","###.###.#### x#####"]}}}); -I18n.translations["bg"] = I18n.extend((I18n.translations["bg"] || {}), {"faker":{"address":{"building_number":["#","##","###"],"city":["#{Address.city_name}"],"city_name":["Айтос","Аксаково","Алфатар","Антоново","Априлци","Ардино","Асеновград","Ахелой","Ахтопол","Балчик","Банкя","Банско","Баня","Батак","Батановци","Белене","Белица","Белово","Белоградчик","Белослав","Берковица","Благоевград","Бобов Дол","Бобошево","Божурище","Бойчиновци","Болярово","Борово","Ботевград","Брацигово","Брегово","Брезник","Брезово","Брусарци","Бургас","Бухово","Българово","Бяла","Бяла","Бяла Слатина","Бяла Черква","Варна","Велики Преслав","Велико Търново","Велинград","Ветово","Ветрен","Видин","Враца","Вълчедръм","Вълчи Дол","Върбица","Вършец","Габрово","Генерал Тошево","Главиница","Глоджево","Годеч","Горна Оряховица","Гоце Делчев","Грамада","Гулянци","Гурково","Гълъбово","Две Могили","Дебелец","Девин","Девня","Джебел","Димитровград","Димово","Добринище","Добрич","Долна Баня","Долна Митрополия","Долна Оряховица","Долни Дъбник","Долни Чифлик","Доспат","Драгоман","Дряново","Дулово","Дунавци","Дупница","Дългопол","Елена","Елин Пелин","Елхово","Етрополе","Завет","Земен","Златарица","Златица","Златоград","Ивайловград","Игнатиево","Искър","Исперих","Ихтиман","Каблешково","Каварна","Казанлък","Калофер","Камено","Каолиново","Карлово","Карнобат","Каспичан","Кермен","Килифарево","Китен","Клисура","Кнежа","Козлодуй","Койнаре","Копривщица","Костандово","Костенец","Костинброд","Котел","Кочериново","Кресна","Криводол","Кричим","Крумовград","Крън","Кубрат","Куклен","Кула","Кърджали","Кюстендил","Левски","Летница","Ловеч","Лозница","Лом","Луковит","Лъки","Любимец","Лясковец","Мадан","Маджарово","Малко Търново","Мартен","Мездра","Мелник","Меричлери","Мизия","Момин Проход","Момчилград","Монтана","Мъглиж","Неделино","Несебър","Николаево","Никопол","Нова Загора","Нови Искър","Нови Пазар","Обзор","Омуртаг","Опака","Оряхово","Павел Баня","Павликени","Пазарджик","Панагюрище","Перник","Перущица","Петрич","Пещера","Пирдоп","Плачковци","Плевен","Плиска","Пловдив","Полски Тръмбеш","Поморие","Попово","Пордим","Правец","Приморско","Провадия","Първомай","Раднево","Радомир","Разград","Разлог","Ракитово","Раковски","Рила","Роман","Рудозем","Русе","Садово","Самоков","Сандански","Сапарева Баня","Свети Влас","Свиленград","Свищов","Своге","Севлиево","Сеново","Септември","Силистра","Симеоновград","Симитли","Славяново","Сливен","Сливница","Сливо Поле","Смолян","Смядово","Созопол","Сопот","София","Средец","Стамболийски","Стара Загора","Стражица","Стралджа","Стрелча","Суворово","Сунгурларе","Сухиндол","Съединение","Сърница","Твърдица","Тервел","Тетевен","Тополовград","Троян","Трън","Тръстеник","Трявна","Тутракан","Търговище","Угърчин","Хаджидимово","Харманли","Хасково","Хисаря","Цар Калоян","Царево","Чепеларе","Червен Бряг","Черноморец","Чипровци","Чирпан","Шабла","Шивачево","Шипка","Шумен","Ябланица","Якоруда","Ямбол"],"country":["Австралия","Австрия","Азербайджан","Аландски острови","Албания","Алжир","Американска Самоа","Американски Вирджински острови","Англия","Ангола","Ангуила","Андора","Антарктика","Антигуа и Барбуда","Аржентина","Армения","Аруба","Афганистан","Бангладеш","Барбадос","Бахамски острови","Бахрейн","Беларус","Белгия","Белиз","Бенин","Бермудски острови","Боливия","Босна и Херцеговина","Ботсвана","Бразилия","Британска територия в Индийския океан","Британски Вирджински острови","Бруней Даруссалам","Бряг на слоновата кост Кот д'Ивоар","Буве","Буркина Фасо","Бурунди","Бутан","България","Вануату","Ватикана","Венецуела","Виетнам","Габон","Гамбия","Гана","Гаяна","Гваделупа","Гватемала","Гвинея","Гвинея-Бисау","Германия","Гибралтар","Гренада","Гренландия","Грузия","Гуам","Гърнси","Гърция","Дания","Демократична република Конго Заир","Джибути","Джърси","Доминика","Доминиканска република","Египет","Еквадор","Екваториална Гвинея","Ел Салвадор","Еритрея","Естония","Етиопия","Замбия","Западна Сахара","Зимбабве","Йемен","Израел","Източен Тимор","Индия","Индонезия","Йордания","Ирак","Иран","Ирландия","Исландия","Испания","Италия","Кабо Верде острови Зелени Нос","Казахстан","Каймански острови","Камбоджа","Камерун","Канада","Карибска Холандия","Катар","Кения","Кипър","Киргизстан","Кирибати","Китай","Кокосови острови","Коледни острови","Колумбия","Коморски острови","Конго","Коста Рика","Куба","Кувейт","Кюрасао ç","Лаос","Латвия","Лесото","Либерия","Либия","Ливан","Литва","Лихтенщайн","Люксембург","Мавритания","Мавриций","Мадагаскар","Майот","Макао","Македония","Малави","Малайзия","Малдиви","Мали","Малта","Ман остров","Мароко","Мартиника","Маршалови острови","Мексико","Мианмар","Микронезия","Мозамбик","Молдова","Монако","Монголия","Монсерат","Намибия","Науру","Непал","Нигер","Нигерия","Никарагуа","Ниуе","Нова Зеландия","Нова Каледония","Норвегия","Норфолк остров","Обединени арабски емирства","Оман","Острови Кук","Острови Хърд и Макдоналд","Пакистан","Палау","Палестина","Панама","Папуа Нова Гвинея","Парагвай","Перу","Питкерн","Полша","Португалия","Пуерто Рико","Реюнион","Руанда","Румъния","Русия","Самоа","Сан марино","Сао Томе и Принсипи","Саудитска Арабия","САЩ","Свазиленд","Свалбард и Ян Майен","Света Елена остров","Северна Корея","Северни Мариански острови","Сейнт Бартс","Сейнт Винсент и Гренадини","Сейнт Китс и Невис","Сейнт Лусия","Сейшели","Сен Мартен Франция","Сен Пиер и Микелон","Сенегал","Сиера Леоне","Сингапур","Синт Мартен Холандия","Сирия","Словакия","Словения","Соломонови острови","Сомалия","Судан","Суринам","Сърбия","Таджикистан","Тайван","Тайланд","Танзания","Того","Токелау","Тонга","Тринидад и Тобаго","Тувалу","Тунис","Туркменистан","Турция","Търкс и Кайкос","Уганда","Узбекистан","Украйна","Унгария","Уолис и Футуна","Уругвай","Фарьорски острови","Фиджи","Филипини","Финландия","Фолкландски острови","Франция","Френска Полинезия","Френски южни и антарктически територии","Фреска Гвиана","Хаити","Холандия","Хондурас","Хонконг","Хърватска","Централноафриканска република","Чад","Черна гора","Чехия","Чили","Швейцария","Швеция","Шри Ланка","ЮАР","Южен Судан","Южна Джорджия и Южни Сандвичеви острови","Южна Корея","Ямайка","Япония"],"default_country":["България"],"postcode":["####"],"street_address":["#{street_name}, #{building_number}"],"street_name":["#{street_suffix} #{Address.street_title}"],"street_suffix":["ул.","улица","площад","пл.","булевард","бул."],"street_title":["България","Демокрация","Патриарх Евтимий","Опълченска","Княз Борис","Народно събрание","Симеон Велики","Лъчезар Станчев","Г.М Димитров","Мария Габровска","Оборище","Иван Вазов","Бъднина","Орлинска","Николавеска","Цар Петър","Будапеща","Чехов","Три Уши","Вила","Първи Май","Тотлебен","Симеоновско Шосе","Васил Левски","Черни Връх","Йерусалим","Акация","Самодива","Георги Аспарухов","Иван Шишман","Славейков","Македония","Христо Ботев","Руски Паметник","Обзор","Свети Климент Охридски","Дъбница","Айдемир","Професор Марко Семов","Баку","Никола Габровски","8 декември","Джон Ленън","Професор Кирил Попов","Петър Попов","Чавдар Мутафов","Могилата","Филип Кутев","Сребърна","Козяк","Емилиян Станев","Хенрик Ибсен","Бадемова Гора","Петко Тодоров","Тодор Каблешков","Пирин","Казбек","Света Марина","Приррода","Люляк","Лелинска Чука","Пчела","Белмекен","Мусала","Вихрен","Будилник","Горица","Европа","Любляна","Брюксел","Ливада","Букет","Нов Век","Чуката","Кустут","Овча Купел","Войводина Могила","Народно хоро","Камелия","Маестро Кънев","Петя Дубарова","Промишлена","Джеймс Баучер","Гайтанци"]},"cell_phone":{"formats":["088#######","087#######","089#######"]},"internet":{"domain_suffix":["com","bg","info","бг","net","org"],"free_email":["abv.bg","mail.bg","dir.bg","gmail.com","yahoo.com","hotmail.com"]},"name":{"female_first_name":["Мария","Иванка","Елена","Йорданка","Пенка","Маргарита","Виолета","Лиляна","Цветанка","Радка","Надежда","Марийка","Румяна","Тодорка","Стефка","Стоянка","Василка","Росица","Станка","Емилия","Донка","Милка","Величка","Райна","Анка","Красимира","Снежана","Мариана","Валентина","Янка","Христина","Катя","Николина","Даниела","Татяна","Светла","Галина","Златка","Лилия","Екатерина","Цветана","Недялка","Диана","Антоанета","Павлина","Анна","Веселина","Славка","Марияна","Юлия"],"female_last_name":["Иванова","Георгиева","Димитрова","Петрова","Николова","Стоянова","Христова","Тодорова","Илиева","Василева","Атанасова","Петкова","Ангелова","Колева","Йорданова","Маринова","Стефанова","Попова","Михайлова","Кръстева","Костова","Димова","Павлова","Костадинова","Митева","Симеонова","цветкова","Александрова","Маркова","Спасова","Лазарова","Добрева","Младенова","Андреева","Янева","Радева","Русева","Янкова","Пенева","Вълчева","Григорова","Кирова","Найденова","Станчева","Алексиева","Стойчева","Борисова","Славова","Станева","Панайотова"],"female_middle_name":["Александрова","Адрианова","Ангелова","Аспарухова","Алексиева","Марианов","Бисерова","Благовестова","Боримирова","Викториева","Владимирова","Валентинова","Венциславова","Георгиева","Григорова","Грозданова","Димитрова","Даниелова","Денисова","Дамянова","Добромирова","Евгениева","Петрова","Иванова","Павлова"],"male_first_name":["Александър","Антонио","Адриан","Ангел","Аспарух","Алекси","Борислав","Борис","Бойко","Бисер","Благовест","Боримир","Виктор","Владимир","Владислав","Валентин","Валери","Венцислав","Героги","Григор","Гроздан","Геро","Димитър","Даниел","Денис","Денислав","Дамян","Добромир","Динко","Добрин","Евгени","Емил","Евтим","Евстати","Еленко","Живко","Желязко","Жельо","Здравко","Захари","Златомир","Звездомир","Ивам. Илиян","Илия","Ивелин","Игор","Йордан","Йосиф","Йонко","Кристиян","Калоян","Крис","Красимир","Камен","Кирил","Крум","Кубрат","Кристоф","Любомир","Лъчезар","Лазар","Мартин","Максим","Мирослав","Максимилиан","Матей","Мариан","Милко","Николай","Недялко","Никофор","Нестор","Огнян","Орлин","Пламен","Пресиан","Пеко","Петър","Павел","Радослав","Росен","Румен","Самуил","Симеон","Станислав","Спас","Спиридон","Теодор","Тони","Тома","Тихомир","Филип","Христо","Христослав","Христиан","Цеко","Цветан","Цветелин","Чавдар","Чочо","Щилян","Юлиан","Юри","Явор","Ясен","Янис","Янко"],"male_last_name":["Иванов","Георгиев","Димитров","Петров","Николов","Христов","Стоянов","Тодоров","Илиев","Василев","Атанасов","Петков","Янгелов","Колев","Йорданов","Маринов","Стефанов","Попов","Михайлов","Кръстев","Костов","Димов","Костадинов","Павлов","Митев","Симеонов","Цветков","Александров","Марков","Спасов","Лазаров","Добрев","Андреев","Младенов","Русев","Вълчев","Радев","Янев","Найденов","Пенев","Янков","Станчев","Стойчев","Славов","Григоров","Киров","Алексиев","Станев","Стойков","Борисов"],"male_middle_name":["Александров","Адрианов","Ангелов","Аспарухов","Алексиев","Бориславов","Бисеров","Благовестов","Боримиров","Викторов","Владимиров","Владиславов","Валентинов","Венциславов","Георгиев","Григоров","Грозданов","Димитров","Даниелов","Денисов","Дениславов","Дамянов","Добромиров","Евгениев","Петров","Иванов","Павлов"],"name":["#{male_first_name} #{male_last_name}","#{male_last_name} #{male_first_name}","#{male_first_name} #{male_middle_name} #{male_last_name}","#{male_last_name} #{male_first_name} #{male_middle_name}","#{female_first_name} #{female_last_name}","#{female_last_name} #{female_first_name}","#{female_first_name} #{female_middle_name} #{female_last_name}","#{female_last_name} #{female_first_name} #{female_middle_name}"]},"separator":" и "}}); -I18n.translations["en-US"] = I18n.extend((I18n.translations["en-US"] || {}), {"faker":{"address":{"default_country":["United States","United States of America","USA"],"full_address":["#{street_address}, #{city}, #{state_abbr} #{zip_code}","#{secondary_address} #{street_address}, #{city}, #{state_abbr} #{zip_code}"],"postcode_by_state":{"AK":"995##","AL":"350##","AR":"717##","AS":"967##","AZ":"850##","CA":"900##","CO":"800##","CT":"061##","DC":"204##","DE":"198##","FL":"322##","GA":"301##","HI":"967##","IA":"510##","ID":"832##","IL":"600##","IN":"463##","KS":"666##","KY":"404##","LA":"701##","MA":"026##","MD":"210##","ME":"042##","MI":"480##","MN":"555##","MO":"650##","MS":"387##","MT":"590##","NC":"288##","ND":"586##","NE":"688##","NH":"036##","NJ":"076##","NM":"880##","NV":"898##","NY":"122##","OH":"444##","OK":"730##","OR":"979##","PA":"186##","RI":"029##","SC":"299##","SD":"577##","TN":"383##","TX":"798##","UT":"847##","VA":"222##","VT":"050##","WA":"990##","WI":"549##","WV":"247##","WY":"831##"}},"cell_phone":{"formats":["#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number}"]},"id_number":{"invalid":["000-##-####","###-00-####","###-##-0000","666-##-####","9##-##-####"],"valid":"#{IDNumber.ssn_valid}"},"internet":{"domain_suffix":["com","us","biz","info","name","net","org","io","co"]},"phone_number":{"area_code":["201","202","203","205","206","207","208","209","210","212","213","214","215","216","217","218","219","224","225","226","228","229","231","234","239","240","248","251","252","253","254","256","260","262","267","269","270","276","281","301","302","303","304","305","307","308","309","310","312","313","314","315","316","317","318","319","320","321","323","330","334","336","337","339","347","351","352","360","361","386","401","402","404","405","406","407","408","409","410","412","413","414","415","417","419","423","424","425","434","435","440","443","469","478","479","480","484","501","502","503","504","505","507","508","509","510","512","513","515","516","517","518","520","530","540","541","551","559","561","562","563","567","570","571","573","574","580","585","586","601","602","603","605","606","607","608","609","610","612","614","615","616","617","618","619","620","623","626","630","631","636","641","646","650","651","660","661","662","678","682","701","702","703","704","706","707","708","712","713","714","715","716","717","718","719","720","724","727","731","732","734","740","754","757","760","763","765","770","772","773","774","775","781","785","786","801","802","803","804","805","806","808","810","812","813","814","815","816","817","818","828","830","831","832","843","845","847","848","850","856","857","858","859","860","862","863","864","865","870","878","901","903","904","906","907","908","909","910","912","913","914","915","916","917","918","919","920","925","928","931","936","937","940","941","947","949","952","954","956","970","971","972","973","978","979","980","985","989"],"exchange_code":["201","202","203","205","206","207","208","209","210","212","213","214","215","216","217","218","219","224","225","227","228","229","231","234","239","240","248","251","252","253","254","256","260","262","267","269","270","276","281","283","301","302","303","304","305","307","308","309","310","312","313","314","315","316","317","318","319","320","321","323","330","331","334","336","337","339","347","351","352","360","361","386","401","402","404","405","406","407","408","409","410","412","413","414","415","417","419","423","424","425","434","435","440","443","445","464","469","470","475","478","479","480","484","501","502","503","504","505","507","508","509","510","512","513","515","516","517","518","520","530","540","541","551","557","559","561","562","563","564","567","570","571","573","574","580","585","586","601","602","603","605","606","607","608","609","610","612","614","615","616","617","618","619","620","623","626","630","631","636","641","646","650","651","660","661","662","667","678","682","701","702","703","704","706","707","708","712","713","714","715","716","717","718","719","720","724","727","731","732","734","737","740","754","757","760","763","765","770","772","773","774","775","781","785","786","801","802","803","804","805","806","808","810","812","813","814","815","816","817","818","828","830","831","832","835","843","845","847","848","850","856","857","858","859","860","862","863","864","865","870","872","878","901","903","904","906","907","908","909","910","912","913","914","915","916","917","918","919","920","925","928","931","936","937","940","941","947","949","952","954","956","959","970","971","972","973","975","978","979","980","984","985","989"],"formats":["#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number}","#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","(#{PhoneNumber.area_code}) #{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","1-#{PhoneNumber.area_code}-#{PhoneNumber.exchange_code}-#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}","#{PhoneNumber.area_code}.#{PhoneNumber.exchange_code}.#{PhoneNumber.subscriber_number} x#{PhoneNumber.extension}"]}}}); -I18n.translations["pl"] = I18n.extend((I18n.translations["pl"] || {}), {"faker":{"address":{"building_number":["#####","####","###"],"city":["#{city_name}"],"city_name":["Aleksandrów Kujawski","Aleksandrów Łódzki","Alwernia","Andrychów","Annopol","Augustów","Babimost","Baborów","Baranów Sandomierski","Barcin","Barczewo","Bardo","Barlinek","Bartoszyce","Barwice","Bełchatów","Bełżyce","Będzin","Biała","Biała Piska","Biała Podlaska","Biała Rawska","Białobrzegi","Białogard","Biały Bór","Białystok","Biecz","Bielawa","Bielsk Podlaski","Bielsko-Biała","Bieruń","Bierutów","Bieżuń","Biłgoraj","Biskupiec","Bisztynek","Blachownia","Błaszki","Błażowa","Błonie","Bobolice","Bobowa","Bochnia","Bodzentyn","Bogatynia","Boguchwała","Boguszów-Gorce","Bojanowo","Bolesławiec","Bolków","Borek Wielkopolski","Borne Sulinowo","Braniewo","Brańsk","Brodnica","Brok","Brusy","Brwinów","Brzeg","Brzeg Dolny","Brzesko","Brzeszcze","Brześć Kujawski","Brzeziny","Brzostek","Brzozów","Buk","Bukowno","Busko-Zdrój","Bychawa","Byczyna","Bydgoszcz","Bystrzyca Kłodzka","Bytom","Bytom Odrzański","Bytów","Cedynia","Chełm","Chełmek","Chełmno","Chełmża","Chęciny","Chmielnik","Chocianów","Chociwel","Chodecz","Chodzież","Chojna","Chojnice","Chojnów","Choroszcz","Chorzele","Chorzów","Choszczno","Chrzanów","Ciechanowiec","Ciechanów","Ciechocinek","Cieszanów","Cieszyn","Ciężkowice","Cybinka","Czaplinek","Czarna Białostocka","Czarna Woda","Czarne","Czarnków","Czchów","Czechowice-Dziedzice","Czeladź","Czempiń","Czerniejewo","Czersk","Czerwieńsk","Czerwionka-Leszczyny","Częstochowa","Człopa","Człuchów","Czyżew","Ćmielów","Daleszyce","Darłowo","Dąbie","Dąbrowa Białostocka","Dąbrowa Górnicza","Dąbrowa Tarnowska","Debrzno","Dębica","Dęblin","Dębno","Dobczyce","Dobiegniew","Dobra (powiat łobeski)","Dobra (powiat turecki)","Dobre Miasto","Dobrodzień","Dobrzany","Dobrzyń nad Wisłą","Dolsk","Drawno","Drawsko Pomorskie","Drezdenko","Drobin","Drohiczyn","Drzewica","Dukla","Duszniki-Zdrój","Dynów","Działdowo","Działoszyce","Działoszyn","Dzierzgoń","Dzierżoniów","Dziwnów","Elbląg","Ełk","Frampol","Frombork","Garwolin","Gąbin","Gdańsk","Gdynia","Giżycko","Glinojeck","Gliwice","Głogów","Głogów Małopolski","Głogówek","Głowno","Głubczyce","Głuchołazy","Głuszyca","Gniew","Gniewkowo","Gniezno","Gogolin","Golczewo","Goleniów","Golina","Golub-Dobrzyń","Gołańcz","Gołdap","Goniądz","Gorlice","Gorzów Śląski","Gorzów Wielkopolski","Gostynin","Gostyń","Gościno","Gozdnica","Góra","Góra Kalwaria","Górowo Iławeckie","Górzno","Grabów nad Prosną","Grajewo","Grodków","Grodzisk Mazowiecki","Grodzisk Wielkopolski","Grójec","Grudziądz","Grybów","Gryfice","Gryfino","Gryfów Śląski","Gubin","Hajnówka","Halinów","Hel","Hrubieszów","Iława","Iłowa","Iłża","Imielin","Inowrocław","Ińsko","Iwonicz-Zdrój","Izbica Kujawska","Jabłonowo Pomorskie","Janikowo","Janowiec Wielkopolski","Janów Lubelski","Jarocin","Jarosław","Jasień","Jasło","Jastarnia","Jastrowie","Jastrzębie-Zdrój","Jawor","Jaworzno","Jaworzyna Śląska","Jedlicze","Jedlina-Zdrój","Jedwabne","Jelcz-Laskowice","Jelenia Góra","Jeziorany","Jędrzejów","Jordanów","Józefów (powiat biłgorajski)","Józefów (powiat otwocki)","Jutrosin","Kalety","Kalisz","Kalisz Pomorski","Kalwaria Zebrzydowska","Kałuszyn","Kamienna Góra","Kamień Krajeński","Kamień Pomorski","Kamieńsk","Kańczuga","Karczew","Kargowa","Karlino","Karpacz","Kartuzy","Katowice","Kazimierz Dolny","Kazimierza Wielka","Kąty Wrocławskie","Kcynia","Kędzierzyn-Koźle","Kępice","Kępno","Kętrzyn","Kęty","Kielce","Kietrz","Kisielice","Kleczew","Kleszczele","Kluczbork","Kłecko","Kłobuck","Kłodawa","Kłodzko","Knurów","Knyszyn","Kobylin","Kobyłka","Kock","Kolbuszowa","Kolno","Kolonowskie","Koluszki","Kołaczyce","Koło","Kołobrzeg","Koniecpol","Konin","Konstancin-Jeziorna","Konstantynów Łódzki","Końskie","Koprzywnica","Korfantów","Koronowo","Korsze","Kosów Lacki","Kostrzyn","Kostrzyn nad Odrą","Koszalin","Kościan","Kościerzyna","Kowal","Kowalewo Pomorskie","Kowary","Koziegłowy","Kozienice","Koźmin Wielkopolski","Kożuchów","Kórnik","Krajenka","Kraków","Krapkowice","Krasnobród","Krasnystaw","Kraśnik","Krobia","Krosno","Krosno Odrzańskie","Krośniewice","Krotoszyn","Kruszwica","Krynica Morska","Krynica-Zdrój","Krynki","Krzanowice","Krzepice","Krzeszowice","Krzywiń","Krzyż Wielkopolski","Książ Wielkopolski","Kudowa-Zdrój","Kunów","Kutno","Kuźnia Raciborska","Kwidzyn","Lądek-Zdrój","Legionowo","Legnica","Lesko","Leszno","Leśna","Leśnica","Lewin Brzeski","Leżajsk","Lębork","Lędziny","Libiąż","Lidzbark","Lidzbark Warmiński","Limanowa","Lipiany","Lipno","Lipsk","Lipsko","Lubaczów","Lubań","Lubartów","Lubawa","Lubawka","Lubień Kujawski","Lubin","Lublin","Lubliniec","Lubniewice","Lubomierz","Luboń","Lubraniec","Lubsko","Lwówek","Lwówek Śląski","Łabiszyn","Łańcut","Łapy","Łasin","Łask","Łaskarzew","Łaszczów","Łaziska Górne","Łazy","Łeba","Łęczna","Łęczyca","Łęknica","Łobez","Łobżenica","Łochów","Łomianki","Łomża","Łosice","Łowicz","Łódź","Łuków","Maków Mazowiecki","Maków Podhalański","Malbork","Małogoszcz","Małomice","Margonin","Marki","Maszewo","Miasteczko Śląskie","Miastko","Michałowo","Miechów","Miejska Górka","Mielec","Mieroszów","Mieszkowice","Międzybórz","Międzychód","Międzylesie","Międzyrzec Podlaski","Międzyrzecz","Międzyzdroje","Mikołajki","Mikołów","Mikstat","Milanówek","Milicz","Miłakowo","Miłomłyn","Miłosław","Mińsk Mazowiecki","Mirosławiec","Mirsk","Mława","Młynary","Mogielnica","Mogilno","Mońki","Morąg","Mordy","Moryń","Mosina","Mrągowo","Mrocza","Mszana Dolna","Mszczonów","Murowana Goślina","Muszyna","Mysłowice","Myszków","Myszyniec","Myślenice","Myślibórz","Nakło nad Notecią","Nałęczów","Namysłów","Narol","Nasielsk","Nekla","Nidzica","Niemcza","Niemodlin","Niepołomice","Nieszawa","Nisko","Nowa Dęba","Nowa Ruda","Nowa Sarzyna","Nowa Sól","Nowe","Nowe Brzesko","Nowe Miasteczko","Nowe Miasto Lubawskie","Nowe Miasto nad Pilicą","Nowe Skalmierzyce","Nowe Warpno","Nowogard","Nowogrodziec","Nowogród","Nowogród Bobrzański","Nowy Dwór Gdański","Nowy Dwór Mazowiecki","Nowy Sącz","Nowy Staw","Nowy Targ","Nowy Tomyśl","Nowy Wiśnicz","Nysa","Oborniki","Oborniki Śląskie","Obrzycko","Odolanów","Ogrodzieniec","Okonek","Olecko","Olesno","Oleszyce","Oleśnica","Olkusz","Olsztyn","Olsztynek","Olszyna","Oława","Opalenica","Opatów","Opoczno","Opole","Opole Lubelskie","Orneta","Orzesze","Orzysz","Osieczna","Osiek","Ostrołęka","Ostroróg","Ostrowiec Świętokrzyski","Ostróda","Ostrów Lubelski","Ostrów Mazowiecka","Ostrów Wielkopolski","Ostrzeszów","Ośno Lubuskie","Oświęcim","Otmuchów","Otwock","Ozimek","Ozorków","Ożarów","Ożarów Mazowiecki","Pabianice","Paczków","Pajęczno","Pakość","Parczew","Pasłęk","Pasym","Pelplin","Pełczyce","Piaseczno","Piaski","Piastów","Piechowice","Piekary Śląskie","Pieniężno","Pieńsk","Pieszyce","Pilawa","Pilica","Pilzno","Piła","Piława Górna","Pińczów","Pionki","Piotrków Kujawski","Piotrków Trybunalski","Pisz","Piwniczna-Zdrój","Pleszew","Płock","Płońsk","Płoty","Pniewy","Pobiedziska","Poddębice","Podkowa Leśna","Pogorzela","Polanica-Zdrój","Polanów","Police","Polkowice","Połaniec","Połczyn-Zdrój","Poniatowa","Poniec","Poręba","Poznań","Prabuty","Praszka","Prochowice","Proszowice","Prószków","Pruchnik","Prudnik","Prusice","Pruszcz Gdański","Pruszków","Przasnysz","Przecław","Przedbórz","Przedecz","Przemków","Przemyśl","Przeworsk","Przysucha","Pszczyna","Pszów","Puck","Puławy","Pułtusk","Puszczykowo","Pyrzyce","Pyskowice","Pyzdry","Rabka-Zdrój","Raciąż","Racibórz","Radków","Radlin","Radłów","Radom","Radomsko","Radomyśl Wielki","Radymno","Radziejów","Radzionków","Radzymin","Radzyń Chełmiński","Radzyń Podlaski","Rajgród","Rakoniewice","Raszków","Rawa Mazowiecka","Rawicz","Recz","Reda","Rejowiec Fabryczny","Resko","Reszel","Rogoźno","Ropczyce","Różan","Ruciane-Nida","Ruda Śląska","Rudnik nad Sanem","Rumia","Rybnik","Rychwał","Rydułtowy","Rydzyna","Ryglice","Ryki","Rymanów","Ryn","Rypin","Rzepin","Rzeszów","Rzgów","Sandomierz","Sanok","Sejny","Serock","Sędziszów","Sędziszów Małopolski","Sępopol","Sępólno Krajeńskie","Sianów","Siechnice","Siedlce","Siemianowice Śląskie","Siemiatycze","Sieniawa","Sieradz","Sieraków","Sierpc","Siewierz","Skalbmierz","Skała","Skarszewy","Skaryszew","Skarżysko-Kamienna","Skawina","Skępe","Skierniewice","Skoczów","Skoki","Skórcz","Skwierzyna","Sława","Sławków","Sławno","Słomniki","Słubice","Słupca","Słupsk","Sobótka","Sochaczew","Sokołów Małopolski","Sokołów Podlaski","Sokółka","Solec Kujawski","Sompolno","Sopot","Sosnowiec","Sośnicowice","Stalowa Wola","Starachowice","Stargard Szczeciński","Starogard Gdański","Stary Sącz","Staszów","Stawiski","Stawiszyn","Stąporków","Stęszew","Stoczek Łukowski","Stronie Śląskie","Strumień","Stryków","Strzegom","Strzelce Krajeńskie","Strzelce Opolskie","Strzelin","Strzelno","Strzyżów","Sucha Beskidzka","Suchań","Suchedniów","Suchowola","Sulechów","Sulejów","Sulejówek","Sulęcin","Sulmierzyce","Sułkowice","Supraśl","Suraż","Susz","Suwałki","Swarzędz","Syców","Szadek","Szamocin","Szamotuły","Szczawnica","Szczawno-Zdrój","Szczebrzeszyn","Szczecin","Szczecinek","Szczekociny","Szczucin","Szczuczyn","Szczyrk","Szczytna","Szczytno","Szepietowo","Szklarska Poręba","Szlichtyngowa","Szprotawa","Sztum","Szubin","Szydłowiec","Ścinawa","Ślesin","Śmigiel","Śrem","Środa Śląska","Środa Wielkopolska","Świątniki Górne","Świdnica","Świdnik","Świdwin","Świebodzice","Świebodzin","Świecie","Świeradów-Zdrój","Świerzawa","Świętochłowice","Świnoujście","Tarczyn","Tarnobrzeg","Tarnogród","Tarnowskie Góry","Tarnów","Tczew","Terespol","Tłuszcz","Tolkmicko","Tomaszów Lubelski","Tomaszów Mazowiecki","Toruń","Torzym","Toszek","Trzcianka","Trzciel","Trzcińsko-Zdrój","Trzebiatów","Trzebinia","Trzebnica","Trzemeszno","Tuchola","Tuchów","Tuczno","Tuliszków","Turek","Tuszyn","Twardogóra","Tychowo","Tychy","Tyczyn","Tykocin","Tyszowce","Ujazd","Ujście","Ulanów","Uniejów","Ustka","Ustroń","Ustrzyki Dolne","Wadowice","Wałbrzych","Wałcz","Warka","Warszawa","Warta","Wasilków","Wąbrzeźno","Wąchock","Wągrowiec","Wąsosz","Wejherowo","Węgliniec","Węgorzewo","Węgorzyno","Węgrów","Wiązów","Wieleń","Wielichowo","Wieliczka","Wieluń","Wieruszów","Więcbork","Wilamowice","Wisła","Witkowo","Witnica","Wleń","Władysławowo","Włocławek","Włodawa","Włoszczowa","Wodzisław Śląski","Wojcieszów","Wojkowice","Wojnicz","Wolbórz","Wolbrom","Wolin","Wolsztyn","Wołczyn","Wołomin","Wołów","Woźniki","Wrocław","Wronki","Września","Wschowa","Wyrzysk","Wysoka","Wysokie Mazowieckie","Wyszków","Wyszogród","Wyśmierzyce","Zabłudów","Zabrze","Zagórów","Zagórz","Zakliczyn","Zakopane","Zakroczym","Zalewo","Zambrów","Zamość","Zator","Zawadzkie","Zawichost","Zawidów","Zawiercie","Ząbki","Ząbkowice Śląskie","Zbąszynek","Zbąszyń","Zduny","Zduńska Wola","Zdzieszowice","Zelów","Zgierz","Zgorzelec","Zielona Góra","Zielonka","Ziębice","Złocieniec","Złoczew","Złotoryja","Złotów","Złoty Stok","Zwierzyniec","Zwoleń","Żabno","Żagań","Żarki","Żarów","Żary","Żelechów","Żerków","Żmigród","Żnin","Żory","Żukowo","Żuromin","Żychlin","Żyrardów","Żywiec"],"country":["Afganistan","Albania","Algieria","Andora","Angola","Antigua i Barbuda","Arabia Saudyjska","Argentyna","Armenia","Australia","Austria","Azerbejdżan","Bahamy","Bahrajn","Bangladesz","Barbados","Belgia","Belize","Benin","Bhutan","Białoruś","Birma","Boliwia","Sucre","Bośnia i Hercegowina","Botswana","Brazylia","Brunei","Bułgaria","Burkina Faso","Burundi","Chile","Chiny","Chorwacja","Cypr","Czad","Czarnogóra","Czechy","Dania","Demokratyczna Republika Konga","Dominika","Dominikana","Dżibuti","Egipt","Ekwador","Erytrea","Estonia","Etiopia","Fidżi","Filipiny","Finlandia","Francja","Gabon","Gambia","Ghana","Grecja","Grenada","Gruzja","Gujana","Gwatemala","Gwinea","Gwinea Bissau","Gwinea Równikowa","Haiti","Hiszpania","Holandia","Haga","Honduras","Indie","Indonezja","Irak","Iran","Irlandia","Islandia","Izrael","Jamajka","Japonia","Jemen","Jordania","Kambodża","Kamerun","Kanada","Katar","Kazachstan","Kenia","Kirgistan","Kiribati","Kolumbia","Komory","Kongo","Korea Południowa","Korea Północna","Kostaryka","Kuba","Kuwejt","Laos","Lesotho","Liban","Liberia","Libia","Liechtenstein","Litwa","Luksemburg","Łotwa","Macedonia","Madagaskar","Malawi","Malediwy","Malezja","Mali","Malta","Maroko","Mauretania","Mauritius","Meksyk","Mikronezja","Mołdawia","Monako","Mongolia","Mozambik","Namibia","Nauru","Nepal","Niemcy","Niger","Nigeria","Nikaragua","Norwegia","Nowa Zelandia","Oman","Pakistan","Palau","Panama","Papua-Nowa Gwinea","Paragwaj","Peru","Polska","Portugalia","Republika Południowej Afryki","Republika Środkowoafrykańska","Republika Zielonego Przylądka","Rosja","Rumunia","Rwanda","Saint Kitts i Nevis","Saint Lucia","Saint Vincent i Grenadyny","Salwador","Samoa","San Marino","Senegal","Serbia","Seszele","Sierra Leone","Singapur","Słowacja","Słowenia","Somalia","Sri Lanka","Stany Zjednoczone","Suazi","Sudan","Sudan Południowy","Surinam","Syria","Szwajcaria","Szwecja","Tadżykistan","Tajlandia","Tanzania","Timor Wschodni","Togo","Tonga","Trynidad i Tobago","Tunezja","Turcja","Turkmenistan","Tuvalu","Funafuti","Uganda","Ukraina","Urugwaj","Uzbekistan","Vanuatu","Watykan","Wenezuela","Węgry","Wielka Brytania","Wietnam","Włochy","Wybrzeże Kości Słoniowej","Wyspy Marshalla","Wyspy Salomona","Wyspy Świętego Tomasza i Książęca","Zambia","Zimbabwe","Zjednoczone Emiraty Arabskie"],"default_country":["Polska"],"postcode":["##-###"],"secondary_address":["Apt. ###","Suite ###"],"state":["Dolnośląskie","Kujawsko-pomorskie","Lubelskie","Lubuskie","Łódzkie","Małopolskie","Mazowieckie","Opolskie","Podkarpackie","Podlaskie","Pomorskie","Śląskie","Świętokrzyskie","Warmińsko-mazurskie","Wielkopolskie","Zachodniopomorskie"],"state_abbr":["DŚ","KP","LB","LS","ŁD","MP","MZ","OP","PK","PL","PM","ŚL","ŚK","WM","WP","ZP"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_prefix} #{Name.last_name}"],"street_prefix":["ul.","al."]},"cell_phone":{"formats":["50-###-##-##","51-###-##-##","53-###-##-##","57-###-##-##","60-###-##-##","66-###-##-##","69-###-##-##","72-###-##-##","73-###-##-##","78-###-##-##","79-###-##-##","88-###-##-##"]},"company":{"bs":[["implement","utilize","integrate","streamline","optimize","evolve","transform","embrace","enable","orchestrate","leverage","reinvent","aggregate","architect","enhance","incentivize","morph","empower","envisioneer","monetize","harness","facilitate","seize","disintermediate","synergize","strategize","deploy","brand","grow","target","syndicate","synthesize","deliver","mesh","incubate","engage","maximize","benchmark","expedite","reintermediate","whiteboard","visualize","repurpose","innovate","scale","unleash","drive","extend","engineer","revolutionize","generate","exploit","transition","e-enable","iterate","cultivate","matrix","productize","redefine","recontextualize"],["clicks-and-mortar","value-added","vertical","proactive","robust","revolutionary","scalable","leading-edge","innovative","intuitive","strategic","e-business","mission-critical","sticky","one-to-one","24/7","end-to-end","global","B2B","B2C","granular","frictionless","virtual","viral","dynamic","24/365","best-of-breed","killer","magnetic","bleeding-edge","web-enabled","interactive","dot-com","sexy","back-end","real-time","efficient","front-end","distributed","seamless","extensible","turn-key","world-class","open-source","cross-platform","cross-media","synergistic","bricks-and-clicks","out-of-the-box","enterprise","integrated","impactful","wireless","transparent","next-generation","cutting-edge","user-centric","visionary","customized","ubiquitous","plug-and-play","collaborative","compelling","holistic","rich"],["synergies","web-readiness","paradigms","markets","partnerships","infrastructures","platforms","initiatives","channels","eyeballs","communities","ROI","solutions","e-tailers","e-services","action-items","portals","niches","technologies","content","vortals","supply-chains","convergence","relationships","architectures","interfaces","e-markets","e-commerce","systems","bandwidth","infomediaries","models","mindshare","deliverables","users","schemas","networks","applications","metrics","e-business","functionalities","experiences","web services","methodologies"]],"buzzwords":[["Adaptive","Advanced","Ameliorated","Assimilated","Automated","Balanced","Business-focused","Centralized","Cloned","Compatible","Configurable","Cross-group","Cross-platform","Customer-focused","Customizable","Decentralized","De-engineered","Devolved","Digitized","Distributed","Diverse","Down-sized","Enhanced","Enterprise-wide","Ergonomic","Exclusive","Expanded","Extended","Face to face","Focused","Front-line","Fully-configurable","Function-based","Fundamental","Future-proofed","Grass-roots","Horizontal","Implemented","Innovative","Integrated","Intuitive","Inverse","Managed","Mandatory","Monitored","Multi-channelled","Multi-lateral","Multi-layered","Multi-tiered","Networked","Object-based","Open-architected","Open-source","Operative","Optimized","Optional","Organic","Organized","Persevering","Persistent","Phased","Polarised","Pre-emptive","Proactive","Profit-focused","Profound","Programmable","Progressive","Public-key","Quality-focused","Reactive","Realigned","Re-contextualized","Re-engineered","Reduced","Reverse-engineered","Right-sized","Robust","Seamless","Secured","Self-enabling","Sharable","Stand-alone","Streamlined","Switchable","Synchronised","Synergistic","Synergized","Team-oriented","Total","Triple-buffered","Universal","Up-sized","Upgradable","User-centric","User-friendly","Versatile","Virtual","Visionary","Vision-oriented"],["24 hour","24/7","3rd generation","4th generation","5th generation","6th generation","actuating","analyzing","asymmetric","asynchronous","attitude-oriented","background","bandwidth-monitored","bi-directional","bifurcated","bottom-line","clear-thinking","client-driven","client-server","coherent","cohesive","composite","context-sensitive","contextually-based","content-based","dedicated","demand-driven","didactic","directional","discrete","disintermediate","dynamic","eco-centric","empowering","encompassing","even-keeled","executive","explicit","exuding","fault-tolerant","foreground","fresh-thinking","full-range","global","grid-enabled","heuristic","high-level","holistic","homogeneous","human-resource","hybrid","impactful","incremental","intangible","interactive","intermediate","leading edge","local","logistical","maximized","methodical","mission-critical","mobile","modular","motivating","multimedia","multi-state","multi-tasking","national","needs-based","neutral","next generation","non-volatile","object-oriented","optimal","optimizing","radical","real-time","reciprocal","regional","responsive","scalable","secondary","solution-oriented","stable","static","systematic","systemic","system-worthy","tangible","tertiary","transitional","uniform","upward-trending","user-facing","value-added","web-enabled","well-modulated","zero administration","zero defect","zero tolerance"],["ability","access","adapter","algorithm","alliance","analyzer","application","approach","architecture","archive","artificial intelligence","array","attitude","benchmark","budgetary management","capability","capacity","challenge","circuit","collaboration","complexity","concept","conglomeration","contingency","core","customer loyalty","database","data-warehouse","definition","emulation","encoding","encryption","extranet","firmware","flexibility","focus group","forecast","frame","framework","function","functionalities","Graphic Interface","groupware","Graphical User Interface","hardware","help-desk","hierarchy","hub","implementation","info-mediaries","infrastructure","initiative","installation","instruction set","interface","internet solution","intranet","knowledge user","knowledge base","local area network","leverage","matrices","matrix","methodology","middleware","migration","model","moderator","monitoring","moratorium","neural-net","open architecture","open system","orchestration","paradigm","parallelism","policy","portal","pricing structure","process improvement","product","productivity","project","projection","protocol","secured line","service-desk","software","solution","standardization","strategy","structure","success","superstructure","support","synergy","system engine","task-force","throughput","time-frame","toolset","utilisation","website","workforce"]],"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} and #{Name.last_name}"],"suffix":["S.A.","sp. z o.o.","sp. j.","sp.p.","sp. k.","S.K.A."]},"internet":{"domain_suffix":["com","pl","com.pl","net","org"],"free_email":["gmail.com","yahoo.com","hotmail.com"]},"lorem":{"supplemental":["abbas","abduco","abeo","abscido","absconditus","absens","absorbeo","absque","abstergo","absum","abundans","abutor","accedo","accendo","acceptus","accipio","accommodo","accusator","acer","acerbitas","acervus","acidus","acies","acquiro","acsi","adamo","adaugeo","addo","adduco","ademptio","adeo","adeptio","adfectus","adfero","adficio","adflicto","adhaero","adhuc","adicio","adimpleo","adinventitias","adipiscor","adiuvo","administratio","admiratio","admitto","admoneo","admoveo","adnuo","adopto","adsidue","adstringo","adsuesco","adsum","adulatio","adulescens","adultus","aduro","advenio","adversus","advoco","aedificium","aeger","aegre","aegrotatio","aegrus","aeneus","aequitas","aequus","aer","aestas","aestivus","aestus","aetas","aeternus","ager","aggero","aggredior","agnitio","agnosco","ago","ait","aiunt","alienus","alii","alioqui","aliqua","alius","allatus","alo","alter","altus","alveus","amaritudo","ambitus","ambulo","amicitia","amiculum","amissio","amita","amitto","amo","amor","amoveo","amplexus","amplitudo","amplus","ancilla","angelus","angulus","angustus","animadverto","animi","animus","annus","anser","ante","antea","antepono","antiquus","aperio","aperte","apostolus","apparatus","appello","appono","appositus","approbo","apto","aptus","apud","aqua","ara","aranea","arbitro","arbor","arbustum","arca","arceo","arcesso","arcus","argentum","argumentum","arguo","arma","armarium","armo","aro","ars","articulus","artificiose","arto","arx","ascisco","ascit","asper","aspicio","asporto","assentator","astrum","atavus","ater","atqui","atrocitas","atrox","attero","attollo","attonbitus","auctor","auctus","audacia","audax","audentia","audeo","audio","auditor","aufero","aureus","auris","aurum","aut","autem","autus","auxilium","avaritia","avarus","aveho","averto","avoco","baiulus","balbus","barba","bardus","basium","beatus","bellicus","bellum","bene","beneficium","benevolentia","benigne","bestia","bibo","bis","blandior","bonus","bos","brevis","cado","caecus","caelestis","caelum","calamitas","calcar","calco","calculus","callide","campana","candidus","canis","canonicus","canto","capillus","capio","capitulus","capto","caput","carbo","carcer","careo","caries","cariosus","caritas","carmen","carpo","carus","casso","caste","casus","catena","caterva","cattus","cauda","causa","caute","caveo","cavus","cedo","celebrer","celer","celo","cena","cenaculum","ceno","censura","centum","cerno","cernuus","certe","certo","certus","cervus","cetera","charisma","chirographum","cibo","cibus","cicuta","cilicium","cimentarius","ciminatio","cinis","circumvenio","cito","civis","civitas","clam","clamo","claro","clarus","claudeo","claustrum","clementia","clibanus","coadunatio","coaegresco","coepi","coerceo","cogito","cognatus","cognomen","cogo","cohaero","cohibeo","cohors","colligo","colloco","collum","colo","color","coma","combibo","comburo","comedo","comes","cometes","comis","comitatus","commemoro","comminor","commodo","communis","comparo","compello","complectus","compono","comprehendo","comptus","conatus","concedo","concido","conculco","condico","conduco","confero","confido","conforto","confugo","congregatio","conicio","coniecto","conitor","coniuratio","conor","conqueror","conscendo","conservo","considero","conspergo","constans","consuasor","contabesco","contego","contigo","contra","conturbo","conventus","convoco","copia","copiose","cornu","corona","corpus","correptius","corrigo","corroboro","corrumpo","coruscus","cotidie","crapula","cras","crastinus","creator","creber","crebro","credo","creo","creptio","crepusculum","cresco","creta","cribro","crinis","cruciamentum","crudelis","cruentus","crur","crustulum","crux","cubicularis","cubitum","cubo","cui","cuius","culpa","culpo","cultellus","cultura","cum","cunabula","cunae","cunctatio","cupiditas","cupio","cuppedia","cupressus","cur","cura","curatio","curia","curiositas","curis","curo","curriculum","currus","cursim","curso","cursus","curto","curtus","curvo","curvus","custodia","damnatio","damno","dapifer","debeo","debilito","decens","decerno","decet","decimus","decipio","decor","decretum","decumbo","dedecor","dedico","deduco","defaeco","defendo","defero","defessus","defetiscor","deficio","defigo","defleo","defluo","defungo","degenero","degero","degusto","deinde","delectatio","delego","deleo","delibero","delicate","delinquo","deludo","demens","demergo","demitto","demo","demonstro","demoror","demulceo","demum","denego","denique","dens","denuncio","denuo","deorsum","depereo","depono","depopulo","deporto","depraedor","deprecator","deprimo","depromo","depulso","deputo","derelinquo","derideo","deripio","desidero","desino","desipio","desolo","desparatus","despecto","despirmatio","infit","inflammatio","paens","patior","patria","patrocinor","patruus","pauci","paulatim","pauper","pax","peccatus","pecco","pecto","pectus","pecunia","pecus","peior","pel","ocer","socius","sodalitas","sol","soleo","solio","solitudo","solium","sollers","sollicito","solum","solus","solutio","solvo","somniculosus","somnus","sonitus","sono","sophismata","sopor","sordeo","sortitus","spargo","speciosus","spectaculum","speculum","sperno","spero","spes","spiculum","spiritus","spoliatio","sponte","stabilis","statim","statua","stella","stillicidium","stipes","stips","sto","strenuus","strues","studio","stultus","suadeo","suasoria","sub","subito","subiungo","sublime","subnecto","subseco","substantia","subvenio","succedo","succurro","sufficio","suffoco","suffragium","suggero","sui","sulum","sum","summa","summisse","summopere","sumo","sumptus","supellex","super","suppellex","supplanto","suppono","supra","surculus","surgo","sursum","suscipio","suspendo","sustineo","suus","synagoga","tabella","tabernus","tabesco","tabgo","tabula","taceo","tactus","taedium","talio","talis","talus","tam","tamdiu","tamen","tametsi","tamisium","tamquam","tandem","tantillus","tantum","tardus","tego","temeritas","temperantia","templum","temptatio","tempus","tenax","tendo","teneo","tener","tenuis","tenus","tepesco","tepidus","ter","terebro","teres","terga","tergeo","tergiversatio","tergo","tergum","termes","terminatio","tero","terra","terreo","territo","terror","tersus","tertius","testimonium","texo","textilis","textor","textus","thalassinus","theatrum","theca","thema","theologus","thermae","thesaurus","thesis","thorax","thymbra","thymum","tibi","timidus","timor","titulus","tolero","tollo","tondeo","tonsor","torqueo","torrens","tot","totidem","toties","totus","tracto","trado","traho","trans","tredecim","tremo","trepide","tres","tribuo","tricesimus","triduana","triginta","tripudio","tristis","triumphus","trucido","truculenter","tubineus","tui","tum","tumultus","tunc","turba","turbo","turpe","turpis","tutamen","tutis","tyrannus","uberrime","ubi","ulciscor","ullus","ulterius","ultio","ultra","umbra","umerus","umquam","una","unde","undique","universe","unus","urbanus","urbs","uredo","usitas","usque","ustilo","ustulo","usus","uter","uterque","utilis","utique","utor","utpote","utrimque","utroque","utrum","uxor","vaco","vacuus","vado","vae","valde","valens","valeo","valetudo","validus","vallum","vapulus","varietas","varius","vehemens","vel","velociter","velum","velut","venia","venio","ventito","ventosus","ventus","venustas","ver","verbera","verbum","vere","verecundia","vereor","vergo","veritas","vero","versus","verto","verumtamen","verus","vesco","vesica","vesper","vespillo","vester","vestigium","vestrum","vetus","via","vicinus","vicissitudo","victoria","victus","videlicet","video","viduata","viduo","vigilo","vigor","vilicus","vilis","vilitas","villa","vinco","vinculum","vindico","vinitor","vinum","vir","virga","virgo","viridis","viriliter","virtus","vis","viscus","vita","vitiosus","vitium","vito","vivo","vix","vobis","vociferor","voco","volaticus","volo","volubilis","voluntarius","volup","volutabrum","volva","vomer","vomica","vomito","vorago","vorax","voro","vos","votum","voveo","vox","vulariter","vulgaris","vulgivagus","vulgo","vulgus","vulnero","vulnus","vulpes","vulticulus","vultuosus","xiphias"],"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"first_name":["Aaron","Abraham","Adam","Adrian","Atanazy","Agaton","Alan","Albert","Aleksander","Aleksy","Alfred","Alwar","Ambroży","Anatol","Andrzej","Antoni","Apollinary","Apollo","Arkady","Arkadiusz","Archibald","Arystarch","Arnold","Arseniusz","Artur","August","Baldwin","Bazyli","Benedykt","Beniamin","Bernard","Bertrand","Bertram","Borys","Brajan","Bruno","Cezary","Cecyliusz","Karol","Krystian","Krzysztof","Klarencjusz","Klaudiusz","Klemens","Konrad","Konstanty","Konstantyn","Kornel","Korneliusz","Korneli","Cyryl","Cyrus","Damian","Daniel","Dariusz","Dawid","Dionizy","Demetriusz","Dominik","Donald","Dorian","Edgar","Edmund","Edward","Edwin","Efrem","Efraim","Eliasz","Eleazar","Emil","Emanuel","Erast","Ernest","Eugeniusz","Eustracjusz","Fabian","Feliks","Florian","Franciszek","Fryderyk","Gabriel","Gedeon","Galfryd","Jerzy","Gerald","Gerazym","Gilbert","Gonsalwy","Grzegorz","Gwido","Harald","Henryk","Herbert","Herman","Hilary","Horacy","Hubert","Hugo","Ignacy","Igor","Hilarion","Innocenty","Hipolit","Ireneusz","Erwin","Izaak","Izajasz","Izydor","Jakub","Jeremi","Jeremiasz","Hieronim","Gerald","Joachim","Jan","Janusz","Jonatan","Józef","Jozue","Julian","Juliusz","Justyn","Kalistrat","Kazimierz","Wawrzyniec","Laurenty","Laurencjusz","Łazarz","Leon","Leonard","Leonid","Leon","Ludwik","Łukasz","Lucjan","Magnus","Makary","Marceli","Marek","Marcin","Mateusz","Maurycy","Maksym","Maksymilian","Michał","Miron","Modest","Mojżesz","Natan","Natanael","Nazariusz","Nazary","Nestor","Mikołaj","Nikodem","Olaf","Oleg","Oliwier","Onufry","Orestes","Oskar","Ansgary","Osmund","Pankracy","Pantaleon","Patryk","Patrycjusz","Patrycy","Paweł","Piotr","Filemon","Filip","Platon","Polikarp","Porfiry","Porfiriusz","Prokles","Prokul","Prokop","Kwintyn","Randolf","Rafał","Rajmund","Reginald","Rajnold","Ryszard","Robert","Roderyk","Roger","Roland","Roman","Romeo","Reginald","Rudolf","Samson","Samuel","Salwator","Sebastian","Serafin","Sergiusz","Seweryn","Zygmunt","Sylwester","Szymon","Salomon","Spirydion","Stanisław","Szczepan","Stefan","Terencjusz","Teodor","Tomasz","Tymoteusz","Tobiasz","Walenty","Walentyn","Walerian","Walery","Wiktor","Wincenty","Witalis","Włodzimierz","Władysław","Błażej","Walter","Walgierz","Wacław","Wilfryd","Wilhelm","Ksawery","Ksenofont","Jerzy","Zachariasz","Zachary","Ada","Adelajda","Agata","Agnieszka","Agrypina","Aida","Aleksandra","Alicja","Alina","Amanda","Anastazja","Angela","Andżelika","Angelina","Anna","Hanna","Antonina","Ariadna","Aurora","Barbara","Beatrycze","Berta","Brygida","Kamila","Karolina","Karolina","Kornelia","Katarzyna","Cecylia","Karolina","Chloe","Krystyna","Klara","Klaudia","Klementyna","Konstancja","Koralia","Daria","Diana","Dina","Dorota","Edyta","Eleonora","Eliza","Elżbieta","Izabela","Elwira","Emilia","Estera","Eudoksja","Eudokia","Eugenia","Ewa","Ewelina","Ferdynanda","Florencja","Franciszka","Gabriela","Gertruda","Gloria","Gracja","Jadwiga","Helena","Henryka","Nadzieja","Ida","Ilona","Helena","Irena","Irma","Izabela","Izolda","Jakubina","Joanna","Janina","Żaneta","Joanna","Ginewra","Józefina","Judyta","Julia","Julia","Julita","Justyna","Kira","Cyra","Kleopatra","Larysa","Laura","Laurencja","Laurentyna","Lea","Leila","Eleonora","Liliana","Lilianna","Lilia","Lilla","Liza","Eliza","Laura","Ludwika","Luiza","Łucja","Lucja","Lidia","Amabela","Magdalena","Malwina","Małgorzata","Greta","Marianna","Maryna","Marta","Martyna","Maria","Matylda","Maja","Maja","Melania","Michalina","Monika","Nadzieja","Noemi","Natalia","Nikola","Nina","Olga","Olimpia","Oliwia","Ofelia","Patrycja","Paula","Pelagia","Penelopa","Filipa","Paulina","Rachela","Rebeka","Regina","Renata","Rozalia","Róża","Roksana","Rufina","Ruta","Sabina","Sara","Serafina","Sybilla","Sylwia","Zofia","Stella","Stefania","Zuzanna","Tamara","Tacjana","Tekla","Teodora","Teresa","Walentyna","Waleria","Wanesa","Wiara","Weronika","Wiktoria","Wirginia","Bibiana","Bibianna","Wanda","Wilhelmina","Ksawera","Ksenia","Zoe"],"last_name":["Adamczak","Adamczyk","Adamek","Adamiak","Adamiec","Adamowicz","Adamski","Adamus","Aleksandrowicz","Andrzejczak","Andrzejewski","Antczak","Augustyn","Augustyniak","Bagiński","Balcerzak","Banach","Banasiak","Banasik","Banaś","Baran","Baranowski","Barański","Bartczak","Bartkowiak","Bartnik","Bartosik","Bednarczyk","Bednarek","Bednarski","Bednarz","Białas","Białek","Białkowski","Bielak","Bielawski","Bielecki","Bielski","Bieniek","Biernacki","Biernat","Bieńkowski","Bilski","Bober","Bochenek","Bogucki","Bogusz","Borek","Borkowski","Borowiec","Borowski","Bożek","Broda","Brzeziński","Brzozowski","Buczek","Buczkowski","Buczyński","Budziński","Budzyński","Bujak","Bukowski","Burzyński","Bąk","Bąkowski","Błaszczak","Błaszczyk","Cebula","Chmiel","Chmielewski","Chmura","Chojnacki","Chojnowski","Cholewa","Chrzanowski","Chudzik","Cichocki","Cichoń","Cichy","Ciesielski","Cieśla","Cieślak","Cieślik","Ciszewski","Cybulski","Cygan","Czaja","Czajka","Czajkowski","Czapla","Czarnecki","Czech","Czechowski","Czekaj","Czerniak","Czerwiński","Czyż","Czyżewski","Dec","Dobosz","Dobrowolski","Dobrzyński","Domagała","Domański","Dominiak","Drabik","Drozd","Drozdowski","Drzewiecki","Dróżdż","Dubiel","Duda","Dudek","Dudziak","Dudzik","Dudziński","Duszyński","Dziedzic","Dziuba","Dąbek","Dąbkowski","Dąbrowski","Dębowski","Dębski","Długosz","Falkowski","Fijałkowski","Filipek","Filipiak","Filipowicz","Flak","Flis","Florczak","Florek","Frankowski","Frąckowiak","Frączek","Frątczak","Furman","Gadomski","Gajda","Gajewski","Gaweł","Gawlik","Gawron","Gawroński","Gałka","Gałązka","Gil","Godlewski","Golec","Gołąb","Gołębiewski","Gołębiowski","Grabowski","Graczyk","Grochowski","Grudzień","Gruszczyński","Gruszka","Grzegorczyk","Grzelak","Grzesiak","Grzesik","Grześkowiak","Grzyb","Grzybowski","Grzywacz","Gutowski","Guzik","Gwóźdź","Góra","Góral","Górecki","Górka","Górniak","Górny","Górski","Gąsior","Gąsiorowski","Głogowski","Głowacki","Głąb","Hajduk","Herman","Iwański","Izdebski","Jabłoński","Jackowski","Jagielski","Jagiełło","Jagodziński","Jakubiak","Jakubowski","Janas","Janiak","Janicki","Janik","Janiszewski","Jankowiak","Jankowski","Janowski","Janus","Janusz","Januszewski","Jaros","Jarosz","Jarząbek","Jasiński","Jastrzębski","Jaworski","Jaśkiewicz","Jezierski","Jurek","Jurkiewicz","Jurkowski","Juszczak","Jóźwiak","Jóźwik","Jędrzejczak","Jędrzejczyk","Jędrzejewski","Kacprzak","Kaczmarczyk","Kaczmarek","Kaczmarski","Kaczor","Kaczorowski","Kaczyński","Kaleta","Kalinowski","Kalisz","Kamiński","Kania","Kaniewski","Kapusta","Karaś","Karczewski","Karpiński","Karwowski","Kasperek","Kasprzak","Kasprzyk","Kaszuba","Kawa","Kawecki","Kałuża","Kaźmierczak","Kiełbasa","Kisiel","Kita","Klimczak","Klimek","Kmiecik","Kmieć","Knapik","Kobus","Kogut","Kolasa","Komorowski","Konieczna","Konieczny","Konopka","Kopczyński","Koper","Kopeć","Korzeniowski","Kos","Kosiński","Kosowski","Kostecki","Kostrzewa","Kot","Kotowski","Kowal","Kowalczuk","Kowalczyk","Kowalewski","Kowalik","Kowalski","Koza","Kozak","Kozieł","Kozioł","Kozłowski","Kołakowski","Kołodziej","Kołodziejczyk","Kołodziejski","Krajewski","Krakowiak","Krawczyk","Krawiec","Kruk","Krukowski","Krupa","Krupiński","Kruszewski","Krysiak","Krzemiński","Krzyżanowski","Król","Królikowski","Książek","Kubacki","Kubiak","Kubica","Kubicki","Kubik","Kuc","Kucharczyk","Kucharski","Kuchta","Kuciński","Kuczyński","Kujawa","Kujawski","Kula","Kulesza","Kulig","Kulik","Kuliński","Kurek","Kurowski","Kuś","Kwaśniewski","Kwiatkowski","Kwiecień","Kwieciński","Kędzierski","Kędziora","Kępa","Kłos","Kłosowski","Lach","Laskowski","Lasota","Lech","Lenart","Lesiak","Leszczyński","Lewandowski","Lewicki","Leśniak","Leśniewski","Lipiński","Lipka","Lipski","Lis","Lisiecki","Lisowski","Maciejewski","Maciąg","Mackiewicz","Madej","Maj","Majcher","Majchrzak","Majewski","Majka","Makowski","Malec","Malicki","Malinowski","Maliszewski","Marchewka","Marciniak","Marcinkowski","Marczak","Marek","Markiewicz","Markowski","Marszałek","Marzec","Masłowski","Matusiak","Matuszak","Matuszewski","Matysiak","Mazur","Mazurek","Mazurkiewicz","Maćkowiak","Małecki","Małek","Maślanka","Michalak","Michalczyk","Michalik","Michalski","Michałek","Michałowski","Mielczarek","Mierzejewski","Mika","Mikołajczak","Mikołajczyk","Mikulski","Milczarek","Milewski","Miller","Misiak","Misztal","Miśkiewicz","Modzelewski","Molenda","Morawski","Motyka","Mroczek","Mroczkowski","Mrozek","Mróz","Mucha","Murawski","Musiał","Muszyński","Młynarczyk","Napierała","Nawrocki","Nawrot","Niedziela","Niedzielski","Niedźwiecki","Niemczyk","Niemiec","Niewiadomski","Noga","Nowacki","Nowaczyk","Nowak","Nowakowski","Nowicki","Nowiński","Olczak","Olejniczak","Olejnik","Olszewski","Orzechowski","Orłowski","Osiński","Ossowski","Ostrowski","Owczarek","Paczkowski","Pająk","Pakuła","Paluch","Panek","Partyka","Pasternak","Paszkowski","Pawelec","Pawlak","Pawlicki","Pawlik","Pawlikowski","Pawłowski","Pałka","Piasecki","Piechota","Piekarski","Pietras","Pietruszka","Pietrzak","Pietrzyk","Pilarski","Pilch","Piotrowicz","Piotrowski","Piwowarczyk","Piórkowski","Piątek","Piątkowski","Piłat","Pluta","Podgórski","Polak","Popławski","Porębski","Prokop","Prus","Przybylski","Przybysz","Przybył","Przybyła","Ptak","Puchalski","Pytel","Płonka","Raczyński","Radecki","Radomski","Rak","Rakowski","Ratajczak","Robak","Rogala","Rogalski","Rogowski","Rojek","Romanowski","Rosa","Rosiak","Rosiński","Ruciński","Rudnicki","Rudziński","Rudzki","Rusin","Rutkowski","Rybak","Rybarczyk","Rybicki","Rzepka","Różański","Różycki","Sadowski","Sawicki","Serafin","Siedlecki","Sienkiewicz","Sieradzki","Sikora","Sikorski","Sitek","Siwek","Skalski","Skiba","Skibiński","Skoczylas","Skowron","Skowronek","Skowroński","Skrzypczak","Skrzypek","Skóra","Smoliński","Sobczak","Sobczyk","Sobieraj","Sobolewski","Socha","Sochacki","Sokołowski","Sokół","Sosnowski","Sowa","Sowiński","Sołtys","Sołtysiak","Sroka","Stachowiak","Stachowicz","Stachura","Stachurski","Stanek","Staniszewski","Stanisławski","Stankiewicz","Stasiak","Staszewski","Stawicki","Stec","Stefaniak","Stefański","Stelmach","Stolarczyk","Stolarski","Strzelczyk","Strzelecki","Stępień","Stępniak","Surma","Suski","Szafrański","Szatkowski","Szczepaniak","Szczepanik","Szczepański","Szczerba","Szcześniak","Szczygieł","Szczęsna","Szczęsny","Szeląg","Szewczyk","Szostak","Szulc","Szwarc","Szwed","Szydłowski","Szymański","Szymczak","Szymczyk","Szymkowiak","Szyszka","Sławiński","Słowik","Słowiński","Tarnowski","Tkaczyk","Tokarski","Tomala","Tomaszewski","Tomczak","Tomczyk","Tracz","Trojanowski","Trzciński","Trzeciak","Turek","Twardowski","Urban","Urbanek","Urbaniak","Urbanowicz","Urbańczyk","Urbański","Walczak","Walkowiak","Warchoł","Wasiak","Wasilewski","Wawrzyniak","Wesołowski","Wieczorek","Wierzbicki","Wilczek","Wilczyński","Wilk","Winiarski","Witczak","Witek","Witkowski","Wiącek","Więcek","Więckowski","Wiśniewski","Wnuk","Wojciechowski","Wojtas","Wojtasik","Wojtczak","Wojtkowiak","Wolak","Woliński","Wolny","Wolski","Woś","Woźniak","Wrona","Wroński","Wróbel","Wróblewski","Wypych","Wysocki","Wyszyński","Wójcicki","Wójcik","Wójtowicz","Wąsik","Węgrzyn","Włodarczyk","Włodarski","Zaborowski","Zabłocki","Zagórski","Zając","Zajączkowski","Zakrzewski","Zalewski","Zaremba","Zarzycki","Zaręba","Zawada","Zawadzki","Zdunek","Zieliński","Zielonka","Ziółkowski","Zięba","Ziętek","Zwoliński","Zych","Zygmunt","Łapiński","Łuczak","Łukasiewicz","Łukasik","Łukaszewski","Śliwa","Śliwiński","Ślusarczyk","Świderski","Świerczyński","Świątek","Żak","Żebrowski","Żmuda","Żuk","Żukowski","Żurawski","Żurek","Żyła"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{last_name}"],"prefix":["Pan","Pani"],"title":{"descriptor":["Lead","Senior","Direct","Corporate","Dynamic","Future","Product","National","Regional","District","Central","Global","Customer","Investor","Dynamic","International","Legacy","Forward","Internal","Human","Chief","Principal"],"job":["Supervisor","Associate","Executive","Liaison","Officer","Manager","Engineer","Specialist","Director","Coordinator","Administrator","Architect","Analyst","Designer","Planner","Orchestrator","Technician","Developer","Producer","Consultant","Assistant","Facilitator","Agent","Representative","Strategist"],"level":["Solutions","Program","Brand","Security","Research","Marketing","Directives","Implementation","Integration","Functionality","Response","Paradigm","Tactics","Identity","Markets","Group","Division","Applications","Optimization","Operations","Infrastructure","Intranet","Communications","Web","Branding","Quality","Assurance","Mobility","Accounts","Data","Creative","Configuration","Accountability","Interactions","Factors","Usability","Metrics"]}},"phone_number":{"formats":["12-###-##-##","13-###-##-##","14-###-##-##","15-###-##-##","16-###-##-##","17-###-##-##","18-###-##-##","22-###-##-##","23-###-##-##","24-###-##-##","25-###-##-##","29-###-##-##","32-###-##-##","33-###-##-##","34-###-##-##","41-###-##-##","42-###-##-##","43-###-##-##","44-###-##-##","46-###-##-##","48-###-##-##","52-###-##-##","54-###-##-##","55-###-##-##","56-###-##-##","58-###-##-##","59-###-##-##","61-###-##-##","62-###-##-##","63-###-##-##","65-###-##-##","67-###-##-##","68-###-##-##","71-###-##-##","74-###-##-##","75-###-##-##","76-###-##-##","77-###-##-##","81-###-##-##","82-###-##-##","83-###-##-##","84-###-##-##","85-###-##-##","86-###-##-##","87-###-##-##","89-###-##-##","91-###-##-##","94-###-##-##","95-###-##-##"]}}}); -I18n.translations["en-GB"] = I18n.extend((I18n.translations["en-GB"] || {}), {"faker":{"address":{"county":["Avon","Bedfordshire","Berkshire","Borders","Buckinghamshire","Cambridgeshire","Central","Cheshire","Cleveland","Clwyd","Cornwall","County Antrim","County Armagh","County Down","County Fermanagh","County Londonderry","County Tyrone","Cumbria","Derbyshire","Devon","Dorset","Dumfries and Galloway","Durham","Dyfed","East Sussex","Essex","Fife","Gloucestershire","Grampian","Greater Manchester","Gwent","Gwynedd County","Hampshire","Herefordshire","Hertfordshire","Highlands and Islands","Humberside","Isle of Wight","Kent","Lancashire","Leicestershire","Lincolnshire","Lothian","Merseyside","Mid Glamorgan","Norfolk","North Yorkshire","Northamptonshire","Northumberland","Nottinghamshire","Oxfordshire","Powys","Rutland","Shropshire","Somerset","South Glamorgan","South Yorkshire","Staffordshire","Strathclyde","Suffolk","Surrey","Tayside","Tyne and Wear","Warwickshire","West Glamorgan","West Midlands","West Sussex","West Yorkshire","Wiltshire","Worcestershire"],"default_country":["England","Scotland","Wales","Northern Ireland"],"postcode":"/[A-PR-UWYZ]([A-HK-Y][0-9][ABEHMNPRVWXY0-9]?|[0-9][ABCDEFGHJKPSTUW0-9]?) [0-9][ABD-HJLNP-UW-Z]{2}/","uk_country":["England","Scotland","Wales","Northern Ireland"]},"cell_phone":{"formats":["074## ######","075## ######","076## ######","077## ######","078## ######","079## ######"]},"internet":{"domain_suffix":["co.uk","com","biz","info","name"]},"phone_number":{"formats":["01#### #####","01### ######","01#1 ### ####","011# ### ####","02# #### ####","03## ### ####","055 #### ####","056 #### ####","0800 ### ####","08## ### ####","09## ### ####","016977 ####","01### #####","0500 ######","0800 ######"]}}}); -I18n.translations["nl"] = I18n.extend((I18n.translations["nl"] || {}), {"faker":{"address":{"building_number":["#","##","###","###a","###b","###c","### I","### II","### III"],"city":["#{Name.first_name}#{city_suffix}","#{Name.last_name}#{city_suffix}","#{city_prefix} #{Name.first_name}#{city_suffix}","#{city_prefix} #{Name.last_name}#{city_suffix}"],"city_prefix":["Noord","Oost","West","Zuid","Nieuw","Oud"],"city_suffix":["dam","berg"," aan de Rijn"," aan de IJssel","swaerd","endrecht","recht","ambacht","enmaes","wijk","sland","stroom","sluus","dijk","dorp","burg","veld","sluis","koop","lek","hout","geest","kerk","woude","hoven","hoten","ingen","plas","meer"],"country":["Afghanistan","Akrotiri","Albanië","Algerije","Amerikaanse Maagdeneilanden","Amerikaans-Samoa","Andorra","Angola","Anguilla","Antarctica","Antigua en Barbuda","Noordelijke IJszee","Argentinië","Armenië","Aruba","Ashmore- en Cartiereilanden","Atlantische Oceaan","Australië","Azerbeidzjan","Bahama's","Bahrein","Bangladesh","Barbados","Belarus","België","Belize","Benin","Bermuda","Bhutan","Bolivië","Bosnië-Herzegovina","Botswana","Bouveteiland","Brazilië","Brits Indische Oceaanterritorium","Britse Maagdeneilanden","Brunei","Bulgarije","Burkina Faso","Burundi","Cambodja","Canada","Caymaneilanden","Centraal-Afrikaanse Republiek","Chili","China","Christmaseiland","Clipperton","Cocoseilanden","Colombia","Comoren (Unie)","Congo (Democratische Republiek)","Congo (Volksrepubliek)","Cook","Coral Sea Islands","Costa Rica","Cuba","Cyprus","Denemarken","Dhekelia","Djibouti","Dominica","Dominicaanse Republiek","Duitsland","Ecuador","Egypte","El Salvador","Equatoriaal-Guinea","Eritrea","Estland","Ethiopië","Europese Unie","Falkland","Faeröer","Fiji","Filipijnen","Finland","Frankrijk","Frans-Polynesië","Franse Zuidelijke en Antarctische Gebieden","Gabon","Gambia","Gaza Strip","Georgië","Ghana","Gibraltar","Grenada","Griekenland","Groenland","Guam","Guatemala","Guernsey","Guinea","Guinee-Bissau","Guyana","Haïti","Heard en McDonaldeilanden","Heilige Stoel","Honduras","Hongarije","Hongkong","Ierland","IJsland","India","Indian Ocean","Indonesië","Irak","Iran","Isle of Man","Israël","Italië","Ivoorkust","Jamaica","Jan Mayen","Japan","Jemen","Jersey","Jordanië","Kaapverdië","Kameroen","Kazachstan","Kenia","Kirgizstan","Kiribati","Koeweit","Kroatië","Laos","Lesotho","Letland","Libanon","Liberia","Libië","Liechtenstein","Litouwen","Luxemburg","Macao","Macedonië","Madagaskar","Malawi","Maldiven","Maleisië","Mali","Malta","Marokko","Marshalleilanden","Mauritanië","Mauritius","Mayotte","Mexico","Micronesia, Federale Staten van","Moldavië","Monaco","Mongolië","Montenegro","Montserrat","Mozambique","Myanmar","Namibië","Nauru","Navassa","Nederland","Nederlandse Antillen","Nepal","Ngwane","Nicaragua","Nieuw-Caledonië","Nieuw-Zeeland","Niger","Nigeria","Niue","Noordelijke Marianen","Noord-Korea","Noorwegen","Norfolk (eiland)","Oekraïne","Oezbekistan","Oman","Oostenrijk","Grote Oceaan","Pakistan","Palau","Panama","Papoea-Nieuw-Guinea","Paracel Islands","Paraguay","Peru","Pitcairn","Polen","Portugal","Puerto Rico","Qatar","Roemenië","Rusland","Rwanda","Saint Helena","Saint Lucia","Saint Vincent en de Grenadines","Saint-Pierre en Miquelon","Salomon","Samoa","San Marino","São Tomé en Principe","Saudi-Arabië","Senegal","Servië","Seychellen","Sierra Leone","Singapore","Sint-Kitts en Nevis","Slovenië","Slowakije","Soedan","Somalië","South Georgia and the South Sandwich Islands","Zuidelijke Oceaan","Spanje","Spratly Islands","Sri Lanka","Suriname","Svalbard","Syrië","Tadzjikistan","Taiwan","Tanzania","Thailand","Timor Leste","Togo","Tokelau","Tonga","Trinidad en Tobago","Tsjaad","Tsjechië","Tunesië","Turkije","Turkmenistan","Turks-en Caicoseilanden","Tuvalu","Uganda","Uruguay","Vanuatu","Venezuela","Verenigd Koninkrijk","Verenigde Arabische Emiraten","Verenigde Staten van Amerika","Vietnam","Wake (eiland)","Wallis en Futuna","Wereld","Westelijke Jordaanoever","Westelijke Sahara","Zambia","Zimbabwe","Zuid-Afrika","Zuid-Korea","Zweden","Zwitserland"],"default_country":["Nederland"],"postcode":"/\\d{4} [A-Z]{2}(?\u003c!SA|SS|SD)/","secondary_address":["1 hoog","2 hoog","3 hoog"],"state":["Noord-Holland","Zuid-Holland","Utrecht","Zeeland","Overijssel","Gelderland","Drenthe","Friesland","Groningen","Noord-Brabant","Limburg"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{Name.first_name}#{street_suffix}","#{Name.last_name}#{street_suffix}"],"street_suffix":["straat","laan","weg","plantsoen","park"]},"company":{"suffix":["BV","V.O.F.","Group","en Zonen"]},"internet":{"domain_suffix":["nl","com","net","org"],"free_email":["gmail.com","yahoo.com","hotmail.nl","live.nl","outlook.com","kpnmail.nl"]},"lorem":{"supplemental":["abbas","abduco","abeo","abscido","absconditus","absens","absorbeo","absque","abstergo","absum","abundans","abutor","accedo","accendo","acceptus","accipio","accommodo","accusator","acer","acerbitas","acervus","acidus","acies","acquiro","acsi","adamo","adaugeo","addo","adduco","ademptio","adeo","adeptio","adfectus","adfero","adficio","adflicto","adhaero","adhuc","adicio","adimpleo","adinventitias","adipiscor","adiuvo","administratio","admiratio","admitto","admoneo","admoveo","adnuo","adopto","adsidue","adstringo","adsuesco","adsum","adulatio","adulescens","adultus","aduro","advenio","adversus","advoco","aedificium","aeger","aegre","aegrotatio","aegrus","aeneus","aequitas","aequus","aer","aestas","aestivus","aestus","aetas","aeternus","ager","aggero","aggredior","agnitio","agnosco","ago","ait","aiunt","alienus","alii","alioqui","aliqua","alius","allatus","alo","alter","altus","alveus","amaritudo","ambitus","ambulo","amicitia","amiculum","amissio","amita","amitto","amo","amor","amoveo","amplexus","amplitudo","amplus","ancilla","angelus","angulus","angustus","animadverto","animi","animus","annus","anser","ante","antea","antepono","antiquus","aperio","aperte","apostolus","apparatus","appello","appono","appositus","approbo","apto","aptus","apud","aqua","ara","aranea","arbitro","arbor","arbustum","arca","arceo","arcesso","arcus","argentum","argumentum","arguo","arma","armarium","armo","aro","ars","articulus","artificiose","arto","arx","ascisco","ascit","asper","aspicio","asporto","assentator","astrum","atavus","ater","atqui","atrocitas","atrox","attero","attollo","attonbitus","auctor","auctus","audacia","audax","audentia","audeo","audio","auditor","aufero","aureus","auris","aurum","aut","autem","autus","auxilium","avaritia","avarus","aveho","averto","avoco","baiulus","balbus","barba","bardus","basium","beatus","bellicus","bellum","bene","beneficium","benevolentia","benigne","bestia","bibo","bis","blandior","bonus","bos","brevis","cado","caecus","caelestis","caelum","calamitas","calcar","calco","calculus","callide","campana","candidus","canis","canonicus","canto","capillus","capio","capitulus","capto","caput","carbo","carcer","careo","caries","cariosus","caritas","carmen","carpo","carus","casso","caste","casus","catena","caterva","cattus","cauda","causa","caute","caveo","cavus","cedo","celebrer","celer","celo","cena","cenaculum","ceno","censura","centum","cerno","cernuus","certe","certo","certus","cervus","cetera","charisma","chirographum","cibo","cibus","cicuta","cilicium","cimentarius","ciminatio","cinis","circumvenio","cito","civis","civitas","clam","clamo","claro","clarus","claudeo","claustrum","clementia","clibanus","coadunatio","coaegresco","coepi","coerceo","cogito","cognatus","cognomen","cogo","cohaero","cohibeo","cohors","colligo","colloco","collum","colo","color","coma","combibo","comburo","comedo","comes","cometes","comis","comitatus","commemoro","comminor","commodo","communis","comparo","compello","complectus","compono","comprehendo","comptus","conatus","concedo","concido","conculco","condico","conduco","confero","confido","conforto","confugo","congregatio","conicio","coniecto","conitor","coniuratio","conor","conqueror","conscendo","conservo","considero","conspergo","constans","consuasor","contabesco","contego","contigo","contra","conturbo","conventus","convoco","copia","copiose","cornu","corona","corpus","correptius","corrigo","corroboro","corrumpo","coruscus","cotidie","crapula","cras","crastinus","creator","creber","crebro","credo","creo","creptio","crepusculum","cresco","creta","cribro","crinis","cruciamentum","crudelis","cruentus","crur","crustulum","crux","cubicularis","cubitum","cubo","cui","cuius","culpa","culpo","cultellus","cultura","cum","cunabula","cunae","cunctatio","cupiditas","cupio","cuppedia","cupressus","cur","cura","curatio","curia","curiositas","curis","curo","curriculum","currus","cursim","curso","cursus","curto","curtus","curvo","curvus","custodia","damnatio","damno","dapifer","debeo","debilito","decens","decerno","decet","decimus","decipio","decor","decretum","decumbo","dedecor","dedico","deduco","defaeco","defendo","defero","defessus","defetiscor","deficio","defigo","defleo","defluo","defungo","degenero","degero","degusto","deinde","delectatio","delego","deleo","delibero","delicate","delinquo","deludo","demens","demergo","demitto","demo","demonstro","demoror","demulceo","demum","denego","denique","dens","denuncio","denuo","deorsum","depereo","depono","depopulo","deporto","depraedor","deprecator","deprimo","depromo","depulso","deputo","derelinquo","derideo","deripio","desidero","desino","desipio","desolo","desparatus","despecto","despirmatio","infit","inflammatio","paens","patior","patria","patrocinor","patruus","pauci","paulatim","pauper","pax","peccatus","pecco","pecto","pectus","pecunia","pecus","peior","pel","ocer","socius","sodalitas","sol","soleo","solio","solitudo","solium","sollers","sollicito","solum","solus","solutio","solvo","somniculosus","somnus","sonitus","sono","sophismata","sopor","sordeo","sortitus","spargo","speciosus","spectaculum","speculum","sperno","spero","spes","spiculum","spiritus","spoliatio","sponte","stabilis","statim","statua","stella","stillicidium","stipes","stips","sto","strenuus","strues","studio","stultus","suadeo","suasoria","sub","subito","subiungo","sublime","subnecto","subseco","substantia","subvenio","succedo","succurro","sufficio","suffoco","suffragium","suggero","sui","sulum","sum","summa","summisse","summopere","sumo","sumptus","supellex","super","suppellex","supplanto","suppono","supra","surculus","surgo","sursum","suscipio","suspendo","sustineo","suus","synagoga","tabella","tabernus","tabesco","tabgo","tabula","taceo","tactus","taedium","talio","talis","talus","tam","tamdiu","tamen","tametsi","tamisium","tamquam","tandem","tantillus","tantum","tardus","tego","temeritas","temperantia","templum","temptatio","tempus","tenax","tendo","teneo","tener","tenuis","tenus","tepesco","tepidus","ter","terebro","teres","terga","tergeo","tergiversatio","tergo","tergum","termes","terminatio","tero","terra","terreo","territo","terror","tersus","tertius","testimonium","texo","textilis","textor","textus","thalassinus","theatrum","theca","thema","theologus","thermae","thesaurus","thesis","thorax","thymbra","thymum","tibi","timidus","timor","titulus","tolero","tollo","tondeo","tonsor","torqueo","torrens","tot","totidem","toties","totus","tracto","trado","traho","trans","tredecim","tremo","trepide","tres","tribuo","tricesimus","triduana","triginta","tripudio","tristis","triumphus","trucido","truculenter","tubineus","tui","tum","tumultus","tunc","turba","turbo","turpe","turpis","tutamen","tutis","tyrannus","uberrime","ubi","ulciscor","ullus","ulterius","ultio","ultra","umbra","umerus","umquam","una","unde","undique","universe","unus","urbanus","urbs","uredo","usitas","usque","ustilo","ustulo","usus","uter","uterque","utilis","utique","utor","utpote","utrimque","utroque","utrum","uxor","vaco","vacuus","vado","vae","valde","valens","valeo","valetudo","validus","vallum","vapulus","varietas","varius","vehemens","vel","velociter","velum","velut","venia","venio","ventito","ventosus","ventus","venustas","ver","verbera","verbum","vere","verecundia","vereor","vergo","veritas","vero","versus","verto","verumtamen","verus","vesco","vesica","vesper","vespillo","vester","vestigium","vestrum","vetus","via","vicinus","vicissitudo","victoria","victus","videlicet","video","viduata","viduo","vigilo","vigor","vilicus","vilis","vilitas","villa","vinco","vinculum","vindico","vinitor","vinum","vir","virga","virgo","viridis","viriliter","virtus","vis","viscus","vita","vitiosus","vitium","vito","vivo","vix","vobis","vociferor","voco","volaticus","volo","volubilis","voluntarius","volup","volutabrum","volva","vomer","vomica","vomito","vorago","vorax","voro","vos","votum","voveo","vox","vulariter","vulgaris","vulgivagus","vulgo","vulgus","vulnero","vulnus","vulpes","vulticulus","vultuosus","xiphias"],"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"first_name":["Aad","Aafje","Aagje","Aalbert","Abdelouahab","Abdul","Aart","Amber","Anna","Anne","Anouk","Arie","Bard","Bas","Bastiaan","Bauke","Beau","Bella","Bram","Britt","Bob","Caspar","Caterina","Catharina","Daan","Daniël","Dani","Daphne","Dick","Emma","Eva","Femke","Finn","Fleur","Henk","Iris","Isa","Jan","Jasper","Jayden","Jens","Jesse","Johannes","Julia","Julian","Kevin","Lars","Lieke","Lisa","Lotte","Lucas","Luuk","Maud","Max","Mike","Milan","Nick","Niels","Noa","Pascal","Rick","Roos","Ruben","Sander","Sanne","Sem","Sophie","Stijn","Sven","Tessa","Thijs","Thijs","Thomas","Tim","Tom","Tamara","Tanja","Tariq","Tes","Timo","Veerle","Vera","Viktor","Walid","Walter","Welmoed"],"last_name":["Bakker","Beek","Berg","Boer","Bos","Bosch","Brink","Broek","Brouwer","Bruin","Dam","Dekker","Dijk","Dijkstra","Graaf","Groot","Haan","Hendriks","Heuvel","Hoek","Jacobs","Jansen","Janssen","Jong","Klein","Kok","Koning","Koster","Leeuwen","Linden","Maas","Meer","Meijer","Mulder","Peters","Ruiter","Schouten","Smit","Smits","Stichting","Veen","Ven","Vermeulen","Visser","Vliet","Vos","Vries","Wal","Willems","Wit"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name} #{suffix}","#{first_name} #{last_name}","#{first_name} #{last_name}","#{first_name} #{tussenvoegsel} #{last_name}","#{first_name} #{tussenvoegsel} #{last_name}"],"prefix":["Dhr.","Mevr. Dr.","Bsc","Msc","Prof."],"suffix":["Jr.","Sr.","I","II","III","IV","V"],"tussenvoegsel":["van","van de","van den","van 't","van het","de","den"]},"phone_number":{"formats":["(####) ######","##########","06########","06 #### ####"]},"university":{"name":["#{University.prefix} #{Name.last_name}","#{University.prefix} #{Address.city}"],"prefix":["Universiteit","Hogeschool"]}}}); -I18n.translations["en-au-ocker"] = I18n.extend((I18n.translations["en-au-ocker"] || {}), {"faker":{"address":{"building_number":["####","###","##"],"city":["#{city_prefix}"],"city_prefix":["Bondi","Burleigh Heads","Carlton","Fitzroy","Fremantle","Glenelg","Manly","Noosa","Stones Corner","St Kilda","Surry Hills","Yarra Valley"],"default_country":["Australia"],"postcode":["0###","2###","3###","4###","5###","6###","7###"],"region":["South East Queensland","Wide Bay Burnett","Margaret River","Port Pirie","Gippsland","Elizabeth","Barossa"],"state":["New South Wales","Queensland","Northern Territory","South Australia","Western Australia","Tasmania","Australian Capital Territory","Victoria"],"state_abbr":["NSW","QLD","NT","SA","WA","TAS","ACT","VIC"],"street_name":["#{street_root}"],"street_root":["Ramsay Street","Bonnie Doon","Cavill Avenue","Queen Street"],"street_suffix":["Avenue","Boulevard","Circle","Circuit","Court","Crescent","Crest","Drive","Estate Dr","Grove","Hill","Island","Junction","Knoll","Lane","Loop","Mall","Manor","Meadow","Mews","Parade","Parkway","Pass","Place","Plaza","Ridge","Road","Run","Square","Station St","Street","Summit","Terrace","Track","Trail","View Rd","Way"]},"cell_phone":{"formats":["04##-###-###","(0) 4##-###-###","04## ### ###","04########","04## ## ## ##"]},"company":{"suffix":["Pty Ltd","and Sons","Corp","Group","Brothers","Partners"]},"internet":{"domain_suffix":["com.au","com","net.au","net","org.au","org"]},"name":{"first_name":["Charlene","Bruce","Charlotte","Ava","Chloe","Emily","Olivia","Zoe","Lily","Sophie","Amelia","Sofia","Ella","Isabella","Ruby","Sienna","Mia+3","Grace","Emma","Ivy","Layla","Abigail","Isla","Hannah","Zara","Lucy","Evie","Annabelle","Madison","Alice","Georgia","Maya","Madeline","Audrey","Scarlett","Isabelle","Chelsea","Mila","Holly","Indiana","Poppy","Harper","Sarah","Alyssa","Jasmine","Imogen","Hayley","Pheobe","Eva","Evelyn","Mackenzie","Ayla","Oliver","Jack","Jackson","William","Ethan","Charlie","Lucas","Cooper","Lachlan","Noah","Liam","Alexander","Max","Isaac","Thomas","Xavier","Oscar","Benjamin","Aiden","Mason","Samuel","James","Levi","Riley","Harrison","Ryan","Henry","Jacob","Joshua","Leo","Zach","Harry","Hunter","Flynn","Archie","Tyler","Elijah","Hayden","Jayden","Blake","Archer","Ashton","Sebastian","Zachery","Lincoln","Mitchell","Luca","Nathan","Kai","Connor","Tom","Nigel","Matt","Sean"],"last_name":["Smith","Jones","Williams","Brown","Wilson","Taylor","Morton","White","Martin","Anderson","Thompson","Nguyen","Thomas","Walker","Harris","Lee","Ryan","Robinson","Kelly","King","Rausch","Ridge","Connolly","LeQuesne"],"ocker_first_name":["Bazza","Bluey","Davo","Johno","Shano","Shazza","Wazza","Charl","Darl"]},"phone_number":{"formats":["0# #### ####","+61 # #### ####","+61 4## ### ###"]}}}); -I18n.translations["en-MS"] = I18n.extend((I18n.translations["en-MS"] || {}), {"faker":{"address":{"building_number":["##"],"city":["#{city_name}"],"city_name":["Subang Jaya","Kuala Lumpur","Johor Bahru","Ipoh","Klang","Seberang Perai","Ampang","Georgetown","Gombak","Kuching","Shah Alam","Seremban","Petaling Jaya","Cheras","Bandaraya Melaka","Kota Bharu","Kota Kinabalu","Kuantan","Sungai Petani","Kajang","Batu Pahat","Tawau","Sandakan","Alor Setar","Kuala Terengganu","Taiping","Miri","Kluang","Kulim","Selayang","Kulai","Sibu","Muar","Manjung","Perlis","Kubang Pasu","Sepang","Teluk Intan","Lahad Datu","Kota Tinggi","Segamat","Pasir Mas","Bintulu","Alor Gajah","Kerian","Batang Padang","Keningau","Kemaman","Temerloh","Kuala Kangsar","Pontian","Dungun","Tumpat","Kinabatangan","Besut","Semporna","Ledang","Baling","Jasin","Bachok","Papar","Penampang","Tanah Merah","Bentong","Pasir Puteh","Jempol","Maran","Port Dickson","Rompin","Pekan","Kuala Krai","Beluran","Sabak Bernam","Tuaran","Perak Tengah","Bera","Marang","Ranau","Raub","Pendang","Langkawi","Kota Belud","Machang","Serian","Hulu Perak","Jerantut","Gua Musang","Lipis","Samarahan","Labuan","Kudat","Tampin","Putrajaya","Hulu Terengganu","Mersing","Yan","Kota Marudu","Sik","Sri Aman","Beaufort","Kuala Pilah","Marudi","Kuala Nerang","Kunak","Betong","Sarikei","Tenom","Kapit","Putatan","Setiu","Bau","Pokok Sena","Limbang","Saratok","Rembau","Mukah","Bandar Baharu","Jeli","Simunjan","Jelebu","Pitas","Cameron Highlands","Lawas","Tambunan","Tongod","Belaga","Sipitang","Lundu","Nabawan","Asajaya","Daro","Tatau","Maradong","Kanowit","Lubok Antu","Selangau","Song","Kuala Penyu","Dalat","Matu","Julau","Pakan","Padawan","Lojing","Kampa","Muallim"],"default_country":["Malaysia"],"postcode":["#####"],"province":["Johor","Kedah","Kelantan","Melaka","Negeri Sembilan","Pahang","Pulau Pinang","Perak","Perlis","Selangor","Terengganu","Sabah","Sarawak","WP Kuala Lumpur","WP Labuan","WP Putrajaya"],"street_address":["No. #{building_number}, #{street_name}"],"street_name":["#{street_prefix} #{street_title}"],"street_prefix":["Jalan","Lorong","Pinggiran","Medan","Persiaran","Selekoh","Persisiran","Perkarangan","Pengkalan","Lurah","Lintang","Lingkungan","Lingkaran","Lengkung","Lengkok","Lebuhraya","Lebuh","Langgak","Laman","Halaman","Gerbang","Dataran","Bulatan","Laluan"],"street_title":["Makmur","Bukit Bintang","Bangsar","Chow Kit","Hang Jebat","Hang Tuah","Kinabalu","Kuching","Maharajalela","Masjid India","Istana","Pudu"]},"bank":{"name":["Affin Bank Berhad","Agro Bank Berhad","Alliance Bank Malaysia Berhad","AmBank Berhad","Bank Islam Berhad","Bank Muamalat Berhad","Bank Rakyat Berhad","Bank Simpanan Nasional","CIMB Bank Berhad","Hong Leong Bank Berhad","Malayan Banking Berhad","Public Bank Berhad","RHB Bank Berhad","Tabung Haji"]},"name":{"chinese_female_first_name":["Xiu Yi","Wai Teng","Sing Yee","Jing Yi","Jia Yee","Jia Xuan","Shu En","Pei Ying","Pei Yu","Pih Foung","Li-ann","Shi Xuan","Yi Xuan","Shu En","Yi Xin","Hui Juan","Yu En","Yihui","Xin Yi","Yun Xuan","Xuan Xuan"],"chinese_male_first_name":["Jin Quan","Wen Jun","Jun Jie","Cheng Han","Tze-Kwang","Jin Leong","Zi Liang","Zhi Ren","Jin Quan","Wen Jun","Chee Hin","Guo Jun","Kai Jie","Kun Qiang","Jun Kiat","Yong Zheng","Yong Jun","Chit Boon","You Ren","Wen Zhong","Yang Shun","Qi Guang","Kang Soon","Wee Heng","Kah Yang","Siew Beng","Jia Woei","Chean Meng","Wai Kay","Keng Hua","Yew Meng","Cheng Wen","Jiun Wei","Yee Sian","Shao Hong","Bin Shen","Wing Yiu","Ee Hong","Yu Pyn","Yong Sheng","Jun Peng","Jia Jie","Guang Yi","Si Heng","Wei Hou","Kang Sheng","Hong Ern","Jia Liang","Wei Lip","Wee Chen","Wee Leng","Yu Xi","Ming Yang","Wen Hao","Siang Meng","Mong Li","Ghim Huat","Jun Yi","Jie Kai","Zhiming","Wei Jie","Teng Qing","Wei Jian","Wei Kwan","Chee Chin"],"chinese_male_last_name":["Tan","Lim","Lee","Ng","Ong","Wong","Goh","Chua","Chan","Koh","Teo","Ang","Yeo","Tay","Ho","Low"],"first_name":["#{malay_male_first_name}","#{malay_female_first_name}","#{chinese_male_first_name}","#{chinese_female_first_name}"],"malay_female_first_name":["Siti","Aminah","Aiza","Hajar","Sofia","Dahlia","Akma","Nur","Sariha","Syazana","Nuratika","Farah"],"malay_male_first_name":["Abu","Ahmad","Malik","Osman","Abdullah","Abu Bakar","Azuan","Sulaiman","Daud","Azizi","Jaafar"],"name":["#{malay_male_first_name} bin #{malay_male_first_name}","#{malay_female_first_name} binti #{malay_male_first_name}","#{chinese_male_last_name} #{chinese_male_first_name}","#{chinese_female_first_name} #{chinese_male_first_name}","#{prefix} #{malay_male_first_name} bin #{malay_male_first_name}","#{prefix} #{malay_female_first_name} binti #{malay_male_first_name}","#{prefix} #{chinese_male_last_name} #{chinese_male_first_name}","#{prefix} #{chinese_female_first_name} #{chinese_male_first_name}"],"prefix":["Dato","Datin"]},"phone_number":{"formats":["03#######","+601########"]}}}); -I18n.translations["tr"] = I18n.extend((I18n.translations["tr"] || {}), {"faker":{"address":{"city":["#{city_name}"],"city_name":["İstanbul","İzmir","Eskişehir","Şırnak","Edirne","Van"],"country":["Afganistan","Amerika Birleşik Devletleri","Fransa","Hollanda","Belçika","Nepal","Hindistan","Kuala Lumpur","Rusya"],"default_country":["Turkey"]},"internet":{"domain_suffix":["co","com","com.tr","net","org"],"free_email":["gmail.com","hotmail.com.tr","yandex.com.tr"],"safe_email":["mesela.com"]},"name":{"first_name":["Mehmet","Yiğit","Batuhan","Burak","İrem","Buse","Selim","Caner"],"last_name":["Davut","Sağdıç","Özdemir","Özkanlı","Ekkaldır","Zengel","Eren"],"name":["#{prefix} #{first_name} #{last_name}","#{first_name} #{last_name}","#{last_name} #{first_name}"],"prefix":["Sn.","Av.","Dr."],"title":{"job":["Müdür","Şef","Koordinatör","Ajan","Hacı","Başkan","Reyiz"]}}}}); -I18n.translations["da-DK"] = I18n.extend((I18n.translations["da-DK"] || {}), {"faker":{"address":{"building_number":["###","##","#"],"city":["#{city_prefix}#{city_suffix}"],"city_prefix":["Nord","Birke","Ny","Frederiks","Lille","Vær","Ring","Støv","Sven","Munke","Kerte","Horn","Aa","Bør","Otte","Had","Vi","Rud","Bro","Vide","Jyde","Lange"],"city_suffix":["by","hus","borg","holm","bjerg","lund","bro","bæk","løse","slev","rød","å","sør","skov","slet","værk","strup","købing","sted","sten","kro","toft","ring","vig","bo"],"common_street_suffix":["vej","gade"],"country":["Rusland","Canada","Kina","USA","Brasilien","Australien","Indien","Argentina","Kasakhstan","Algeriet","Den Demokratiske Republik Congo","Danmark","Færøerne","Grønland","Saudi-Arabien","Mexico","Indonesien","Sudan","Libyen","Iran","Mongoliet","Peru","Chad","Niger","Angola","Mali","Sydafrika","Colombia","Etiopien","Bolivia","Mauretanien","Egypten","Tanzania","Nigeria","Venezuela","Namibia","Pakistan","Mocambique","Tyrkiet","Chile","Zambia","Marokko","Vestsahara","Burma","Afghanistan","Somalia","Den Centralafrikanske Republik","Sydsudan","Ukraine","Botswana","Madagaskar","Kenya","Frankrig","Fransk Guyana","Yemen","Thailand","Spanien","Turkmenistan","Cameroun","Papua Ny Guinea","Sverige","Usbekistan","Irak","Paraguay","Zimbabwe","Japan","Tyskland","Congo","Finland","Malaysia","Vietnam","Norge","Svalbard","Jan Mayen","Elfenbenskysten","Polen","Italien","Filippinerne","Ecuador","Burkina Faso","Nya Zealand","Gabon","Guinea","Storbritannien","Ghana","Rumænien","Laos","Uganda","Guyana","Oman","Hviderusland","Kirgisistan","Senegal","Syrien","Cambodja","Uruguay","Tunesien","Surinam","Nepal","Bangladesh","Tadsjikistan","Grækenland","Nicaragua","Eritrea","Nordkorea","Malawi","Benin","Honduras","Liberia","Bulgarien","Cuba","Guatemala","Island","Sydkorea","Ungarn","Portugal","Jordan","Serbien","Aserbajdsjan","Østrig","De Forenede Arabiske Emirater","Tjekkiet","Panama","Sierra Leone","Irland","Georgien","Sri Lanka","Litauen","Letland","Togo","Kroatien","Bosnien og Hercegovina","Costa Rica","Slovakiet","Den Dominikanske republik","Bhutan","Estland","Danmark","Færøerne","Grønland","Nederlænderne","Schweiz","Guinea-Bissau","Taiwan","Moldova","Belgien","Lesotho","Armenien","Albanien","Salomonøerne","Ækvatorialguinea","Burundi","Haiti","Rwanda","Makedonien","Djibouti","Belize","Israel","El Salvador","Slovenien","Fiji","Kuwait","Swaziland","Østtimor","Montenegro","Bahamas","Vanuatu","Qatar","Gambia","Jamaica","Kosovo","Libanon","Cypern","Brunei","Trinidad og Tobago","Kap Verde","Samoa","Luxembourg","Comorerne","Mauritius","São Tomé og Principe","Kiribati","Dominica","Tonga","Mikronesien","Singapore","Bahrain","Saint Lucia","Andorra","Palau","Seychellerne","Antigua og Barbuda","Barbados","Saint Vincent og Grenadinerne","Grenada","Malta","Maldiverne","Saint Kitts og Nevis","Marshalløerne","Liechtenstein","San Marino","Tuvalu","Nauru","Monaco","Vatikanstaten"],"default_country":["Danmark"],"postcode":["####"],"secondary_address":["Hus ###","# TH.","#TV.","# MF.","# ST."],"state":["Region Nordjylland","Region Midtjylland","Region Syddanmark","Region Hovedstaden","Region Sjælland"],"street_address":["#{street_name} #{building_number}"],"street_name":["#{street_root}#{street_suffix}","#{street_prefix} #{street_root}#{street_suffix}","#{Name.first_name}#{common_street_suffix}","#{Name.last_name}#{common_street_suffix}"],"street_prefix":["Vester","Øster","Nørre","Over","Under"],"street_root":["Lærke","Birke","Vinkel","Vibe","Mølle","Ring","Skole","Skov","Ny","Ege","Sol","Industri","Kirke","Park","Strand","Eng"],"street_suffix":["vej","gade","gyde","allé"]},"cell_phone":{"formats":["20 ## ## ##","30 ## ## ##","40 ## ## ##"]},"commerce":{"color":["hvid","sølv","grå","sort","rød","grøn","blå","gul","lilla","guld","brun","rosa"],"department":["Bøger","Film","Musik","Spil","Elektronik","Computere","Hus","Have","Værktøj","Fødevarer","Helse","Skønhed","Legetøj","Tøj","Sko","Smykker","Sport"],"name":["#{Address.city} #{suffix}"],"product_name":{"adjective":["Lille","Ergonomisk","Robust","Intelligent","Sød","Utrolig","Fantastisk","Praktisk","Slank","Fed","Enorm","Enkel","Tung","Let","Multianvendelig","Udholdende"],"material":["Stål","Metal","Træ","Beton","Plastic","Bomuld","Granit","Gummi","Latex","Læder","Silke","Uld","Ruskind","Linned","Marmor","Jern","Bronze","Kobber","Messing","Aluminium","Papir"],"product":["Stol","Bil","Computer","Buks","Trøje","Bord","Hat","Tallerken","Kniv","Flaske","Jakke","Lampe","Tastatur","Taske","Bænk","Ur","Pung"]}},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} #{suffix}"],"suffix":["A/S","ApS","I/S","IVS","Holding","SMBA","K/S","SPW"]},"internet":{"domain_suffix":["dk","nu","com"]},"name":{"first_name":["Peter","Jens","Lars","Michael","Henrik","Thomas","Søren","Jan","Christian","Niels","Anne","Kirsten","Hanne","Mette","Anna","Helle","Susanne","Lene","Maria","Marianne"],"last_name":["Nielsen","Jensen","Hansen","Pedersen","Andersen","Christensen","Larsen","Sørensen","Rasmussen","Jørgensen"],"name":["#{first_name} #{last_name}","#{prefix} #{first_name} #{last_name}"],"prefix":["Dr.","Prof.","Cand.mag.","Cand.jur."],"title":{"descriptor":["Leder","Senior","Fremtid","Produkt","National","Regional","Distrikt","Central","Global","Kunde","Investor","Dynamic","International","Legacy","Forward","Intern","HR","Direktør","Rektor"],"job":["Supervisor","Officer","Manager","Ingeniør","Specialist","Direktør","Koordinator","Administrator","Arkitekt","Analytiker","Designer","Planner","Tekniker","Udvikler","Producer","Konsultant","Assistant","Agent","Tillidsrepræsentant","Strateg"],"level":["Solutions","Program","Brand","Sikkerhed","Research","Marketing","Directives","Implementering","Integration","Funktionalitet","Respons","Paradigme","Taktik","Identitet","Markeder","Gruppe","Division","Applikationer","Optimering","Operationer","Infrastruktur","Intranet","Kommunikation","Web","Branding","Kvalitet","Kontrol","Mobilitet","Regnskab","Data","Kreativ","Konfiguration","Interaktioner","Faktorer","Anvendelighed","Metrik"]}},"phone_number":{"formats":["## ## ## ##","##-##-##-##"]}}}); -I18n.translations["vi"] = I18n.extend((I18n.translations["vi"] || {}), {"faker":{"address":{"city":["#{city_root}"],"city_root":["Bắc Giang","Bắc Kạn","Bắc Ninh","Cao Bằng","Điện Biên","Hà Giang","Hà Nam","Hà Tây","Hải Dương","TP Hải Phòng","Hòa Bình","Hưng Yên","Lai Châu","Lào Cai","Lạng Sơn","Nam Định","Ninh Bình","Phú Thọ","Quảng Ninh","Sơn La","Thái Bình","Thái Nguyên","Tuyên Quang","Vĩnh Phúc","Yên Bái","TP Đà Nẵng","Bình Định","Đắk Lắk","Đắk Nông","Gia Lai","Hà Tĩnh","Khánh Hòa","Kon Tum","Nghệ An","Phú Yên","Quảng Bình","Quảng Nam","Quảng Ngãi","Quảng Trị","Thanh Hóa","Thừa Thiên Huế","TP TP. Hồ Chí Minh","An Giang","Bà Rịa Vũng Tàu","Bạc Liêu","Bến Tre","Bình Dương","Bình Phước","Bình Thuận","Cà Mau","TP Cần Thơ","Đồng Nai","Đồng Tháp","Hậu Giang","Kiên Giang","Lâm Đồng","Long An","Ninh Thuận","Sóc Trăng","Tây Ninh","Tiền Giang","Trà Vinh","Vĩnh Long"],"county":["Avon","Bedfordshire","Berkshire","Borders","Buckinghamshire","Cambridgeshire","Central","Cheshire","Cleveland","Clwyd","Cornwall","County Antrim","County Armagh","County Down","County Fermanagh","County Londonderry","County Tyrone","Cumbria","Derbyshire","Devon","Dorset","Dumfries and Galloway","Durham","Dyfed","East Sussex","Essex","Fife","Gloucestershire","Grampian","Greater Manchester","Gwent","Gwynedd County","Hampshire","Herefordshire","Hertfordshire","Highlands and Islands","Humberside","Isle of Wight","Kent","Lancashire","Leicestershire","Lincolnshire","Lothian","Merseyside","Mid Glamorgan","Norfolk","North Yorkshire","Northamptonshire","Northumberland","Nottinghamshire","Oxfordshire","Powys","Rutland","Shropshire","Somerset","South Glamorgan","South Yorkshire","Staffordshire","Strathclyde","Suffolk","Surrey","Tayside","Tyne and Wear","Việt Nam","Warwickshire","West Glamorgan","West Midlands","West Sussex","West Yorkshire","Wiltshire","Worcestershire"],"default_country":["Việt Nam"],"postcode":"/[A-PR-UWYZ0-9][A-HK-Y0-9][AEHMNPRTVXY0-9]?[ABEHMNPRVWXY0-9]? {1,2}[0-9][ABD-HJLN-UW-Z]{2}/"},"cell_phone":{"formats":["074## ######","075## ######","076## ######","077## ######","078## ######","079## ######"]},"company":{"name":["#{prefix} #{Name.last_name}"],"prefix":["Công ty","Cty TNHH","Cty","Cửa hàng","Trung tâm","Chi nhánh"]},"internet":{"domain_suffix":["com","net","info","vn","com.vn"]},"lorem":{"words":["đã","đang","ừ","ờ","á","không","biết","gì","hết","đâu","nha","thế","thì","là","đánh","đá","đập","phá","viết","vẽ","tô","thuê","mướn","mượn","mua","một","hai","ba","bốn","năm","sáu","bảy","tám","chín","mười","thôi","việc","nghỉ","làm","nhà","cửa","xe","đạp","ác","độc","khoảng","khoan","thuyền","tàu","bè","lầu","xanh","đỏ","tím","vàng","kim","chỉ","khâu","may","vá","em","anh","yêu","thương","thích","con","cái","bàn","ghế","tủ","quần","áo","nón","dép","giày","lỗi","được","ghét","giết","chết","hết","tôi","bạn","tui","trời","trăng","mây","gió","máy","hàng","hóa","leo","núi","bơi","biển","chìm","xuồng","nước","ngọt","ruộng","đồng","quê","hương"]},"name":{"first_name":["Phạm","Nguyễn","Trần","Lê","Lý","Hoàng","Phan","Vũ","Tăng","Đặng","Bùi","Đỗ","Hồ","Ngô","Dương","Đào","Đoàn","Vương","Trịnh","Đinh","Lâm","Phùng","Mai","Tô","Trương","Hà"],"last_name":["Nam","Trung","Thanh","Thị","Văn","Dương","Tăng","Quốc","Như","Phạm","Nguyễn","Trần","Lê","Lý","Hoàng","Phan","Vũ","Tăng","Đặng","Bùi","Đỗ","Hồ","Ngô","Dương","Đào","Đoàn","Vương","Trịnh","Đinh","Lâm","Phùng","Mai","Tô","Trương","Hà","Vinh","Nhung","Hòa","Tiến","Tâm","Bửu","Loan","Hiền","Hải","Vân","Kha","Minh","Nhân","Triệu","Tuân","Hữu","Đức","Phú","Khoa","Thắgn","Sơn","Dung","Tú","Trinh","Thảo","Sa","Kim","Long","Thi","Cường","Ngọc","Sinh","Khang","Phong","Thắm","Thu","Thủy","Nhàn"],"name":["#{first_name} #{last_name}","#{first_name} #{last_name} #{last_name}","#{first_name} #{last_name} #{last_name} #{last_name}"]},"phone_number":{"formats":["01#### #####","01### ######","01#1 ### ####","011# ### ####","02# #### ####","03## ### ####","055 #### ####","056 #### ####","0800 ### ####","08## ### ####","09## ### ####","016977 ####","01### #####","0500 ######","0800 ######"]}}}); -I18n.translations["fi-FI"] = I18n.extend((I18n.translations["fi-FI"] || {}), {"faker":{"address":{"building_number":["###","##","#"],"city":["#{city_prefix}#{city_suffix}"],"city_prefix":["Haap","He","Kau","Oul","Ra","Ni","No","Ke","La","Or"],"city_suffix":["sjärvi","kano","ahe","inen","esi","uma","mi","inen","valta","mina"],"default_country":["Suomi"],"postcode":["#####"],"state":["Turun ja Porin lääni","Uudenmaan ja Hämeen lääni","Pohjanmaan lääni","Viipurin ja Savonlinnan lääni","Käkisalmen lääni","Savonlinnan ja Kymenkartanon lääni","Kymenkartanon ja Savon lääni"],"street_address":["#{street_name}#{building_number}"],"street_name":["#{Name.last_name}#{street_suffix}"],"street_suffix":["katu","gatan","ranta"]},"cell_phone":{"formats":["0##-#######"]},"name":{"first_name":["Erkki","Toni","Aki","Iiro","Marko","Henri","Juha","Iivari","Arto","Eelis","Markus","Olli","Eija","Helena","Anu","Riitta","Heta","Kanerva","Tytti","Saimi","Kaari","Emma","Elli"],"first_name_men":["Erkki","Toni","Aki","Iiro","Marko","Henri","Juha","Iivari","Arto","Eelis","Markus","Olli"],"first_name_women":["Eija","Helena","Anu","Riitta","Heta","Kanerva","Tytti","Saimi","Kaari","Emma","Elli"],"last_name":["Ahokas","Uotila","Pennanen","Meriluoto","Ilkka","Jantunen","Liukkonen","Eronen","Ojanen","Ruutu","Jantunen","Isometsä"],"name":["#{first_name} #{last_name}"]},"phone_number":{"formats":["##-######","###-#######"]}}}); -I18n.translations["en-BORK"] = I18n.extend((I18n.translations["en-BORK"] || {}), {"faker":{"lorem":{"words":["Boot","I","Nu","Nur","Tu","Um","a","becoose-a","boot","bork","burn","chuuses","cumplete-a","cun","cunseqooences","curcoomstunces","dee","deeslikes","denuoonceeng","desures","du","eccuoont","ectooel","edfuntege-a","efueeds","egeeen","ell","ere-a","feend","foolt","frum","geefe-a","gesh","greet","heem","heppeeness","hes","hoo","hoomun","idea","ifer","in","incuoonter","injuy","itselff","ixcept","ixemple-a","ixerceese-a","ixpleeen","ixplurer","ixpuoond","ixtremely","knoo","lebureeuoos","lufes","meestekee","mester-booeelder","moost","mun","nu","nut","oobteeen","oocceseeunelly","ooccoor","ooff","oone-a","oor","peeen","peeenffool","physeecel","pleesoore-a","poorsooe-a","poorsooes","preeesing","prucoore-a","prudooces","reeght","reshunelly","resooltunt","sume-a","teecheengs","teke-a","thees","thet","thuse-a","treefiel","troot","tu","tueel","und","undertekes","unnuyeeng","uny","unyune-a","us","veell","veet","ves","vheech","vhu","yuoo","zee","zeere-a"]}}}); -I18n.translations["pt-BR"] = I18n.extend((I18n.translations["pt-BR"] || {}), {"faker":{"address":{"building_number":["#####","####","###","s/n"],"city_prefix":["Nova","Velha","Grande","Vila","Município de"],"city_suffix":[" do Descoberto"," de Nossa Senhora"," do Norte"," do Sul"],"country":["Afeganistão","Albânia","Algéria","Samoa","Andorra","Angola","Anguilla","Antígua e Barbuda","Argentina","Armênia","Aruba","Austrália","Áustria","Azerbaijão","Bahamas","Barém","Bangladesh","Barbados","Belgrado","Bélgica","Belize","Benin","Bermuda","Butão","Bolívia","Bôsnia","Batasuna","Ilha Bouvet","Brasil","Arquipélago de Chagos","Ilhas Virgens","Brunei","Bulgária","Burkina Faso","Burundi","Camboja","Camarões","Canadá","Cabo Verde","Ilhas Cayman","República da África Central","Chade","Chile","China","Ilhas do Natal","Ilhas Cocos","Colômbia","Comores","Congo","Ilhas Cook","Costa Rica","Costa do Marfim","Croácia","Cuba","Chipre","República Checa","Dinamarca","Djibouti","Dominica","República Dominicana","Equador","Egito","El Salvador","Guiné Equatorial","Eritreia","Estônia","Etiópia","Ilhas Feroe","Ilhas Malvinas","Fiji","Finlândia","França","Guiné Francesa","Polinésia Francesa","Gabão","Gâmbia","Georgia","Alemanha","Gana","Gibraltar","Grécia","Groelândia","Granada","Guadalupe","Guano","Guatemala","Guernsey","Guiné","Guiné-Bissau","Guiana","Haiti","Ilha Heard e Ilhas McDonald","Vaticano","Honduras","Hong Kong","Hungria","Islândia","Índia","Indonésia","Irã","Iraque","Irlanda","Ilha de Man","Israel","Itália","Jamaica","Japão","Jersey","Jordânia","Cazaquistão","Quênia","Kiribati","Coreia do Norte","Coreia do Sul","Kuwait","Quirguistão","República Democrática Popular Lau","Latvia","Líbano","Lesoto","Libéria","Líbia","Liechtenstein","Lituânia","Luxemburgo","Macau","Macedônia","Madagascar","Malawi","Malásia","Maldivas","Mali","Malta","Ilhas Marshall","Martinica","Mauritânia","Maurícia","Mayotte","México","Micronésia","Moldávia","Mônaco","Mongólia","Montenegro","Montserrat","Marrocos","Moçambique","Myanmar","Namíbia","Nauru","Nepal","Antilhas Holandesas","Holanda","Nova Caledónia","Nova Zelândia","Nicarágua","Nigéria","Niue","Ilha Norfolk","Marianas Setentrionais","Noruega","Omã","Paquistão","Palau","Palestina","Panamá","Papua-Nova Guiné","Paraguai","Peru","Filipinas","Polônia","Portugal","Porto Rico","Catar","Romênia","Rússia","Ruanda","São Bartolomeu","Santa Helena","Santa Lúcia","Ilha de São Martinho","Saint-Pierre e Miquelon","São Vincente e Granadinas","Samoa","San Marino","Sao Tomé e Príncipe","Arábia Saudita","Senegal","Sérvia","Seicheles","Serra Leoa","Singapura","Eslováquia","Eslovênia","Ilhas Salomão","Somália","África do Sul","Geórgia do Sul e Ilhas Sandwich do Sul","Espanha","Sri Lanka","Sudão","Suriname","Ilhas Svalbard e Jan Mayen","Suazilândia","Suécia","Suíça","Síria","Taiwan","Tajiquistão","Tanzânia","Tailândia","Timor-Leste","Togo","Tokelau","Tonga","Trindade e Tobago","Tunísia","Turquia","Turcomenistão","Ilhas Turcas e Caicos","Tuvalu","Uganda","Ucrânia","Emirados Árabes Unidos","Reino Unido","Estados Unidos da América","Estados Unidos das Ilhas Virgens","Uruguai","Uzbequistão","Vanuatu","Venezuela","Vietnã","Wallis e Futuna","Saara Ocidental","Iémen","Zâmbia","Zimbábue"],"default_country":["Brasil"],"postcode":["#####-###"],"postcode_by_state":{"AC":"69###-###","AL":"57###-###","AM":"69###-###","AP":"68###-###","BA":"4####-###","CE":"60###-###","DF":"70###-###","GO":"72###-###","MA":"65###-###","MG":"3####-###","MS":"79###-###","MT":"78###-###","PA":"66###-###","PB":"58###-###","PE":"5####-###","PI":"64###-###","PR":"80###-###","RJ":"2####-###","RN":"59###-###","RS":"90###-###","SC":"88###-###","SE":"49###-###","SP":"1####-###","TO":"77###-###"},"secondary_address":["Apto. ###","Sobrado ##","Casa #","Lote ##","Quadra ##"],"state":["Acre","Alagoas","Amapá","Amazonas","Bahia","Ceará","Distrito Federal","Espírito Santo","Goiás","Maranhão","Mato Grosso","Mato Grosso do Sul","Minas Gerais","Pará","Paraíba","Paraná","Pernambuco","Piauí","Rio de Janeiro","Rio Grande do Norte","Rio Grande do Sul","Rondônia","Roraima","Santa Catarina","São Paulo","Sergipe","Tocantins"],"state_abbr":["AC","AL","AP","AM","BA","CE","DF","ES","GO","MA","MT","MS","PA","PB","PR","PE","PI","RJ","RN","RS","RO","RR","SC","SP"],"street_name":["#{street_suffix} #{Name.first_name}","#{street_suffix} #{Name.first_name} #{Name.last_name}"],"street_suffix":["Rua","Avenida","Travessa","Ponte","Alameda","Marginal","Viela","Rodovia"]},"color":{"name":["Abóbora","Amaranto","Amarelo","Âmbar","Ameixa","Ardósia","Azul","Azul-bebê","Azul-claro","Azul-cobalto","Azul-esverdeado","Azul-marinho","Azul-persa","Azul-violeta","Bege","Branco","Carmesim","Carmim","Cereja","Cerúleo","Champagne","Chocolate","Cinza","Coral","Escarlate","Framboesa","Índigo","Laranja","Lavanda","Lilás","Lima","Magenta","Marfim","Marrom","Oliva","Ouro","Pêssego","Prata","Preto","Rosa","rosa-arroxeado","Rosa-magenta","Roxo","Salmão","Turquesa","Uva","Verde","Verde-água","Verde-claro","Verde-jade","Verde-limão","Verde-primavera","Vermelho","Violeta"]},"company":{"name":["#{Name.last_name} #{suffix}","#{Name.last_name}-#{Name.last_name}","#{Name.last_name}, #{Name.last_name} e #{Name.last_name}"],"suffix":["S.A.","LTDA","e Associados","Comércio","EIRELI"]},"food":{"ingredients":["Abacate","Abacaxi","Abóbora","Açafrão","Achacha","Agar","Água De Côco","Água De Rosas","Aipo","Alcachofra","Alcaçuz","Alcaparras","Alecrim","Alface","Alfafa","Alho","Alho-Poró","Amaranto","Ameixa","Ameixas","Amêndoas","Amendoim","Amora","Anchovas","Anis","Araruta","Arroz","Arroz Integral","Arroz Japonês","Arroz Mascavo","Atum","Aveia","Avelã","Azeite","Azeitonas","Bacalhau","Bacon","Banana","Barramundi","Batata","Bérberis","Beringela","Berinjela","Beterraba","Bicarbonato De Sódio","Brócolis","Broto De Feijão","Brotos","Cacau","Cacau Em Pó","Café","Camarão","Camomila","Canela","Caqui","Carambola","Caranguejo","Cardamomo","Carne","Carne De Porco","Cassia Casca","Castanha De Caju","Castanha Do Pará","Castanha Portuguesa","Cebola","Cebolinha","Cebolinhas","Cenoura","Cenoura Roxa","Centeio","Cevada","Chá Verde","Chagas","Cheddar","Chocolate Amargo","Chuchu","Coco","Coentro","Cogumelo","Cogumelos Porcini","Cominho","Cordeiro","Couve","Couve-Flor","Cravo","Creme De Leite ","Creme De Queijo","Damasco","Damascos","Dente-De-Leão","Edamame","Erva-Doce","Ervilha","Eschallots","Espargos","Espinafre","Farinha","Farinha De Arroz","Farinha De Batata","Farinha De Grão-De-Bico","Farinha De Rosca","Farinha De Soja","Farinha De Tapioca","Farinha De Trigo","Feijão","Feijão Branco","Feijão Carioca","Fenacho","Fermento Em Pó","Fígado","Figo","Flocos De Milho","Flores De Lavanda","Framboesa","Frango","Fruta Di Conde","Fruta Do Dragão","Fubá","Geléia","Goiaba","Goiabada","Grão-De-Bico","Groselha","Hortelã","Hummus","Jewfish","Kiwi","Kombu","Lagosta","Laranja","Leite","Leite Condensado","Leite De Arroz","Leite De Cabra","Leite De Soja","Lemongrass","Lentilha","Lentilha Vermelha","Lichia","Limão","Linguado","Linguiça","Linhaça","Lula","Maçã","Maçã","Macadâmia","Macarrão","Macarrão De Arroz","Mamão","Mandarins","Manga","Manjerona","Manteiga","Maracujá","Margarina","Massa De Lasanha","Mel","Melaço","Melão","Mexilhão","Mexilhões","Missô","Molho De Ostras","Molho De Peixe","Molho De Soja","Mostarda","Mussarela","Nectarinas","Noodles Asiáticos","Noz-Moscada","Nozes","Óleo De Amêndoa","Óleo De Cártamo","Óleo De Côco","Óleo De Gergelim","Óleo De Linhaça","Óleo De Macadâmia","Óleo De Milho","Óleo De Oliva","Orégano","Ostras","Ovo","Pão","Pão Da Montanha","Pão De Forma","Pão Integral","Papel De Arroz","Pato","Pepino","Pêra","Pêssego","Picanha","Pimenta","Pimenta Chili","Pimenta Da Jamaica","Pimenta Verde","Pimentão","Pistache","Polenta","Polvo","Queijo Cottage","Queijo De Cabra","Queijo Parmesão","Queijo Prato","Queijo Provolone","Quiabo","Quinoa","Rabanete","Raisin","Raspas De Limão","Repolho","Repolho Vermelho","Ricotta","Rins","Romã","Rúcula","Sábio","Sake","Sal Marinho","Salmão","Salsicha","Salsisha","Sardinha","Semente Ajowan","Semente De Abóbora","Semente De Alcaravia","Semente De Mostarda","Semente De Papoila","Semente De Sésamo","Sementes Chia","Sementes De Gergelim","Semolina","Soja","Soletrado","Soro De Leite","Star Anise","Stevi","Suco De Maçã","Tangerina","Tiras De Banbu","Tortilla De Milho","Truta Defumada","Tubarão","Uva","Vagem","Verdes Asiáticos","Vieiras","Vinagre","Vinagre Balsâmico","Vinagre De Arroz Integral","Vinagre De Malte","Vinagre De Vinho Tinto","Vinho","Xarope De Agave","Xarope De Arroz","Xarope De milho"],"measurement_sizes":["Pitada","1/4","1/3","1/2","1","2","3"],"measurements":["Colher de Chá","Colher de Sopa","Copo Americano","Xícara","Litro"],"spices":["Açafrão","Açafrão-da-Terra ou Cúrcuma","Aceto","Aceto balsamico","Aipo Marrom","Aipo ou Salsão","Aji-no-moto","Albahaca","Alcaparra","Alcarávia","Alecrim","Alecrim (ou rosmarinho)","Alfavaca ou Basilicão","Alho","Alho desidratado","Alho-poró","Allspice","Aneto, Dill ou Endro","Anis","Araruta","Azedinha","Azeite-de-dendê","Basilico","Baunilha","Beldroega","Benishooga","Bouquet-garni","Cajun","Camomila","Canela","Canela em pó","Cardamomo","Cari","Caril","Casca de canela","Cássia","Cebola","Cebola Frita","Cebolinha","Cerefólio","Cheiro-verde","Chili","Chili Powder","Chipotle","Ciboulette","Coentro","Colorau ou Colorífico","Cominho","Cravo","Cravo-da-Índia","Cúrcuma","Curry ou Caril ou Garam Masala","Dente de Alho","Dill","Doenjang","Endro","Erva-doce","Erva-doce de cabeça","Ervas Finas ou Fines Herbes","Essência de amêndoa","Essência de baunilha","Essência de menta","Estragão ou Absinto Russo","Feno Grego","Fines Herbes","Folha de aipo","Folha de coentro","Funcho ou Erva-doce de cabeça","Funghi Secchi","Gengibre","Gergelim","Gochu jan","Herbes de Provence","Hissopo","Hondashi","Hortelã","Jalapeño","Lavanda francesa","Lemon Pepper","Losna","Louro","Ma’ward","Ma’zahr","Macis","Manjericão","Manjerona","Marasquino","Masala (Garam Masala)","Mirim","Misk","Missô","Mistura de cinco especiarias","Mistura de especiarias Dhansak","Molho de ostra","Mostarda","Nirá","Noz-moscada","Óleo de semente de gergelim","Orégano","Papoula","Paprica","Páprica","Pimenta","Pimenta branca","Pimenta Caiena","Pimenta Chili","Pimenta da Jamaica","Pimenta do reino","Pimenta síria ou Bhar","Pimenta Vermelha ou Calabresa","Pimenta-do-reino","Pimento Ground","Pimentões","Pimentón","Pimienta","Pimiento","Piripiri","Pó de mostarda","Quatre épices","Raiz Forte","Raspa de Gendibre","Raspa de limão","Raspa de Noz-moscada","Raspas de laranja","Rosmarino","Ruibarbo","Sal de aipo","Sal de tempero","Sal do himalaia","Sal do mar grosso","Salsa","Salsão","Salsinha","Sálvia","Segurelha ou Alfavaca-do-campo","Semente de aipo","Semente de alcaravia","Semente de coentro","Semente de mostarda Amarelo","Semente de mostarda branca","Semente de mostarda marrom","Semente de mostarda preto","Semente de papoila","Shoga (gengibre)","Shoyu","Summac","Tahine","Tamarindo","Tempero de churrasco","Tempero misto","Tomilho","Urucum","Wasabi","Zeste","Zimbro"]},"internet":{"domain_suffix":["br","com","biz","info","name","net","org"],"free_email":["gmail.com","yahoo.com","hotmail.com","live.com","bol.com.br"]},"lorem":{"words":["alias","consequatur","aut","perferendis","sit","voluptatem","accusantium","doloremque","aperiam","eaque","ipsa","quae","ab","illo","inventore","veritatis","et","quasi","architecto","beatae","vitae","dicta","sunt","explicabo","aspernatur","aut","odit","aut","fugit","sed","quia","consequuntur","magni","dolores","eos","qui","ratione","voluptatem","sequi","nesciunt","neque","dolorem","ipsum","quia","dolor","sit","amet","consectetur","adipisci","velit","sed","quia","non","numquam","eius","modi","tempora","incidunt","ut","labore","et","dolore","magnam","aliquam","quaerat","voluptatem","ut","enim","ad","minima","veniam","quis","nostrum","exercitationem","ullam","corporis","nemo","enim","ipsam","voluptatem","quia","voluptas","sit","suscipit","laboriosam","nisi","ut","aliquid","ex","ea","commodi","consequatur","quis","autem","vel","eum","iure","reprehenderit","qui","in","ea","voluptate","velit","esse","quam","nihil","molestiae","et","iusto","odio","dignissimos","ducimus","qui","blanditiis","praesentium","laudantium","totam","rem","voluptatum","deleniti","atque","corrupti","quos","dolores","et","quas","molestias","excepturi","sint","occaecati","cupiditate","non","provident","sed","ut","perspiciatis","unde","omnis","iste","natus","error","similique","sunt","in","culpa","qui","officia","deserunt","mollitia","animi","id","est","laborum","et","dolorum","fuga","et","harum","quidem","rerum","facilis","est","et","expedita","distinctio","nam","libero","tempore","cum","soluta","nobis","est","eligendi","optio","cumque","nihil","impedit","quo","porro","quisquam","est","qui","minus","id","quod","maxime","placeat","facere","possimus","omnis","voluptas","assumenda","est","omnis","dolor","repellendus","temporibus","autem","quibusdam","et","aut","consequatur","vel","illum","qui","dolorem","eum","fugiat","quo","voluptas","nulla","pariatur","at","vero","eos","et","accusamus","officiis","debitis","aut","rerum","necessitatibus","saepe","eveniet","ut","et","voluptates","repudiandae","sint","et","molestiae","non","recusandae","itaque","earum","rerum","hic","tenetur","a","sapiente","delectus","ut","aut","reiciendis","voluptatibus","maiores","doloribus","asperiores","repellat"]},"name":{"first_name":["Alessandro","Alexandre","Alice","Alícia","Aline","Amanda","Ana","Antônio","Arthur","Beatriz","Benício","Benjamin","Bernardo","Bianca","Breno","Bruna","Bryan","Caio","Carla","Carlos","Catarina","Cauã","Cecília","Célia","César","Clara","Dalila","Daniel","Danilo","Davi","Deneval","Djalma","Eduarda","Eduardo","Elísio","Emanuel","Emanuelly","Enrico","Enzo","Esther","Fabiano","Fábio","Fabrícia","Fabrício","Felícia","Feliciano","Felipe","Félix","Fernanda","Francisco","Frederico","Gabriel","Gabriela","Giovanna","Gúbio","Guilherme","Gustavo","Heitor","Helena","Hélio","Heloísa","Henrique","Hugo","Ígor","Isaac","Isabel","Isabela","Isabella","Isabelly","Isadora","Isis","Janaína","Joana","João","Joaquim","Júlia","Júlio","Karla","Kléber","Ladislau","Lara","Larissa","Laura","Lavínia","Leonardo","Letícia","Lívia","Lorena","Lorenzo","Lorraine","Lucas","Lucca","Luiza","Manuela","Marcela","Marcelo","Márcia","Márcio","Marcos","Margarida","Maria","Mariana","Marina","Marli","Matheus","Meire","Melissa","Mércia","Miguel","Morgana","Murilo","Natália","Nataniel","Nicolas","Nicole","Norberto","Núbia","Ofélia","Pablo","Paula","Paulo","Pedro","Pietro","Rafael","Rafaela","Raul","Rebeca","Ricardo","Roberta","Roberto","Salvador","Samuel","Sara","Sarah","Silas","Sílvia","Sirineu","Sophia","Suélen","Talita","Tertuliano","Theo","Thiago","Thomas","Valentina","Vicente","Víctor","Vinicius","Vitor","Vitória","Warley","Washington","Yago","Yango","Yasmin","Yuri","Adriana","Agatha","Alessandra","Allana","Ana Beatriz","Ana Cecília","Ana Clara","Ana Júlia","Ana Laura","Ana Lívia","Ana Luiza","Ana Sophia","Ana Vitória","André","Anthony","Antonella","Antonia","Arthur Gabriel","Arthur Henrique","Arthur Miguel","Augusto","Aurora","Ayla","Bárbara","Bento","Bruno","Calebe","Camila","Carlos Eduardo","Carolina","Clarice","Davi Lucas","Davi Lucas","Davi Lucca","Davi Lucca","Davi Luiz","Davi Miguel","Elisa","Eloah","Emilly","Enzo Gabriel","Enzo Gabriel","Enzo Miguel","Erick","Fernando","Francisca","Gabrielly","Gael","Giulia","Henry","Ian","Igor","Joao","João Gabriel","João Guilherme","João Lucas","João Lucas","João Miguel","João Miguel","João Pedro","João Pedro","João Vitor","João Vitor","José","Juliana","Kaique","Kauê","Laís","Levi","Liz","Louise","Luan","Luana","Lucas Gabriel","Luiz","Luiz Felipe","Luiz Gustavo","Luiz Henrique","Luiz Miguel","Luiz Otávio","Luna","Maitê","Malu","Marcia","Maria Alice","Maria Cecília","Maria Clara","Maria Eduarda","Maria Fernanda","Maria Flor","Maria Helena","Maria Isis","Maria Júlia","Maria Laura","Maria Luiza","Maria Sophia","Maria Valentina","Maria Vitória","Mariah","Mathias","Maya","Milena","Mirella","Nathan","Noah","Oliver","Olívia","Otávio","Patricia","Pedro Henrique","Pedro Henrique","Pedro Lucas","Pedro Miguel","Pérola","Pietra","Rodrigo","Ruan","Ryan","Sophie","Stella","Tiago","Tomás","Vinícius","Vitor Hugo"],"last_name":["Aguiar","Albuquerque","Almada","Almeida","Álvares","Alves","Ambrósio","Amoreira","Antena","Antunes","Aparício","Aragão","Arantes","Araújo","Aroeira","Arriaga","Assumpção","Banheira","Barata","Barbosa","Barreira","Barreto","Barros","Barroso","Batista","Beltrão","Bentes","Bernardes","Bittencourt","Bomdia","Bonfim","Bouças","Braga","Brites","Brum","Bulhões","Cabreira","Cachoeira","Caldas","Caldeira","Camacho","Campos","Cardoso","Carneiro","Carreira","Carvalheira","Carvalho","Caseira","Casqueira","Castanheira","Castanho","Castelo","Castro","Cavalcanti","Cerqueira","Chaves","Conceição","Coqueiro","Corrêa","Corte","Costa","Coutinho","Crespo","Cruz","Custódio","da Aldeia","da Bandeira","da Barra","da Barranca","da Conceição","da Costa","da Cruz","da Cunha","da Fonseca","da Fontoura","da Fronteira","da Gama","da Luz","da Madureira","da Maia","da Mata","da Mota","da Nóbrega","da Paz","da Penha","da Rocha","da Rosa","da Silva","da Silveira","da Terra","da Veiga","Dantas","das Neves","Datena","de Assunção","de Borba","de Lara","de Lins","de Oliveira","de Quadros","de Sá","Dias","Diegues","do Prado","Domingues","Dorneles","dos Reis","Duarte","Espinheira","Espinhosa","Esteves","Farias","Fernandes","Ferraço","Ferreira","Figueira","Filgueira","Fogaça","Fontes","Fontinhas","Franco","Freitas","Gabeira","Galego","Galvão","Garcês","Garcez","Gentil","Geraldes","Godinho","Godins","Gomes","Gomide","Gonçalves","Goulart","Grotas","Guedes","Guterres","Henriques","Hermingues","Hernandes","Jaques","Jesus","Junqueira","Laranjeira","Leiria","Lessa","Lima","Limeira","Lobos","Longuinho","Lopes","Louzada","Macedo","Macieira","Madeira","Mangueira","Marcondes","Marins","Marques","Martim","Martins","Matoso","Meira","Meireles","Melo","Mendanha","Mendes","Menendes","Modesto","Moniz","Monteira","Monteiro","Moraes","Morais","Moreira","Moreno","Moura","Munhoz","Muniz","Nascimento","Negrão","Neves","Nogueira","Novaes","Nunes","Oliveira","Ordonhes","Ornelas","Ouriques","Paes","Paiva","Palhares","Palmeira","Parreira","Passarinho","Pedroso","Peixoto","Pereira","Peres","Pimenta","Pinheira","Pinto","Pires","Porteira","Porto","Quaresma","Quarteira","Raia","Ramalho","Rameira","Ramires","Ramos","Rebouças","Rêgo","Regueira","Reis","Resende","Rezende","Ribas","Ribeira","Ribeiro","Rios","Rocha","Rodrigues","Rolim","Roriz","Roseira","Sá","Sais","Sales","Sanches","Santana","Santos","Saraiva","Silva","Silveira","Simão","Simões","Siqueira","Siqueiro","Soares","Soeira","Solimões","Souza","Tavares","Taveira","Teixeira","Teles","Vasques","Velasques","Veles","Veloso","Viana","Vidal","Videira","Vieira","Vimaranes","Viveiros","Xavier","Ximenes"],"prefix":["Sr.","Sra.","Srta.","Dr.","Dra."],"suffix":["Jr.","Neto","Filho"]},"phone_number":{"formats":["(##) ####-####","+55 (##) ####-####","(##) #####-####"]},"team":{"gentile":["Acriano","Alagoano","Amapaense","Amazonense","Baiano","Cearense","Brasiliense","Capixaba","Goiano","Maranhense","Mato-grossense","Sul-mato-grossense","Mineiro","Paraense","Paraibano","Paranaense","Pernambucano","Piauiense","Fluminense","Carioca","Potiguar","Gaúcho","Rondoniano","Roraimense","Catarinense","Paulista","Paulistano","Sergipano","Tocantinense"],"main_teams":["Flamengo","Fluminense","Botafogo","Vasco da Gama","Corinthians","Grêmio","Flamengo","Palmeiras","Santos","Coritiba","Cruzeiro","Ponte Preta","Chapecoense","Sport","São Paulo","Bahia","Vitória","Avaí","América"],"name":["#{Team.prefix} #{Team.gentile}","#{Team.main_teams}"],"prefix":["Grêmio","Atlético","Clube de Regatas","Esporte"],"sport":["handebol","basquete","futebol","UFC","volêi","tênis"]},"university":{"name":["#{University.prefix} #{Name.last_name} #{University.suffix}","#{University.prefix} do(a) #{Address.state} #{University.suffix}","#{University.prefix} do(a) #{Address.state}","#{University.prefix} #{University.region} do(a) #{Address.state}","#{University.prefix} #{University.region} do(a) #{Address.state} #{University.suffix}","#{University.prefix} #{Name.last_name} #{University.suffix}","#{University.prefix} #{Name.last_name}"],"prefix":["Universidade","Faculdade","Centro Tecnológico"],"region":["Federal","Estadual","Municipal","Rural","Regional","Católica","Metodista"],"suffix":["do Sul","do Norte","a Distância","EAD","do Leste","do Oeste","do Nordeste","do Suldeste","da Floresta Amazônica","da Caatinga","Atlântica"]}}}); -I18n.translations["uk"] = I18n.extend((I18n.translations["uk"] || {}), {"faker":{"address":{"building_number":["#","##","1##"],"city":["#{city_name}"],"city_name":["Алчевськ","Артемівськ","Бердичів","Бердянськ","Біла Церква","Бровари","Вінниця","Горлівка","Дніпродзержинськ","Дніпропетровськ","Донецьк","Євпаторія","Єнакієве","Житомир","Запоріжжя","Івано-Франківськ","Ізмаїл","Кам’янець-Подільський","Керч","Київ","Кіровоград","Конотоп","Краматорськ","Красний Луч","Кременчук","Кривий Ріг","Лисичанськ","Луганськ","Луцьк","Львів","Макіївка","Маріуполь","Мелітополь","Миколаїв","Мукачеве","Нікополь","Одеса","Олександрія","Павлоград","Полтава","Рівне","Севастополь","Сєвєродонецьк","Сімферополь","Слов’янськ","Суми","Тернопіль","Ужгород","Умань","Харків","Херсон","Хмельницький","Черкаси","Чернівці","Чернігів","Шостка","Ялта"],"city_prefix":"","city_suffix":"","country":["Австралія","Австрія","Азербайджан","Албанія","Алжир","Ангола","Андорра","Антигуа і Барбуда","Аргентина","Афганістан","Багамські Острови","Бангладеш","Барбадос","Бахрейн","Беліз","Бельгія","Бенін","Білорусь","Болгарія","Болівія","Боснія і Герцеговина","Ботсвана","Бразилія","Бруней","Буркіна-Фасо","Бурунді","Бутан","В’єтнам","Вануату","Ватикан","Велика Британія","Венесуела","Вірменія","Габон","Гаїті","Гайана","Гамбія","Гана","Гватемала","Гвінея","Гвінея-Бісау","Гондурас","Гренада","Греція","Грузія","Данія","Демократична Республіка Конго","Джибуті","Домініка","Домініканська Республіка","Еквадор","Екваторіальна Гвінея","Еритрея","Естонія","Ефіопія","Єгипет","Ємен","Замбія","Зімбабве","Ізраїль","Індія","Індонезія","Ірак","Іран","Ірландія","Ісландія","Іспанія","Італія","Йорданія","Кабо-Верде","Казахстан","Камбоджа","Камерун","Канада","Катар","Кенія","Киргизстан","Китай","Кіпр","Кірибаті","Колумбія","Коморські Острови","Конго","Коста-Рика","Кот-д’Івуар","Куба","Кувейт","Лаос","Латвія","Лесото","Литва","Ліберія","Ліван","Лівія","Ліхтенштейн","Люксембург","Маврикій","Мавританія","Мадаґаскар","Македонія","Малаві","Малайзія","Малі","Мальдіви","Мальта","Марокко","Маршаллові Острови","Мексика","Мозамбік","Молдова","Монако","Монголія","Намібія","Науру","Непал","Нігер","Нігерія","Нідерланди","Нікарагуа","Німеччина","Нова Зеландія","Норвегія","Об’єднані Арабські Емірати","Оман","Пакистан","Палау","Панама","Папуа-Нова Гвінея","Парагвай","Перу","Південна Корея","Південний Судан","Південно-Африканська Республіка","Північна Корея","Польща","Португалія","Російська Федерація","Руанда","Румунія","Сальвадор","Самоа","Сан-Марино","Сан-Томе і Принсіпі","Саудівська Аравія","Свазіленд","Сейшельські Острови","Сенеґал","Сент-Вінсент і Гренадини","Сент-Кітс і Невіс","Сент-Люсія","Сербія","Сирія","Сінгапур","Словаччина","Словенія","Соломонові Острови","Сомалі","Судан","Суринам","Східний Тимор","США","Сьєрра-Леоне","Таджикистан","Таїланд","Танзанія","Того","Тонга","Тринідад і Тобаго","Тувалу","Туніс","Туреччина","Туркменістан","Уганда","Угорщина","Узбекистан","Україна","Уругвай","Федеративні Штати Мікронезії","Фіджі","Філіппіни","Фінляндія","Франція","Хорватія","Центральноафриканська Республіка","Чад","Чехія","Чилі","Чорногорія","Швейцарія","Швеція","Шрі-Ланка","Ямайка","Японія"],"default_country":["Україна"],"feminine_street_prefix":["вул.","вулиця","пл.","площа"],"feminine_street_title":["Зелена","Молодіжна","Городоцька","Стрийська","Вузька","Староміська"],"masculine_street_prefix":["пр.","проспект","пров.","провулок"],"masculine_street_title":["Нижанківського","Ліста","Вічева","Рудного"],"postcode":["#####"],"secondary_address":["кв. #","кв. ##","кв. ###"],"state":["АР Крим","Вінницька область","Волинська область","Дніпропетровська область","Донецька область","Житомирська область","Закарпатська область","Запорізька область","Івано-Франківська область","Київська область","Кіровоградська область","Луганська область","Львівська область","Миколаївська область","Одеська область","Полтавська область","Рівненська область","Сумська область","Тернопільська область","Харківська область","Херсонська область","Хмельницька область","Черкаська область","Чернівецька область","Чернігівська область","Київ","Севастополь"],"state_abbr":"","street_address":["#{street_name}, #{building_number}"],"street_name":["#{feminine_street_prefix} #{feminine_street_title}","#{masculine_street_prefix} #{masculine_street_title}"],"street_prefix":["вул.","вулиця","пр.","проспект","пл.","площа","пров.","провулок"],"street_suffix":"","street_title":["Зелена","Молодіжна","Городоцька","Стрийська","Вузька","Нижанківського","Староміська","Ліста","Вічева","Брюховичів","Винників","Рудного","Коліївщини"]},"cell_phone":{"formats":["(044) ###-##-##","(050) ###-##-##","(063) ###-##-##","(066) ###-##-##","(073) ###-##-##","(091) ###-##-##","(092) ###-##-##","(093) ###-##-##","(094) ###-##-##","(095) ###-##-##","(096) ###-##-##","(097) ###-##-##","(098) ###-##-##","(099) ###-##-##"]},"commerce":{"color":["абрикосовий","аквамариновий","амарантовий","аметистовий","багряний","багряний","баклажановий","барвінковий","бежевий","блаватний","блакитний","блакитно-зелений","блакитно-фіолетовий","блідо-брунатний","блідо-волошковий","блідо-карміновий","блідо-каштановий","блідо-пурпурний","блідо-пісочний","блідо-рожевий","болотний","бронзовий","брунатний","брунатно-малиновий","бузковий","бурий","бурштиновий","білий","бірюзовий","бірюзовий","волошковий","гарбузовий","голубий","гірчичний","джинсовий","жовтий","жовто-зелений","жовто-коричневий","жовто-персиковий","зелений","зеленувато-блакитний","золотаво-березовий","золотий","золотисто-каштановий","каштановий","кобальтовий","кораловий","кремовий","кукурудзяний","лазуровий","лазурово-синій","латунний","лимонний","лимонно-кремовий","ліловий","малахітовий","малиновий","морквяний","мідний","м’ятний","небесно-блакитний","нефритовий","ніжно-блакитний","ніжно-рожевий","оливковий","опівнічно-синій","оранжево-рожевий","пастельно-зелений","пастельно-рожевий","персиковий","помаранчевий","помаранчево-персиковий","пурпурний","пшеничний","рожевий","рожево-ліловий","салатовий","сапфіровий","світло-синій","сиваво-зелений","синьо-фіолетовий","синій","сливовий","смарагдовий","срібний","сірий","темно-брунатний","темно-бірюзовий","темно-зелений","темно-золотий","темно-карміновий","темно-каштановий","темно-кораловий","темно-лососевий","темно-мандариновий","темно-оливковий","темно-персиковий","темно-рожевий","темно-синій","темно-фіолетовий","фіолетовий","червоний","червоно-коричневий","червоно-пурпурний","чорний","шафрановий","шоколадний","яскраво-бурштиновий","яскраво-бірюзовий","яскраво-зелений","яскраво-рожевий","яскраво-фіолетовий","ясно-брунатний","ясно-вишневий"],"department":["Книги","Фільми","Музика","Ігри","Електроніка","Комп’ютери","Дім","Садові інструменти","Бакалія","Здоров’я","Краса","Іграшки","Для дітей","Для немовлят","Одяг","Взуття","Прикраси","Спорт","Туризм","Для автомобілів","Промислові інструменти"],"product_name":{"adjective":["маленький","ергономічний","грубий","інтелектуальний","прекрасний","неймовірний","фантастичний","практичний","блискучий","вражаючий","величезний","важкий","легкий","аеродинамічний","міцний"],"material":["стальний","дерев’яний","бетонний","пластиковий","бавовняний","гранітний","гумовий","шкіряний","шовковий","шерстяний","мармуровий","бронзовий","мідний","алюмінієвий","паперовий"],"product":["стілець","автомобіль","комп’ютер","берет","кулон","стіл","светр","ремінь","ніж","піджак","годинник","гаманець","планшет","телефон","телевізор","стіл","холодильник","радіатор","молоток","унітаз","диван"]}},"company":{"name":["#{prefix} #{Name.female_first_name}","#{prefix} #{Name.male_first_name}","#{prefix} #{Name.male_last_name}","#{prefix} #{Address.city_name}#{product}#{suffix}","#{prefix} #{Address.city_name}#{suffix}"],"prefix":["ТОВ","ПАТ","ПрАТ","ТДВ","КТ","ПТ","ДП","ФОП"],"product":["вапняк","камінь","цемент","бурштин","пісок","метал","мазут","бітум","цегла","скло","дерево"],"suffix":["постач","торг","пром","трейд","збут"]},"internet":{"domain_suffix":["cherkassy.ua","cherkasy.ua","ck.ua","cn.ua","com.ua","crimea.ua","cv.ua","dn.ua","dnepropetrovsk.ua","dnipropetrovsk.ua","donetsk.ua","dp.ua","if.ua","in.ua","ivano-frankivsk.ua","kh.ua","kharkiv.ua","kharkov.ua","kherson.ua","khmelnitskiy.ua","kiev.ua","kirovograd.ua","km.ua","kr.ua","ks.ua","lg.ua","lt.ua","lugansk.ua","lutsk.ua","lutsk.net","lviv.ua","mk.ua","net.ua","nikolaev.ua","od.ua","odessa.ua","org.ua","pl.ua","pl.ua","poltava.ua","rovno.ua","rv.ua","sebastopol.ua","sm.ua","sumy.ua","te.ua","ternopil.ua","ua","uz.ua","uzhgorod.ua","vinnica.ua","vn.ua","volyn.net","volyn.ua","yalta.ua","zaporizhzhe.ua","zhitomir.ua","zp.ua","zt.ua","укр"],"free_email":["ukr.net","ex.ua","e-mail.ua","i.ua","meta.ua","yandex.ua","gmail.com"]},"name":{"female_first_name":["Аврелія","Аврора","Агапія","Агата","Агафія","Агнеса","Агнія","Агрипина","Ада","Аделаїда","Аделіна","Адріана","Азалія","Алевтина","Аліна","Алла","Альбіна","Альвіна","Анастасія","Анастасія","Анатолія","Ангеліна","Анжела","Анна","Антонида","Антоніна","Антонія","Анфіса","Аполлінарія","Аполлонія","Аркадія","Артемія","Афанасія","Білослава","Біляна","Благовіста","Богдана","Богуслава","Божена","Болеслава","Борислава","Броніслава","В’ячеслава","Валентина","Валерія","Варвара","Василина","Вікторія","Вілена","Віленіна","Віліна","Віола","Віолетта","Віра","Віргінія","Віта","Віталіна","Влада","Владислава","Власта","Всеслава","Галина","Ганна","Гелена","Далеслава","Дана","Дарина","Дарислава","Діана","Діяна","Добринка","Добромила","Добромира","Добромисла","Доброслава","Долеслава","Доляна","Жанна","Жозефіна","Забава","Звенислава","Зінаїда","Злата","Зореслава","Зорина","Зоряна","Зоя","Іванна","Ілона","Інна","Іннеса","Ірина","Ірма","Калина","Каріна","Катерина","Квітка","Квітослава","Клавдія","Крентта","Ксенія","Купава","Лада","Лариса","Леся","Ликера","Лідія","Лілія","Любава","Любислава","Любов","Любомила","Любомира","Люборада","Любослава","Людмила","Людомила","Майя","Мальва","Мар’яна","Марина","Марічка","Марія","Марта","Меланія","Мечислава","Милодара","Милослава","Мирослава","Мілана","Мокрина","Мотря","Мстислава","Надія","Наталія","Неля","Немира","Ніна","Огняна","Оксана","Олександра","Олена","Олеся","Ольга","Ореста","Орина","Орислава","Орися","Оріяна","Павліна","Палажка","Пелагея","Пелагія","Поліна","Поляна","Потішана","Радміла","Радослава","Раїна","Раїса","Роксолана","Ромена","Ростислава","Руслана","Світлана","Святослава","Слава","Сміяна","Сніжана","Соломія","Соня","Софія","Станислава","Сюзана","Таїсія","Тамара","Тетяна","Устина","Фаїна","Февронія","Федора","Феодосія","Харитина","Христина","Христя","Юліанна","Юлія","Юстина","Юхима","Юхимія","Яна","Ярина","Ярослава"],"female_last_name":["Андрухович","Бабух","Балабан","Балабуха","Балакун","Балицька","Бамбула","Бандера","Барановська","Бачей","Башук","Бердник","Білич","Бондаренко","Борецька","Боровська","Борочко","Боярчук","Брицька","Бурмило","Бутько","Василишина","Васильківська","Вергун","Вередун","Верещук","Витребенько","Вітряк","Волощук","Гайдук","Гайова","Гайчук","Галаєнко","Галатей","Галаціон","Гаман","Гамула","Ганич","Гарай","Гарун","Гладківська","Гладух","Глинська","Гнатишина","Гойко","Головець","Горбач","Гордійчук","Горова","Городоцька","Гречко","Григоришина","Гриневецька","Гриневська","Гришко","Громико","Данилишина","Данилко","Демків","Демчишина","Дзюб’як","Дзюба","Дідух","Дмитришина","Дмитрук","Довгалевська","Дурдинець","Євенко","Євпак","Ємець","Єрмак","Забіла","Зварич","Зінкевич","Зленко","Іванишина","Калач","Кандиба","Карпух","Кивач","Коваленко","Ковальська","Коломієць","Коман","Компанієць","Кононець","Кордун","Корецька","Корнїйчук","Коров’як","Коцюбинська","Кулинич","Кульчицька","Лагойда","Лазірко","Ланова","Латан","Латанська","Лахман","Левадовська","Ликович","Линдик","Ліхно","Лобачевська","Ломова","Лугова","Луцька","Луцьків","Лученко","Лучко","Люта","Лящук","Магера","Мазайло","Мазило","Мазун","Майборода","Майстренко","Маковецька","Малкович","Мамій","Маринич","Марієвська","Марків","Махно","Миклашевська","Миклухо","Милославська","Михайлюк","Міняйло","Могилевська","Москаль","Москалюк","Мотрієнко","Негода","Ногачевська","Опенько","Осадко","Павленко","Павлишина","Павлів","Пагутяк","Паламарчук","Палій","Паращук","Пасічник","Пендик","Петик","Петлюра","Петренко","Петрина","Петришина","Петрів","Плаксій","Погиба","Поліщук","Пономарів","Поривай","Поривайло","Потебенько","Потоцька","Пригода","Приймак","Притула","Прядун","Розпутня","Романишина","Ромей","Роменець","Ромочко","Савицька","Саєнко","Свидригайло","Семеночко","Семещук","Сердюк","Силецька","Сідлецька","Сідляк","Сірко","Скиба","Скоропадська","Слободян","Сосюра","Сплюха","Спотикач","Степанець","Стигайло","Сторожук","Сторчак","Стоян","Сучак","Сушко","Тарасюк","Тиндарей","Ткаченко","Третяк","Троян","Трублаєвська","Трясило","Трясун","Уманець","Унич","Усич","Федоришина","Цушко","Червоній","Шамрило","Шевченко","Шестак","Шиндарей","Шиян","Шкараба","Шудрик","Шумило","Шупик","Шухевич","Щербак","Юрчишина","Юхно","Ющик","Ющук","Яворівська","Ялова","Ялюк","Янюк","Ярмак","Яцишина","Яцьків","Ящук"],"female_middle_name":["Адамівна","Азарівна","Алевтинівна","Альбертівна","Анастасівна","Анатоліївна","Андріївна","Антонівна","Аркадіївна","Арсенівна","Арсеніївна","Артемівна","Архипівна","Аскольдівна","Афанасіївна","Білославівна","Богданівна","Божемирівна","Боженівна","Болеславівна","Боримирівна","Борисівна","Бориславівна","Братиславівна","В’ячеславівна","Вадимівна","Валентинівна","Валеріївна","Василівна","Вікторівна","Віталіївна","Владиславівна","Володимирівна","Всеволодівна","Всеславівна","Гаврилівна","Гарасимівна","Георгіївна","Гнатівна","Гордіївна","Григоріївна","Данилівна","Даромирівна","Денисівна","Дмитрівна","Добромирівна","Доброславівна","Євгенівна","Захарівна","Захаріївна","Збориславівна","Звенимирівна","Звениславівна","Зеновіївна","Зиновіївна","Златомирівна","Зореславівна","Іванівна","Ігорівна","Ізяславівна","Корнеліївна","Корнилівна","Корніївна","Костянтинівна","Лаврентіївна","Любомирівна","Макарівна","Максимівна","Марківна","Маркіянівна","Матвіївна","Мечиславівна","Микитівна","Миколаївна","Миронівна","Мирославівна","Михайлівна","Мстиславівна","Назарівна","Назаріївна","Натанівна","Немирівна","Несторівна","Олегівна","Олександрівна","Олексіївна","Олельківна","Омелянівна","Орестівна","Орхипівна","Остапівна","Охрімівна","Павлівна","Панасівна","Пантелеймонівна","Петрівна","Пилипівна","Радимирівна","Радимівна","Родіонівна","Романівна","Ростиславівна","Русланівна","Святославівна","Сергіївна","Славутівна","Станіславівна","Степанівна","Стефаніївна","Тарасівна","Тимофіївна","Тихонівна","Устимівна","Юріївна","Юхимівна","Ярославівна"],"first_name":["Августин","Аврелій","Адам","Адріян","Азарій","Алевтин","Альберт","Анастас","Анастасій","Анатолій","Андрій","Антін","Антон","Антоній","Аркадій","Арсен","Арсеній","Артем","Архип","Аскольд","Афанасій","Біломир","Білослав","Богдан","Божемир","Божен","Болеслав","Боримир","Боримисл","Борис","Борислав","Братимир","Братислав","Братомил","Братослав","Брячислав","Будимир","Буйтур","Буревіст","В’ячеслав","Вадим","Валентин","Валерій","Василь","Велемир","Віктор","Віталій","Влад","Владислав","Володимир","Володислав","Всевлад","Всеволод","Всеслав","Гаврило","Гарнослав","Геннадій","Георгій","Герасим","Гліб","Гнат","Гордій","Горимир","Горислав","Градимир","Григорій","Далемир","Данило","Дарій","Даромир","Денис","Дмитро","Добромир","Добромисл","Доброслав","Євген","Єремій","Захар","Захарій","Зборислав","Звенигор","Звенимир","Звенислав","Земислав","Зеновій","Зиновій","Злат","Златомир","Зоремир","Зореслав","Зорян","Іван","Ігор","Ізяслав","Ілля","Кий","Корнелій","Корнилій","Корнило","Корній","Костянтин","Кузьма","Лаврентій","Лаврін","Лад","Ладислав","Ладо","Ладомир","Левко","Листвич","Лук’ян","Любодар","Любозар","Любомир","Макар","Максим","Мар’ян","Маркіян","Марко","Матвій","Мечислав","Микита","Микола","Мирон","Мирослав","Михайло","Мстислав","Мусій","Назар","Назарій","Натан","Немир","Нестор","Олег","Олександр","Олексій","Олелько","Олесь","Омелян","Орест","Орхип","Остап","Охрім","Павло","Панас","Пантелеймон","Петро","Пилип","Подолян","Потап","Радим","Радимир","Ратибор","Ратимир","Родіон","Родослав","Роксолан","Роман","Ростислав","Руслан","Святополк","Святослав","Семибор","Сергій","Синьоок","Славолюб","Славомир","Славута","Сніжан","Сологуб","Станіслав","Степан","Стефаній","Стожар","Тарас","Тиміш","Тимофій","Тихон","Тур","Устим","Хвалимир","Хорив","Чорнота","Щастислав","Щек","Юліан","Юрій","Юхим","Ян","Ярема","Яровид","Яромил","Яромир","Ярополк","Ярослав"],"last_name":["Андрухович","Бабух","Балабан","Балабух","Балакун","Балицький","Бамбула","Бандера","Барановський","Бачей","Башук","Бердник","Білич","Бондаренко","Борецький","Боровський","Борочко","Боярчук","Брицький","Бурмило","Бутько","Василин","Василишин","Васильківський","Вергун","Вередун","Верещук","Витребенько","Вітряк","Волощук","Гайдук","Гайовий","Гайчук","Галаєнко","Галатей","Галаціон","Гаман","Гамула","Ганич","Гарай","Гарун","Гладківський","Гладух","Глинський","Гнатишин","Гойко","Головець","Горбач","Гордійчук","Горовий","Городоцький","Гречко","Григоришин","Гриневецький","Гриневський","Гришко","Громико","Данилишин","Данилко","Демків","Демчишин","Дзюб’як","Дзюба","Дідух","Дмитришин","Дмитрук","Довгалевський","Дурдинець","Євенко","Євпак","Ємець","Єрмак","Забіла","Зварич","Зінкевич","Зленко","Іванишин","Іванів","Іванців","Калач","Кандиба","Карпух","Каськів","Кивач","Коваленко","Ковальський","Коломієць","Коман","Компанієць","Кононець","Кордун","Корецький","Корнїйчук","Коров’як","Коцюбинський","Кулинич","Кульчицький","Лагойда","Лазірко","Лановий","Латаний","Латанський","Лахман","Левадовський","Ликович","Линдик","Ліхно","Лобачевський","Ломовий","Луговий","Луцький","Луцьків","Лученко","Лучко","Лютий","Лящук","Магера","Мазайло","Мазило","Мазун","Майборода","Майстренко","Маковецький","Малкович","Мамій","Маринич","Марієвський","Марків","Махно","Миклашевський","Миклухо","Милославський","Михайлюк","Міняйло","Могилевський","Москаль","Москалюк","Мотрієнко","Негода","Ногачевський","Опенько","Осадко","Павленко","Павлишин","Павлів","Пагутяк","Паламарчук","Палій","Паращук","Пасічник","Пендик","Петик","Петлюра","Петренко","Петрин","Петришин","Петрів","Плаксій","Погиба","Поліщук","Пономарів","Поривай","Поривайло","Потебенько","Потоцький","Пригода","Приймак","Притула","Прядун","Розпутній","Романишин","Романів","Ромей","Роменець","Ромочко","Савицький","Саєнко","Свидригайло","Семеночко","Семещук","Сердюк","Силецький","Сідлецький","Сідляк","Сірко","Скиба","Скоропадський","Слободян","Сосюра","Сплюх","Спотикач","Стахів","Степанець","Стецьків","Стигайло","Сторожук","Сторчак","Стоян","Сучак","Сушко","Тарасюк","Тиндарей","Ткаченко","Третяк","Троян","Трублаєвський","Трясило","Трясун","Уманець","Унич","Усич","Федоришин","Хитрово","Цимбалістий","Цушко","Червоній","Шамрило","Шевченко","Шестак","Шиндарей","Шиян","Шкараба","Шудрик","Шумило","Шупик","Шухевич","Щербак","Юрчишин","Юхно","Ющик","Ющук","Яворівський","Яловий","Ялюк","Янюк","Ярмак","Яцишин","Яцьків","Ящук"],"male_first_name":["Августин","Аврелій","Адам","Адріян","Азарій","Алевтин","Альберт","Анастас","Анастасій","Анатолій","Андрій","Антін","Антон","Антоній","Аркадій","Арсен","Арсеній","Артем","Архип","Аскольд","Афанасій","Біломир","Білослав","Богдан","Божемир","Божен","Болеслав","Боримир","Боримисл","Борис","Борислав","Братимир","Братислав","Братомил","Братослав","Брячислав","Будимир","Буйтур","Буревіст","В’ячеслав","Вадим","Валентин","Валерій","Василь","Велемир","Віктор","Віталій","Влад","Владислав","Володимир","Володислав","Всевлад","Всеволод","Всеслав","Гаврило","Гарнослав","Геннадій","Георгій","Герасим","Гліб","Гнат","Гордій","Горимир","Горислав","Градимир","Григорій","Далемир","Данило","Дарій","Даромир","Денис","Дмитро","Добромир","Добромисл","Доброслав","Євген","Єремій","Захар","Захарій","Зборислав","Звенигор","Звенимир","Звенислав","Земислав","Зеновій","Зиновій","Злат","Златомир","Зоремир","Зореслав","Зорян","Іван","Ігор","Ізяслав","Ілля","Кий","Корнелій","Корнилій","Корнило","Корній","Костянтин","Кузьма","Лаврентій","Лаврін","Лад","Ладислав","Ладо","Ладомир","Левко","Листвич","Лук’ян","Любодар","Любозар","Любомир","Макар","Максим","Мар’ян","Маркіян","Марко","Матвій","Мечислав","Микита","Микола","Мирон","Мирослав","Михайло","Мстислав","Мусій","Назар","Назарій","Натан","Немир","Нестор","Олег","Олександр","Олексій","Олелько","Олесь","Омелян","Орест","Орхип","Остап","Охрім","Павло","Панас","Пантелеймон","Петро","Пилип","Подолян","Потап","Радим","Радимир","Ратибор","Ратимир","Родіон","Родослав","Роксолан","Роман","Ростислав","Руслан","Святополк","Святослав","Семибор","Сергій","Синьоок","Славолюб","Славомир","Славута","Сніжан","Сологуб","Станіслав","Степан","Стефаній","Стожар","Тарас","Тиміш","Тимофій","Тихон","Тур","Устим","Хвалимир","Хорив","Чорнота","Щастислав","Щек","Юліан","Юрій","Юхим","Ян","Ярема","Яровид","Яромил","Яромир","Ярополк","Ярослав"],"male_last_name":["Андрухович","Бабух","Балабан","Балабух","Балакун","Балицький","Бамбула","Бандера","Барановський","Бачей","Башук","Бердник","Білич","Бондаренко","Борецький","Боровський","Борочко","Боярчук","Брицький","Бурмило","Бутько","Василин","Василишин","Васильківський","Вергун","Вередун","Верещук","Витребенько","Вітряк","Волощук","Гайдук","Гайовий","Гайчук","Галаєнко","Галатей","Галаціон","Гаман","Гамула","Ганич","Гарай","Гарун","Гладківський","Гладух","Глинський","Гнатишин","Гойко","Головець","Горбач","Гордійчук","Горовий","Городоцький","Гречко","Григоришин","Гриневецький","Гриневський","Гришко","Громико","Данилишин","Данилко","Демків","Демчишин","Дзюб’як","Дзюба","Дідух","Дмитришин","Дмитрук","Довгалевський","Дурдинець","Євенко","Євпак","Ємець","Єрмак","Забіла","Зварич","Зінкевич","Зленко","Іванишин","Іванів","Іванців","Калач","Кандиба","Карпух","Каськів","Кивач","Коваленко","Ковальський","Коломієць","Коман","Компанієць","Кононець","Кордун","Корецький","Корнїйчук","Коров’як","Коцюбинський","Кулинич","Кульчицький","Лагойда","Лазірко","Лановий","Латаний","Латанський","Лахман","Левадовський","Ликович","Линдик","Ліхно","Лобачевський","Ломовий","Луговий","Луцький","Луцьків","Лученко","Лучко","Лютий","Лящук","Магера","Мазайло","Мазило","Мазун","Майборода","Майстренко","Маковецький","Малкович","Мамій","Маринич","Марієвський","Марків","Махно","Миклашевський","Миклухо","Милославський","Михайлюк","Міняйло","Могилевський","Москаль","Москалюк","Мотрієнко","Негода","Ногачевський","Опенько","Осадко","Павленко","Павлишин","Павлів","Пагутяк","Паламарчук","Палій","Паращук","Пасічник","Пендик","Петик","Петлюра","Петренко","Петрин","Петришин","Петрів","Плаксій","Погиба","Поліщук","Пономарів","Поривай","Поривайло","Потебенько","Потоцький","Пригода","Приймак","Притула","Прядун","Розпутній","Романишин","Романів","Ромей","Роменець","Ромочко","Савицький","Саєнко","Свидригайло","Семеночко","Семещук","Сердюк","Силецький","Сідлецький","Сідляк","Сірко","Скиба","Скоропадський","Слободян","Сосюра","Сплюх","Спотикач","Стахів","Степанець","Стецьків","Стигайло","Сторожук","Сторчак","Стоян","Сучак","Сушко","Тарасюк","Тиндарей","Ткаченко","Третяк","Троян","Трублаєвський","Трясило","Трясун","Уманець","Унич","Усич","Федоришин","Хитрово","Цимбалістий","Цушко","Червоній","Шамрило","Шевченко","Шестак","Шиндарей","Шиян","Шкараба","Шудрик","Шумило","Шупик","Шухевич","Щербак","Юрчишин","Юхно","Ющик","Ющук","Яворівський","Яловий","Ялюк","Янюк","Ярмак","Яцишин","Яцьків","Ящук"],"male_middle_name":["Адамович","Азарович","Алевтинович","Альбертович","Анастасович","Анатолійович","Андрійович","Антонович","Аркадійович","Арсенійович","Арсенович","Артемович","Архипович","Аскольдович","Афанасійович","Білославович","Богданович","Божемирович","Боженович","Болеславович","Боримирович","Борисович","Бориславович","Братиславович","В’ячеславович","Вадимович","Валентинович","Валерійович","Васильович","Вікторович","Віталійович","Владиславович","Володимирович","Всеволодович","Всеславович","Гаврилович","Герасимович","Георгійович","Гнатович","Гордійович","Григорійович","Данилович","Даромирович","Денисович","Дмитрович","Добромирович","Доброславович","Євгенович","Захарович","Захарійович","Збориславович","Звенимирович","Звениславович","Зеновійович","Зиновійович","Златомирович","Зореславович","Іванович","Ігорович","Ізяславович","Корнелійович","Корнилович","Корнійович","Костянтинович","Лаврентійович","Любомирович","Макарович","Максимович","Маркович","Маркіянович","Матвійович","Мечиславович","Микитович","Миколайович","Миронович","Мирославович","Михайлович","Мстиславович","Назарович","Назарійович","Натанович","Немирович","Несторович","Олегович","Олександрович","Олексійович","Олелькович","Омелянович","Орестович","Орхипович","Остапович","Охрімович","Павлович","Панасович","Пантелеймонович","Петрович","Пилипович","Радимирович","Радимович","Родіонович","Романович","Ростиславович","Русланович","Святославович","Сергійович","Славутович","Станіславович","Степанович","Стефанович","Тарасович","Тимофійович","Тихонович","Устимович","Юрійович","Юхимович","Ярославович"],"name":["#{male_first_name} #{male_last_name}","#{male_last_name} #{male_first_name}","#{male_first_name} #{male_middle_name} #{male_last_name}","#{male_last_name} #{male_first_name} #{male_middle_name}","#{female_first_name} #{female_last_name}","#{female_last_name} #{female_first_name}","#{female_first_name} #{female_middle_name} #{female_last_name}","#{female_last_name} #{female_first_name} #{female_middle_name}"]},"phone_number":{"formats":["(044) ###-##-##","(050) ###-##-##","(063) ###-##-##","(066) ###-##-##","(073) ###-##-##","(091) ###-##-##","(092) ###-##-##","(093) ###-##-##","(094) ###-##-##","(095) ###-##-##","(096) ###-##-##","(097) ###-##-##","(098) ###-##-##","(099) ###-##-##"]},"separator":" та "}}); -I18n.translations["en-IND"] = I18n.extend((I18n.translations["en-IND"] || {}), {"faker":{"address":{"city":["Bengaluru","Chennai","Hyderabad","Kolkata","Mumbai","New Delhi","Thiruvananthapuram","Visakhapatnam"],"default_country":["India","Indian Republic","Bharat","Hindustan"],"default_country_code":["IN"],"default_time_zone":["Asia/Kolkata"],"postcode":["######"],"state":["Andhra Pradesh","Arunachal Pradesh","Assam","Bihar","Chhattisgarh","Goa","Gujarat","Haryana","Himachal Pradesh","Jammu and Kashmir","Jharkhand","Karnataka","Kerala","Madya Pradesh","Maharashtra","Manipur","Meghalaya","Mizoram","Nagaland","Orissa","Punjab","Rajasthan","Sikkim","Tamil Nadu","Tripura","Uttaranchal","Uttar Pradesh","West Bengal","Andaman and Nicobar Islands","Chandigarh","Dadar and Nagar Haveli","Daman and Diu","Delhi","Lakshadweep","Pondicherry"],"state_abbr":["AP","AR","AS","BR","CG","DL","GA","GJ","HR","HP","JK","JS","KA","KL","MP","MH","MN","ML","MZ","NL","OR","PB","RJ","SK","TN","TR","UK","UP","WB","AN","CH","DN","DD","LD","PY"]},"company":{"suffix":["Pvt Ltd","Limited","Ltd","and Sons","Corp","Group","Brothers"]},"internet":{"domain_suffix":["in","com","biz","info","name","net","org","co.in"],"free_email":["gmail.com","yahoo.co.in","hotmail.com"]},"name":{"first_name":["Aadrika","Aanandinii","Aaratrika","Aarya","Arya","Aashritha","Aatmaja","Atmaja","Abhaya","Adwitiya","Agrata","Ahilya","Ahalya","Aishani","Akshainie","Akshata","Akshita","Akula","Ambar","Amodini","Amrita","Amritambu","Anala","Anamika","Ananda","Anandamayi","Ananta","Anila","Anjali","Anjushri","Anjushree","Annapurna","Anshula","Anuja","Anusuya","Anasuya","Anasooya","Anwesha","Apsara","Aruna","Asha","Aasa","Aasha","Aslesha","Atreyi","Atreyee","Avani","Abani","Avantika","Ayushmati","Baidehi","Vaidehi","Bala","Baala","Balamani","Basanti","Vasanti","Bela","Bhadra","Bhagirathi","Bhagwanti","Bhagwati","Bhamini","Bhanumati","Bhaanumati","Bhargavi","Bhavani","Bhilangana","Bilwa","Bilva","Buddhana","Chakrika","Chanda","Chandi","Chandni","Chandini","Chandani","Chandra","Chandira","Chandrabhaga","Chandrakala","Chandrakin","Chandramani","Chandrani","Chandraprabha","Chandraswaroopa","Chandravati","Chapala","Charumati","Charvi","Chatura","Chitrali","Chitramala","Chitrangada","Daksha","Dakshayani","Damayanti","Darshwana","Deepali","Dipali","Deeptimoyee","Deeptimayee","Devangana","Devani","Devasree","Devi","Daevi","Devika","Daevika","Dhaanyalakshmi","Dhanalakshmi","Dhana","Dhanadeepa","Dhara","Dharani","Dharitri","Dhatri","Diksha","Deeksha","Divya","Draupadi","Dulari","Durga","Durgeshwari","Ekaparnika","Elakshi","Enakshi","Esha","Eshana","Eshita","Gautami","Gayatri","Geeta","Geetanjali","Gitanjali","Gemine","Gemini","Girja","Girija","Gita","Hamsini","Harinakshi","Harita","Heema","Himadri","Himani","Hiranya","Indira","Jaimini","Jaya","Jyoti","Jyotsana","Kali","Kalinda","Kalpana","Kalyani","Kama","Kamala","Kamla","Kanchan","Kanishka","Kanti","Kashyapi","Kumari","Kumuda","Lakshmi","Laxmi","Lalita","Lavanya","Leela","Lila","Leela","Madhuri","Malti","Malati","Mandakini","Mandaakin","Mangala","Mangalya","Mani","Manisha","Manjusha","Meena","Mina","Meenakshi","Minakshi","Menka","Menaka","Mohana","Mohini","Nalini","Nikita","Ojaswini","Omana","Oormila","Urmila","Opalina","Opaline","Padma","Parvati","Poornima","Purnima","Pramila","Prasanna","Preity","Prema","Priya","Priyala","Pushti","Radha","Rageswari","Rageshwari","Rajinder","Ramaa","Rati","Rita","Rohana","Rukhmani","Rukmin","Rupinder","Sanya","Sarada","Sharda","Sarala","Sarla","Saraswati","Sarisha","Saroja","Shakti","Shakuntala","Shanti","Sharmila","Shashi","Shashikala","Sheela","Shivakari","Shobhana","Shresth","Shresthi","Shreya","Shreyashi","Shridevi","Shrishti","Shubha","Shubhaprada","Siddhi","Sitara","Sloka","Smita","Smriti","Soma","Subhashini","Subhasini","Sucheta","Sudeva","Sujata","Sukanya","Suma","Suma","Sumitra","Sunita","Suryakantam","Sushma","Swara","Swarnalata","Sweta","Shwet","Tanirika","Tanushree","Tanushri","Tanushri","Tanya","Tara","Trisha","Uma","Usha","Vaijayanti","Vaijayanthi","Baijayanti","Vaishvi","Vaishnavi","Vaishno","Varalakshmi","Vasudha","Vasundhara","Veda","Vedanshi","Vidya","Vimala","Vrinda","Vrund","Aadi","Aadidev","Aadinath","Aaditya","Aagam","Aagney","Aamod","Aanandaswarup","Anand Swarup","Aanjaneya","Anjaneya","Aaryan","Aryan","Aatmaj","Aatreya","Aayushmaan","Aayushman","Abhaidev","Abhaya","Abhirath","Abhisyanta","Acaryatanaya","Achalesvara","Acharyanandana","Acharyasuta","Achintya","Achyut","Adheesh","Adhiraj","Adhrit","Adikavi","Adinath","Aditeya","Aditya","Adityanandan","Adityanandana","Adripathi","Advaya","Agasti","Agastya","Agneya","Aagneya","Agnimitra","Agniprava","Agnivesh","Agrata","Ajit","Ajeet","Akroor","Akshaj","Akshat","Akshayakeerti","Alok","Aalok","Amaranaath","Amarnath","Amaresh","Ambar","Ameyatma","Amish","Amogh","Amrit","Anaadi","Anagh","Anal","Anand","Aanand","Anang","Anil","Anilaabh","Anilabh","Anish","Ankal","Anunay","Anurag","Anuraag","Archan","Arindam","Arjun","Arnesh","Arun","Ashlesh","Ashok","Atmanand","Atmananda","Avadhesh","Baalaaditya","Baladitya","Baalagopaal","Balgopal","Balagopal","Bahula","Bakula","Bala","Balaaditya","Balachandra","Balagovind","Bandhu","Bandhul","Bankim","Bankimchandra","Bhadrak","Bhadraksh","Bhadran","Bhagavaan","Bhagvan","Bharadwaj","Bhardwaj","Bharat","Bhargava","Bhasvan","Bhaasvan","Bhaswar","Bhaaswar","Bhaumik","Bhaves","Bheeshma","Bhisham","Bhishma","Bhima","Bhoj","Bhramar","Bhudev","Bhudeva","Bhupati","Bhoopati","Bhoopat","Bhupen","Bhushan","Bhooshan","Bhushit","Bhooshit","Bhuvanesh","Bhuvaneshwar","Bilva","Bodhan","Brahma","Brahmabrata","Brahmanandam","Brahmaanand","Brahmdev","Brajendra","Brajesh","Brijesh","Birjesh","Budhil","Chakor","Chakradhar","Chakravartee","Chakravarti","Chanakya","Chaanakya","Chandak","Chandan","Chandra","Chandraayan","Chandrabhan","Chandradev","Chandraketu","Chandramauli","Chandramohan","Chandran","Chandranath","Chapal","Charak","Charuchandra","Chaaruchandra","Charuvrat","Chatur","Chaturaanan","Chaturbhuj","Chetan","Chaten","Chaitan","Chetanaanand","Chidaakaash","Chidaatma","Chidambar","Chidambaram","Chidananda","Chinmayanand","Chinmayananda","Chiranjeev","Chiranjeeve","Chitraksh","Daiwik","Daksha","Damodara","Dandak","Dandapaani","Darshan","Datta","Dayaamay","Dayamayee","Dayaananda","Dayaanidhi","Kin","Deenabandhu","Deepan","Deepankar","Dipankar","Deependra","Dipendra","Deepesh","Dipesh","Deeptanshu","Deeptendu","Diptendu","Deeptiman","Deeptimoy","Deeptimay","Dev","Deb","Devadatt","Devagya","Devajyoti","Devak","Devdan","Deven","Devesh","Deveshwar","Devi","Devvrat","Dhananjay","Dhanapati","Dhanpati","Dhanesh","Dhanu","Dhanvin","Dharmaketu","Dhruv","Dhyanesh","Dhyaneshwar","Digambar","Digambara","Dinakar","Dinkar","Dinesh","Divaakar","Divakar","Deevakar","Divjot","Dron","Drona","Dwaipayan","Dwaipayana","Eekalabya","Ekalavya","Ekaksh","Ekaaksh","Ekaling","Ekdant","Ekadant","Gajaadhar","Gajadhar","Gajbaahu","Gajabahu","Ganak","Ganaka","Ganapati","Gandharv","Gandharva","Ganesh","Gangesh","Garud","Garuda","Gati","Gatik","Gaurang","Gauraang","Gauranga","Gouranga","Gautam","Gautama","Goutam","Ghanaanand","Ghanshyam","Ghanashyam","Giri","Girik","Girika","Girindra","Giriraaj","Giriraj","Girish","Gopal","Gopaal","Gopi","Gopee","Gorakhnath","Gorakhanatha","Goswamee","Goswami","Gotum","Gautam","Govinda","Gobinda","Gudakesha","Gudakesa","Gurdev","Guru","Hari","Harinarayan","Harit","Himadri","Hiranmay","Hiranmaya","Hiranya","Inder","Indra","Indra","Jagadish","Jagadisha","Jagathi","Jagdeep","Jagdish","Jagmeet","Jahnu","Jai","Javas","Jay","Jitendra","Jitender","Jyotis","Kailash","Kama","Kamalesh","Kamlesh","Kanak","Kanaka","Kannan","Kannen","Karan","Karthik","Kartik","Karunanidhi","Kashyap","Kiran","Kirti","Keerti","Krishna","Krishnadas","Krishnadasa","Kumar","Lai","Lakshman","Laxman","Lakshmidhar","Lakshminath","Lal","Laal","Mahendra","Mohinder","Mahesh","Maheswar","Mani","Manik","Manikya","Manoj","Marut","Mayoor","Meghnad","Meghnath","Mohan","Mukesh","Mukul","Nagabhushanam","Nanda","Narayan","Narendra","Narinder","Naveen","Navin","Nawal","Naval","Nimit","Niranjan","Nirbhay","Niro","Param","Paramartha","Pran","Pranay","Prasad","Prathamesh","Prayag","Prem","Puneet","Purushottam","Rahul","Raj","Rajan","Rajendra","Rajinder","Rajiv","Rakesh","Ramesh","Rameshwar","Ranjit","Ranjeet","Ravi","Ritesh","Rohan","Rohit","Rudra","Sachin","Sameer","Samir","Sanjay","Sanka","Sarvin","Satish","Satyen","Shankar","Shantanu","Shashi","Sher","Shiv","Siddarth","Siddhran","Som","Somu","Somnath","Subhash","Subodh","Suman","Suresh","Surya","Suryakant","Suryakanta","Sushil","Susheel","Swami","Swapnil","Tapan","Tara","Tarun","Tej","Tejas","Trilochan","Trilochana","Trilok","Trilokesh","Triloki","Triloki Nath","Trilokanath","Tushar","Udai","Udit","Ujjawal","Ujjwal","Umang","Upendra","Uttam","Vasudev","Vasudeva","Vedang","Vedanga","Vidhya","Vidur","Vidhur","Vijay","Vimal","Vinay","Vishnu","Bishnu","Vishwamitra","Vyas","Yogendra","Yoginder","Yogesh"],"last_name":["Abbott","Achari","Acharya","Adiga","Agarwal","Ahluwalia","Ahuja","Arora","Asan","Bandopadhyay","Banerjee","Bharadwaj","Bhat","Butt","Bhattacharya","Bhattathiri","Chaturvedi","Chattopadhyay","Chopra","Desai","Deshpande","Devar","Dhawan","Dubashi","Dutta","Dwivedi","Embranthiri","Ganaka","Gandhi","Gill","Gowda","Guha","Guneta","Gupta","Iyer","Iyengar","Jain","Jha","Johar","Joshi","Kakkar","Kaniyar","Kapoor","Kaul","Kaur","Khan","Khanna","Khatri","Kocchar","Mahajan","Malik","Marar","Menon","Mehra","Mehrotra","Mishra","Mukhopadhyay","Nayar","Naik","Nair","Nambeesan","Namboothiri","Nehru","Pandey","Panicker","Patel","Patil","Pilla","Pillai","Pothuvaal","Prajapat","Rana","Reddy","Saini","Sethi","Shah","Sharma","Shukla","Singh","Sinha","Somayaji","Tagore","Talwar","Tandon","Trivedi","Varrier","Varma","Varman","Verma"]},"phone_number":{"formats":["+91###-###-####","+91##########","+91-###-#######"]}}}); diff --git a/spec/models/marvin_js_asset_spec.rb b/spec/models/marvin_js_asset_spec.rb deleted file mode 100644 index 7d19d9b52..000000000 --- a/spec/models/marvin_js_asset_spec.rb +++ /dev/null @@ -1,5 +0,0 @@ -require 'rails_helper' - -RSpec.describe MarvinJsAsset, type: :model do - pending "add some examples to (or delete) #{__FILE__}" -end