HEX
Server: Apache/2.4.41 (Ubuntu)
System: Linux ip-172-31-42-149 5.15.0-1084-aws #91~20.04.1-Ubuntu SMP Fri May 2 07:00:04 UTC 2025 aarch64
User: ubuntu (1000)
PHP: 7.4.33
Disabled: pcntl_alarm,pcntl_fork,pcntl_waitpid,pcntl_wait,pcntl_wifexited,pcntl_wifstopped,pcntl_wifsignaled,pcntl_wifcontinued,pcntl_wexitstatus,pcntl_wtermsig,pcntl_wstopsig,pcntl_signal,pcntl_signal_get_handler,pcntl_signal_dispatch,pcntl_get_last_error,pcntl_strerror,pcntl_sigprocmask,pcntl_sigwaitinfo,pcntl_sigtimedwait,pcntl_exec,pcntl_getpriority,pcntl_setpriority,pcntl_async_signals,pcntl_unshare,
Upload Files
File: /var/www/vhost/disk-apps/dev-telemedicina.teky.com.co/public/messages.js
/*!
 *  Lang.js for Laravel localization in JavaScript.
 *
 *  @version 1.1.10
 *  @license MIT https://github.com/rmariuzzo/Lang.js/blob/master/LICENSE
 *  @site    https://github.com/rmariuzzo/Lang.js
 *  @author  Rubens Mariuzzo <rubens@mariuzzo.com>
 */
(function(root,factory){"use strict";if(typeof define==="function"&&define.amd){define([],factory)}else if(typeof exports==="object"){module.exports=factory()}else{root.Lang=factory()}})(this,function(){"use strict";function inferLocale(){if(typeof document!=="undefined"&&document.documentElement){return document.documentElement.lang}}function convertNumber(str){if(str==="-Inf"){return-Infinity}else if(str==="+Inf"||str==="Inf"||str==="*"){return Infinity}return parseInt(str,10)}var intervalRegexp=/^({\s*(\-?\d+(\.\d+)?[\s*,\s*\-?\d+(\.\d+)?]*)\s*})|([\[\]])\s*(-Inf|\*|\-?\d+(\.\d+)?)\s*,\s*(\+?Inf|\*|\-?\d+(\.\d+)?)\s*([\[\]])$/;var anyIntervalRegexp=/({\s*(\-?\d+(\.\d+)?[\s*,\s*\-?\d+(\.\d+)?]*)\s*})|([\[\]])\s*(-Inf|\*|\-?\d+(\.\d+)?)\s*,\s*(\+?Inf|\*|\-?\d+(\.\d+)?)\s*([\[\]])/;var defaults={locale:"en"};var Lang=function(options){options=options||{};this.locale=options.locale||inferLocale()||defaults.locale;this.fallback=options.fallback;this.messages=options.messages};Lang.prototype.setMessages=function(messages){this.messages=messages};Lang.prototype.getLocale=function(){return this.locale||this.fallback};Lang.prototype.setLocale=function(locale){this.locale=locale};Lang.prototype.getFallback=function(){return this.fallback};Lang.prototype.setFallback=function(fallback){this.fallback=fallback};Lang.prototype.has=function(key,locale){if(typeof key!=="string"||!this.messages){return false}return this._getMessage(key,locale)!==null};Lang.prototype.get=function(key,replacements,locale){if(!this.has(key,locale)){return key}var message=this._getMessage(key,locale);if(message===null){return key}if(replacements){message=this._applyReplacements(message,replacements)}return message};Lang.prototype.trans=function(key,replacements){return this.get(key,replacements)};Lang.prototype.choice=function(key,number,replacements,locale){replacements=typeof replacements!=="undefined"?replacements:{};replacements.count=number;var message=this.get(key,replacements,locale);if(message===null||message===undefined){return message}var messageParts=message.split("|");var explicitRules=[];for(var i=0;i<messageParts.length;i++){messageParts[i]=messageParts[i].trim();if(anyIntervalRegexp.test(messageParts[i])){var messageSpaceSplit=messageParts[i].split(/\s/);explicitRules.push(messageSpaceSplit.shift());messageParts[i]=messageSpaceSplit.join(" ")}}if(messageParts.length===1){return message}for(var j=0;j<explicitRules.length;j++){if(this._testInterval(number,explicitRules[j])){return messageParts[j]}}var pluralForm=this._getPluralForm(number);return messageParts[pluralForm]};Lang.prototype.transChoice=function(key,count,replacements){return this.choice(key,count,replacements)};Lang.prototype._parseKey=function(key,locale){if(typeof key!=="string"||typeof locale!=="string"){return null}var segments=key.split(".");var source=segments[0].replace(/\//g,".");return{source:locale+"."+source,sourceFallback:this.getFallback()+"."+source,entries:segments.slice(1)}};Lang.prototype._getMessage=function(key,locale){locale=locale||this.getLocale();key=this._parseKey(key,locale);if(this.messages[key.source]===undefined&&this.messages[key.sourceFallback]===undefined){return null}var message=this.messages[key.source];var entries=key.entries.slice();var subKey="";while(entries.length&&message!==undefined){var subKey=!subKey?entries.shift():subKey.concat(".",entries.shift());if(message[subKey]!==undefined){message=message[subKey];subKey=""}}if(typeof message!=="string"&&this.messages[key.sourceFallback]){message=this.messages[key.sourceFallback];entries=key.entries.slice();subKey="";while(entries.length&&message!==undefined){var subKey=!subKey?entries.shift():subKey.concat(".",entries.shift());if(message[subKey]){message=message[subKey];subKey=""}}}if(typeof message!=="string"){return null}return message};Lang.prototype._findMessageInTree=function(pathSegments,tree){while(pathSegments.length&&tree!==undefined){var dottedKey=pathSegments.join(".");if(tree[dottedKey]){tree=tree[dottedKey];break}tree=tree[pathSegments.shift()]}return tree};Lang.prototype._applyReplacements=function(message,replacements){for(var replace in replacements){message=message.replace(new RegExp(":"+replace,"gi"),function(match){var value=replacements[replace];var allCaps=match===match.toUpperCase();if(allCaps){return value.toUpperCase()}var firstCap=match===match.replace(/\w/i,function(letter){return letter.toUpperCase()});if(firstCap){return value.charAt(0).toUpperCase()+value.slice(1)}return value})}return message};Lang.prototype._testInterval=function(count,interval){if(typeof interval!=="string"){throw"Invalid interval: should be a string."}interval=interval.trim();var matches=interval.match(intervalRegexp);if(!matches){throw"Invalid interval: "+interval}if(matches[2]){var items=matches[2].split(",");for(var i=0;i<items.length;i++){if(parseInt(items[i],10)===count){return true}}}else{matches=matches.filter(function(match){return!!match});var leftDelimiter=matches[1];var leftNumber=convertNumber(matches[2]);if(leftNumber===Infinity){leftNumber=-Infinity}var rightNumber=convertNumber(matches[3]);var rightDelimiter=matches[4];return(leftDelimiter==="["?count>=leftNumber:count>leftNumber)&&(rightDelimiter==="]"?count<=rightNumber:count<rightNumber)}return false};Lang.prototype._getPluralForm=function(count){switch(this.locale){case"az":case"bo":case"dz":case"id":case"ja":case"jv":case"ka":case"km":case"kn":case"ko":case"ms":case"th":case"tr":case"vi":case"zh":return 0;case"af":case"bn":case"bg":case"ca":case"da":case"de":case"el":case"en":case"eo":case"es":case"et":case"eu":case"fa":case"fi":case"fo":case"fur":case"fy":case"gl":case"gu":case"ha":case"he":case"hu":case"is":case"it":case"ku":case"lb":case"ml":case"mn":case"mr":case"nah":case"nb":case"ne":case"nl":case"nn":case"no":case"om":case"or":case"pa":case"pap":case"ps":case"pt":case"so":case"sq":case"sv":case"sw":case"ta":case"te":case"tk":case"ur":case"zu":return count==1?0:1;case"am":case"bh":case"fil":case"fr":case"gun":case"hi":case"hy":case"ln":case"mg":case"nso":case"xbr":case"ti":case"wa":return count===0||count===1?0:1;case"be":case"bs":case"hr":case"ru":case"sr":case"uk":return count%10==1&&count%100!=11?0:count%10>=2&&count%10<=4&&(count%100<10||count%100>=20)?1:2;case"cs":case"sk":return count==1?0:count>=2&&count<=4?1:2;case"ga":return count==1?0:count==2?1:2;case"lt":return count%10==1&&count%100!=11?0:count%10>=2&&(count%100<10||count%100>=20)?1:2;case"sl":return count%100==1?0:count%100==2?1:count%100==3||count%100==4?2:3;case"mk":return count%10==1?0:1;case"mt":return count==1?0:count===0||count%100>1&&count%100<11?1:count%100>10&&count%100<20?2:3;case"lv":return count===0?0:count%10==1&&count%100!=11?1:2;case"pl":return count==1?0:count%10>=2&&count%10<=4&&(count%100<12||count%100>14)?1:2;case"cy":return count==1?0:count==2?1:count==8||count==11?2:3;case"ro":return count==1?0:count===0||count%100>0&&count%100<20?1:2;case"ar":return count===0?0:count==1?1:count==2?2:count%100>=3&&count%100<=10?3:count%100>=11&&count%100<=99?4:5;default:return 0}};return Lang});(function(){Lang=new Lang();Lang.setMessages({"en.auth":{"failed":"These credentials do not match our records.","throttle":"Too many login attempts. Please try again in :seconds seconds."},"en.messages":{"active":"Active","address":"Address","age":"Age ","agenda":{"agenda":"Agenda","btn_create":"Create","cancel_notification":"Your appointment for the day <date> at <time> has been canceled.","consent_received":"Consentd received","date":"Date","document":"Document","end_time":"End time","event_created":"Event created successfully","last_name":"Last name","medic":"Doctor","name":"Name","notification_text":"\ud83d\udcc5 An appointment has been assigned for the <date> day at <time> remember to be present 20 min before.","patient":"Patient","payment_received":"Payment received","rate":"Rate","recommend_text":"Remember to be present 20 min before.","select":"--Select","send_consent":"Send consent ?","send_payment":"Send Payment ?","specialty":"Specialty","start_time":"Start time","type_consultation":"Query type","validation":{"all_fields":"Please enter all data"}},"agenda_modal":{"tag_1":"Cancel appointment","tag_2":"Do you want to cancel the appointment?","tag_3":"Close","tag_4":"New consultation"},"already_exists":"The record :name already exists","app":"App","app_main":{"tag_1":"Names","tag_10":"Status","tag_11":"Request date","tag_12":"Actions","tag_13":"Male","tag_14":"Female","tag_15":"Alert COVID19","tag_16":"Attended","tag_17":"Tie. domicile ","tag_18":"View request","tag_19":"Specialty","tag_2":"Surname","tag_20":"Doctor","tag_21":"Date","tag_22":"Date type","tag_3":"Date of birth","tag_4":"Document","tag_5":"Address","tag_6":"City","tag_7":"Sex","tag_8":"Telephone","tag_9":"Summary"},"aside":{"administrar":"Manage","agenda":"Agenda","crear_solicitud":"Create request","external_app":"Mobile requests","home":"Home","solicitud":"Request","tablero_solicitudes":"Request board","tag_1":"Analysis in line 1","tag_10":"Forms","tag_11":"Lists","tag_2":"Analysis in line 2","tag_3":"COVID-19 Global","tag_4":"Analysis in line 3","tag_5":"Dashboard","tag_6":"Form builder","tag_7":"Field datasources","tag_8":"Field values","tag_9":"Fields","title":"Reports","title_builder":"Builder","video":"Video call"},"attachments":{"tag_1":"A valid history number has not been indicated, be sure to save the document first.","tag_2":"A file has not been sent.","tag_3":"The file has been successfully stored.","tag_4":"The file has been successfully removed.","tag_5":"Unable to delete, the document is not in an editable state."},"attention_type":{"ok_create":"Attention type was created successfully.","ok_update":"Attention type has been successfully updated."},"banner":{"error_create":"Error creating banner!","error_delete":"Error deleting banner!","error_delete_image":"Error deleting the banner!","error_save_image":"There was an error saving the image!","error_update":"Error updating banner!","error_update_image":"There was an error modifying the banner!","error_upload":"Error loading banner","max_file_size":"El archivo excede el tama\u00f1o m\u00e1ximo 1 Mb.","ok_create":"Banner created successfully!","ok_delete":"Banner removed successfully!","ok_update":"Banner updated successfully!","tag_1":"Create Banner?","tag_2":"Update Banner?","tag_3":"Are you sure to delete this Banner?","upload_ok":"Banner loaded successfully"},"banners":{"title_1":"Create banner","title_10":"Edit banner","title_11":"Update","title_12":"Add banner","title_13":"List banners","title_14":"Active","title_15":"Actions","title_2":"Banners","title_3":"Name","title_4":"Order","title_5":"Link","title_6":"Description","title_7":"Image","title_8":"Create","title_9":"Cancel"},"both":"Both","center_specialty":{"it_exist":"The combination of center, specialty and type of care already exists.","ok_create":"Authorization successfully created.","ok_update":"The authorization has been successfully updated.","required_fields":"The center, specialty and type of care fields are mandatory."},"centers":{"address":"Address","authorization":"Authorization","btn_create":"Create","btn_edit":"Edit","city":"City","contact_person":"Contact person","country":"Country","description":"Description","editing":"Editing hospital:","email":"Email","error_update":"Error modifying Center!","main_title":"Hospitals","name":"Name","no":"No","ok_create":"The hub has been successfully created.","ok_update":"The hub has been successfully updated.","phone":"Telephone","select":"- Select","state":"State","table":{"col1":"Code","col2":"Name","col3":"Telephone","col4":"Email","col5":"Contact person","col6":"City","col7":"Active","col8":"Actions"},"update_ok":"Center modified!","yes":"Yes"},"centers_specialties":{"btn_create":"Create","btn_edit":"Edit","editing":"Editing hospital:","error_update":"\"Error modifying Authorization!\"","hospital":"Hospital","main_title":"Service authorization","no":"No","ok_update":"Authorization modified!","select":"- Select","specialty":"Specialty","table":{"col1":"Hospital","col2":"Specialty","col3":"Type of care","col4":"Active","col5":"Actions"},"type":"Type of care","yes":"Yes"},"city":"City","clear":"Clear","corejs":{"ID":"Document","address":"address,","city":"city","current_disease":"Current disease and laboratories","dob":"date of birth","email":"email","error":"Error","fill_diagnostics":"Please indicate diagnoses","fill_specific_data":"Please indicate specific data","for_continue":"to continue.","last_name":"last name,","name":"name,","phone":"Phone","physical_exam":"physical exam,","please_fill":"Please indicate ","select":"- Select","sex":"sex,","state":"state","state_consciousness":"state of consciousness,","vital_signs":"vital signs"},"covid19":{"tag_1":"COVID-19 - Travel?","tag_10":"Have you had a runny nose?","tag_11":"Have you had difficulty breathing?","tag_12":"Has it exhibited decay?","tag_13":"Have you had muscle pain?","tag_14":"Have you had chest pain or pressure when breathing?","tag_15":"Do you have cancer?","tag_16":"Do you have diabetes?","tag_17":"Do you have hypertension?","tag_18":"Do you have heart problems?","tag_19":"Do you have diseases that affect the immune system?","tag_2":"Have you traveled abroad in the last 15 days?","tag_20":"Treatment","tag_3":"What countries have you traveled to?","tag_4":"COVID-19 - Risk factors","tag_5":"Have you had contact with someone who has been diagnosed with Coronavirus?","tag_6":"Have you had contact with people who have traveled abroad in the last 15 days?","tag_7":"Have you had a fever?","tag_8":"Have you had a cough?","tag_9":"Have you had sneezes?"},"created_successfully":"Registry created successfully","datatable":{"url_language":"https:\/\/cdn.datatables.net\/plug-ins\/1.10.19\/i18n\/English.json"},"days_mini":{"domingo":"Su","jueves":"Th","lunes":"Mo","martes":"Tu","miercoles":"We","sabado":"Sa","viernes":"Fr"},"days_short":{"domingo":"Sun","jueves":"Thu","lunes":"Mon","martes":"Tue","miercoles":"Wed","sabado":"Sat","viernes":"Fri"},"deleted_successfully":"Record successfully deleted","dias":{"domingo":"Sunday","jueves":"Thursday","lunes":"Monday","martes":"Tuesday","miercoles":"Wednesday","sabado":"Saturday","viernes":"Friday"},"dob":"Date of birth","document":"No. Document ","document_states":{"end_treatment":"End of treatment","pending":"Pending"},"error_creating":"Error creating record","error_removing":"Error deleting record","error_updating":"Error updating record","errors":{"404":"Resource not found.","405":"Operation not allowed."},"errors_only":"Errors only","external_app":{"notification_text":"New request - <document>","ok_create":"The record was created successfully","patient_not_found":"No user record found","title_create":"Record created"},"female":"female","field_datasources":{"tag_1":"Create datasource?","tag_2":"Modify datasource?","tag_3":"You must enter a url","tag_4":"You must select a type","tag_5":"You must select an option type","tag_6":"Delete datasource?","title_1":"Create datasources","title_10":"Edit datasource","title_11":"Update","title_12":"Add datasource","title_13":"Listing datasources","title_14":"Active","title_15":"Actions","title_16":"Options","title_2":"Datasources","title_3":"Name","title_4":"Type","title_5":"Url","title_8":"Create","title_9":"Cancel"},"field_input":"Type of input","field_values":{"tag_1":"Create value?","tag_2":"Modify value?","tag_6":"Delete value?","title_1":"Create value","title_10":"Edit value","title_11":"Update","title_12":"Add value","title_13":"Listing value","title_14":"Active","title_15":"Actions","title_16":"Options","title_17":"Listing items","title_18":"Add item","title_2":"Value","title_20":"Add","title_3":"Name","title_4":"Value","title_8":"Create","title_9":"Cancel"},"fields":{"tag_1":"Create field?","tag_10":"You must enter name_control attribute","tag_2":"Modify field?","tag_6":"Delete field?","tag_7":"You must enter the name field.","tag_8":"You must enter field type.","tag_9":"You must enter data source.","title_1":"Create field","title_10":"Edit field","title_11":"Update","title_12":"Add field","title_13":"Listing field","title_14":"Active","title_15":"Actions","title_16":"Options","title_18":"Add item","title_2":"Field","title_20":"Add","title_3":"Name","title_4":"field","title_8":"Create","title_9":"Cancel"},"first_name":"Name","first_surname":"First surname","for_continue":"To continue","form_fields":{"tag_1":"Assign field?","tag_2":"You must select a form","tag_3":"You must select at least one field","title_1":"Assign fields","title_12":"Assign Fields","title_13":"Field list","title_2":"Form fields","title_3":"Field","title_4":"Form","title_8":"Create","title_9":"Cancel"},"forms":{"tag_1":"Create form?","tag_2":"Modify form?","tag_6":"Delete form?","tag_7":"You must select visibility","tag_8":"You must select a specialty","title_1":"Create form","title_10":"Edit form","title_11":"Update","title_12":"Add form","title_13":"Listing form","title_14":"Active","title_15":"Actions","title_16":"Options","title_17":"Listing items","title_18":"Add item","title_2":"Form","title_20":"Add","title_3":"Name","title_4":"Description","title_5":"visibility","title_6":"priority","title_7":"Specialty","title_8":"Create","title_9":"Cancel"},"gineco":{"analysis":{"ask_print_formulation":"Do you want to print formulation ?","ask_send_formulation":"Do you want to send formulation to the patient email ?","button_print_formulation":"Print formulation","button_save":"Record session","button_send_formulation":"Send formulation to patient","end_treatment":"End of treatment","error_please_save":"Error please save the current document.","finish_treatment":"Do you want to finish the treatment?","finish_treatment_confirm":"Once the treatment is finished, this information cannot be modified again.","only_role_medic":"Only the medical role can end the treatment.","print":"Print formulation","record_session":"Record session","recording_clic":"Recording ... click to finish","send":"Send formulation to patient","text1":"Analysis and recommended behavior","text2":"Formulation"},"apply":"Apply","attacheds":{"end_consultation":"End consltation","error_document":"Error must indicate a document","file_missing":"Please enter a file first","finish_consultation":"Do you want to end the consultation?","finish_consultation_warning":"Once the consultation is finished, the document cannot be modified.","first_save":"You must first save the document.","max_file_size":"The file exceeds the allowed size. Maximum size 15MB ","only_nurse":"Only the internal nurse role can end the consultation.","other_attachments":"Other attachments","patient_documents":"Patient documents","support_information":"Support information"},"clinic_info":{"blood_pressure":"Blood pressure","breathing_frequency":"Respiratory rate","clinic_data":"General clinical data","consciousness_1":"Alert","consciousness_2":"Sleepy","consciousness_3":"Stupefying","consciousness_4":"Superficial coma","consciousness_5":"Deep Eat","consciousness_state":"State of consciousness","current_illness":"Current disease and laboratories","heart_rate":"Heart rate","physical_exam":"Physical exam","reason_consultation":"Reason for inquiry","saturation":"Saturation","temperature":"Temperature","vital_signs":"Vital signs"},"close":"Close","code":"Code","diagnostic_text":"Diagnostic text","end_consultation":"End consultation","finish_treatment":"End treatment","initial_info":{"initial_recommendations":"Initial recommendations","main_title":"Initial contact details","phone_summary":"Summary telephone information"},"medical_specialist":"Medical specialist","other_attachments":"Anoter attacheds","select":"- Select","table":{"col1":"Description","col2":"Document path","col3":"Actions","col4":"Identity document","col5":"Entity card","col6":"Entity authorization","col7":"Informed consent"},"zoom_text":"Expand text"},"gynecobstetrics":{"amount_bleeding":"Amount of indentation","between_09_13":"Between 0.9 to 1.3","bleeding_between_500_and_100":"Bleeding between 500 to 1000 cc","bleeding_more_than_1500_":"Bleeding greater than 1500 cc","bleeding_time":"Bleeding time","cardiac_arrest":"Cardiorespiratory arrest","cardiac_frequency":"Fetal heart rate","coagulopathy_clinic":"Clinical coagulopathy","crysis_pregnant":"In hypertensive crisis in pregnancy","epidemiological_variables":"Epidemiological variables","event_attention_childbirth":"Event in childbirth care","fcf":"FCF (lat \/ min)","fcf_error":"Please fill information for FCF.","fetal_information":"Fetal information","fetal_status_unsatisfactory":"Unsatisfactory fetal status","first_day_post_partum":"In the 1 day, postpartum hours","gestational_age":"Gestational age (weeks)","less_09":"Less than 0.9","less_than_10_minutes":"Less than 10 minutes","less_than_20_minutes":"Less than 20 minutes","main_title":"Gynecology and Obstetrics","more_than_13":"Greater than 1.3","more_than_20_minutes":"Greater than 20 minutes","no":"No","not":"No","number_fetuses":"Number of fetuses","observations":"Observations","other":"Other","other_emergencies":"Other emergencies","other_symptom_severity":"Another symptom or sign of severity","post-partum":"Puerpera","post-partum-days":"Postpartum days","postpart_hemorragy":"POSTPARTUM HEMORRHAGE","postpartum_hemorrhage":"Postpartum hemorrhage","preeclampsia":"preeclampsia","pregnant":"In pregnancy?","premonitory_symptoms_encephalopathy":"Premonitory or encephalopathy symptoms","seizures_or_neurological":"Seizures or neurological deficit","select":"- Select","sepsis_post-partum":"Sepsis in the puerperium","sepsis_pregnancy":"Sepsis in pregnancy","severe_preeclampsia":"Severe pre-eclampsia","severity_disease":"Severity of disease","shock_index":"Shock index","specific_clinic_data":"Specific clinical data","systolic_or_diastolic":"Systolic or diastolic blood pressure greater than 160\/110 mmhg","urgency_type":"Type of emergencies","which_one":"Which one?","with_eclampsia":"With eclampsia","yes":"Yes"},"hard":"Manual","home":{"bar":{"dataset_label":"Attention states","label_1":"In progress","label_2":"Whats New","label_3":"Finished","label_4":"Waiting","text":"States","title":"Current states of care year"},"donought":{"between_1_2":"From one to two hours","less_1_hour":"Less than 1 hour","more_than_2":"More than two hours","text":"Attention times","title":"Average times of attention year"},"donought2":{"dataset_label":"Number of attentions","last_7_days":"Last 7 days","text":"Distribution of requests by state"},"modal_password":{"btn":"Accept","error":"Passwords do not match","password_1":"New password","password_2":"Confirm password","title":"Update password"},"tiles":{"tile1":"IN PROGRESS","tile2":"WHAT'S NEW","tile3":"ATTENTION FINISHED","tile4":"PATIENTS WAITING"}},"hopital":"Hospital","hospital":"Hospital","hoy":"Today","inactive":"Inactive","insurances":{"btn_create":"Create","btn_edit":"Edit","editing":"Editing insurer:","error_update":"Error modifying Insurer!","main_title":"Insurers","name":"Name","no":"No","ok_create":"The insurance company has been set up correctly.","ok_update":"The insurance company has been correctly updated.","rate":"Rate","select":"- Select","table":{"col1":"Code","col2":"Name","col3":"Active","col4":"Actions","col5":"Rate"},"update_ok":"Modified insurer!","yes":"Yes"},"layout":{"salir":"Exit"},"login":{"button_enter":"Enter","closed_by_another":"Your session has been closed from another device.","document":"Document...","document_exist":"The document entered is already registered.","email":"Mail ...","error_register":"An error occurred while registering the user","forgot_1":"Forgot you","forgot_2":"password","inactive_user":"Inactive user","password":"Enter your password ...","password_incorrect":"Document or password are wrong, please try again","try_later":"Error, try later."},"logs":{"main_title":"Logs","table":{"col1":"Code","col2":"Description","col3":"Type","col4":"Event","col5":"IP"}},"mail_formula":{"greeting":"Hi, ","line1":"The medical formula has been sent, attached you will find the file.","subject":"Medical formula<patient>"},"mail_title_pqrs":"The user :username with document :document has sent the following pqrs","mailing":{"consent":"Consentimiento informado","transaction":"Cita agenda - Realizar Pago"},"main_datasources":{"tag_1":"Create header?","tag_2":"Modify header?","tag_4":"You must enter at least one item","tag_6":"Delete header?","title_1":"Create header","title_10":"Edit header","title_11":"Update","title_12":"Add header","title_13":"List header","title_14":"Active","title_15":"Actions","title_16":"Options","title_17":"Listing items","title_18":"Add item","title_19":"Name of the item","title_2":"Header","title_20":"Add","title_3":"Name","title_8":"Create","title_9":"Cancel"},"male":"Male","medical_chart":{"add":"Add","diagnosticos":"Medical diagnosis","end_appointment":"End medical appointment","fail":"Medical chart could not be stored","fill_diagnostics":"You must add some diagnosis","fill_inputs":"You must fill the fields","incapacidades":"medical disability","inputs":{"ant_familiares":"Family background","ant_farmacologicos":"Pharmacological history","ant_gin_abortos":"Abortions","ant_gin_amenorrea":"Amenorrhea","ant_gin_cesareas":"Caesarean section","ant_gin_ciclo_menstrual":"Menstrual cycle","ant_gin_colposcopias":"Colposcopy","ant_gin_compa\u00f1eros":"Number of sexual partners","ant_gin_duracion":"Duration of menstruation","ant_gin_ectopicos":"Ectopic pregnancy","ant_gin_edad_gestacional":"Gestational age","ant_gin_edad_inicio_sex":"Sexual initiation age","ant_gin_embarazada":"Pregnant woman","ant_gin_fecha_citologia":"Cytology date","ant_gin_gravidez":"Pregnancy","ant_gin_his_infertilidad":"History of infertility","ant_gin_intergenesico":"Intergenetic","ant_gin_leucorrea":"Leukorrhea","ant_gin_menarca":"Menarche","ant_gin_nacidos_muertos":"Number of stillbirths","ant_gin_nacidos_vivos":"Number of live births","ant_gin_otros":"Other gynecological history","ant_gin_partos_vag":"Number of childbirth","ant_gin_prob_parto":"Probable hildbirth date","ant_gin_resul_citologia":"Cytology date","ant_gin_ultima_cito":"Last cytology","ant_gin_ultima_menstruacion":"Last menstruation","ant_gin_ultimo_parto":"Last childbirth date","ant_ginecologicos":"Gynecological history","ant_hopitalarios":"Hospital history","ant_inmunologicos":"Immunological history","ant_laborales":"Work history","ant_patologicos":"Pathological history","ant_quirurgicos":"Surgical history","ant_toxico_alergico":"Toxic-allergic history","ant_traumaticos":"Traumatic history","conducta_seguir":"Steps to follow","enfermedad_actual":"Current illness","exa_fis_abd_lum":"Abdominal and lumbar area","exa_fis_cab_cue":"Head and neck","exa_fis_cara_ojo_orl":"Face, eyes and ORL","exa_fis_est_men":"Mental health","exa_fis_extre_pel":"Extremities and pelvis","exa_fis_imc":"IMC","exa_fis_peso":"Weight (kgs)","exa_fis_piel":"Skin","exa_fis_sis_gen_uri":"Genito-urinary system","exa_fis_sis_neuro":"Neurological system","exa_fis_sis_osteo":"Musculoskeletal system","exa_fis_talla":"Height (cms)","exa_fis_torx_cor_pul":"Thorax, heart and lung","examen_fisico":"Physical test","inc_fecha_final":"End date of disability","inc_fecha_inicio":"Disability start date","inc_num_dias":"Number of days of disability","inc_observaciones":"Observations","inc_prorroga":"It is an extension of disability","inc_tipo":"type of disability","motivo_consulta":"Reason for consultation","ord_med_adminis":"Way of taking it","ord_med_atc":"ATC","ord_med_cantidad":"Quantity","ord_med_cod":"Medicine code","ord_med_dosis":"Dose","ord_med_fact_trat":"Treatment factor","ord_med_frecuencia":"Frequency","ord_med_observacion":"Observations","ord_med_posologia":"Posology","ord_med_presentacion":"Presentation","ord_med_tiem_trat":"Treatment time","ord_med_tiempo":"Time","ord_medicamentos":"Medicine","ord_proced_canti":"Quantity","ord_proced_cod":"Medical procedure code","ord_proced_observac":"Observations","ord_proced_urgente":"Emergency","ord_procedimientos":"Medical procedure","planificacion":"Planning history","rem_caracter":"Character of medical remission","rem_causa":"Cause of medical remission","rem_cen_prod":"Production center","rem_diganostico":"Diagnosis of medical remission","rem_fecha_salida":"Departure date","rem_observacion":"Observations","rem_prestador":"Service provider","rem_profesional":"Doctor who orders","rem_tipo":"Medical remission type","resumen_clinico":"Clinical summary","rips_causa":"Cause","rips_causa_externa":"External cause","rips_clase":"Class","rips_fecha_aten":"Date of medical appointment","rips_fina_consulta":"Purpose of the medical appointment","rips_servicios":"Grouping of services","rips_tipo":"Type","sinto_resp":"Symptomatic respiratory risk","sinto_resp_fecha_baciloscopia":"Sample collection date for diagnostic smear microscopy (For answer YES)","sinto_resp_justi":"If the RISK IS NOT ASSESSED, JUSTIFY","sinto_resp_resul_bacilo":"Diagnostic smear test result","sinto_resp_sintoma":"It is respiratory symptomatic. (If you have a cough with expectoration for more than 15 days, check YES)","tami_covid":"Coronavirus screening","tami_covid_Disnea":"Shortness of breath","tami_covid_adinamia":"Adynamia","tami_covid_anteceden":"History of close contact in the last 14 days with a confirmed case with severe acute respiratory infection associated with the new coronavirus","tami_covid_dolor_gar":"Throat pain","tami_covid_fiebre":"Quantified fever greater than or equal to 38\u00ba","tami_covid_his_viaje":"History of travel to areas with circulation of new coronavirus disease cases in the previous 14 days","tami_covid_irag":"IRAG","tami_covid_malestar":"Discomfort","tami_covid_section_1":"Epidemiological link","tami_covid_section_2":"Signs and symptoms","tami_covid_section_3":"Classification","tami_covid_sintomatico":"Symptomatic","tami_covid_sospechoso":"Suspect Covid19","tami_covid_tos":"Cough","tami_covid_trab_salud":"Healthcare worker with whom you have had close contact with a confirmed or probable case","tami_vio_gen":"Gender violence screening","tami_vio_gen_fis":"Physical violence","tami_vio_gen_fis_ask":"During the past year, have you been hit, slapped, or physically hurt?","tami_vio_gen_psico":"Psychological Violence","tami_vio_gen_psico_ask":"In the last year, have you been humiliated, belittled, insulted or threatened?","tami_vio_gen_sex":"Sexual violence","tami_vio_gen_sex_ask":"During the last one were you forced to have sex?","tipo_consulta":"Type of medical appointment"},"ordenes_medicamentos":"Medicines","ordenes_procedimietos":"Medical procedures","remisiones":"Medical remission","remove":"Remove","rips":"RIPS - Medical diagnosis","section_1":"Opening Data","section_2":"Evolution","section_3":"Medical prescriptions and Medical diagnosis","section_4":"Remission and medical disability","select":"Select","success":"Medical chart successfully saved","title":"Medical Chart","warning":"Warning"},"meses":{"abril":"April","agosto":"August","diciembre":"December","enero":"January","febrero":"February","julio":"July","junio":"June","marzo":"March","mayo":"May","noviembre":"November","septiembre":"September"},"meses_short":{"abril":"Apr","agosto":"Aug","diciembre":"Dic","enero":"Jan","febrero":"Feb","julio":"Jul","junio":"Jun","marzo":"Mar","mayo":"May","noviembre":"Nov","septiembre":"Sep"},"months":"Months","next":"Next & raquo;","no":"No","notifications":{"error_create":"Error creating notification","error_past":"Unable to create notification submission in the past.","ok_create":"Notification has been created","send_to_all":"Please note that this notification will be sent to all platform users","title_1":"Notifications","title_2":"User","title_3":"Send to all?","title_4":"Date","title_5":"Time","title_6":"Notification text","title_7":"Create notification","title_8":"Cancel"},"opentok":{"busy_session":"The session is busy.","cant_connect":"Cannot connect to this session","not_valid_session":"Session valid","not_valid_user_error":"Please enter a valid user.","notification_text":"\ud83d\udcf9 You have a video call with the doctor, click here to start ...","same_user_error":"Cannot create call with same user."},"panel":"Panel","parameters":{"ask_update":"Modify Parameters?","error_try_later":"Error, try later.","error_update":"Error updating parameters","invalid_mail":"Please enter a valid email.","title_1":"Parameters","title_2":"Country code","title_3":"WhatsApp number (Chat application)","title_4":"Email (Requests, Claims and Complaints application)","update":"Update","update_ok":"Parameters successfully modified!","validate_data":"Please fill all data."},"password_reset":{"btn_reset":"Send link to reset password","email":"E-Mail","greeting":"Hello,","line1":"We are sending you this email because we have received a request to reset your password.","line2":"If you have not requested to reset the password, no action is required. Please contact us if you did not submit this request. ","password_reset":"Reset password","subject":"Reset telemedicine password","title":"Password reset"},"please_analysis":"Please fill in analysis and conduct at least one diagnosis to continue","please_indicate":"Please indicate","please_specifical_data":"Please fill out specific data to continue","previous":" & laquo; Previous","print":{"address":"Address","age":"Age","blood_pressure":"Blood pressure","breathing_frequency":"Respiratory Rate","city":"City","clinic_history_telemedicine":"TELEMEDICINE CLINICAL HISTORY","clinical_info":"CLINICAL INFORMATION:","code":"Code","conscious_state":"State of consciousness","current_laboratories_disease":"Current disease and laboratories","date_and_time":"Print date and time","date_time":"Date and time","dob":"Date of birth","doctor":"Doctor","female":"female","heart_rate":"Heart Rate","identification_doc":"Doc. ID","insurance":"Insurer","male":"Male","patient":"Patient","patient_data":"PATIENT DATA:","patient_names":"Patient: Patient's first and last names:","phone":"Telephone","physical_exam":"Physical exam","printed_by":"Printed by","reason_consultation":"Reason for Consultation","request_detail":"REQUEST DATA:","request_type":"Type of query","requesting_user":"Requesting user","saturation":"Saturation","sending_provider":"Forwarding provider","sex":"Sex","state":"State","status":"Status","temperature":"Temperature","validate_print":"To print you must save the request","vital_signs":"Vital signs"},"print_clinic_document":{"labelAseguradora":"Insurer","labelCiudad":"Ciudad","labelDepartamento":"Department","labelDireccion":"Address","labelDocidentificacion":"Doc. identification ","labelEdad":"Age","labelEspecialidad":"Specialty","labelEstado":"Estado","labelEstadodeconsciousness":"Consciousness state","labelFrecuencia_cardiaca":"Cardiac frequency","labelFrequencyRespiratory":"Respiratory frequency","labelSaturation":"Saturation","labelSexo":"Sex","labelTelefono":"Telephone","labelTelemedicina":"Historia Clinica Telemedicina","labelTemperatura":"Temperature","labelTensionarterial":"Blood pressure","labelcodigo":"Code","labeldatosdelpaciente":"PATIENT DATA","labeldatosdesolicitud":"REQUEST DATA","labelenfermedadactualylaboratorios":"Actual disease and laboratories","labelfechadenacimiento":"Date of birth","labelfechayhora":"Date and time","labelinformacion_clinica":"CLINICAL INFORMATION","labelmedico":"Medical","labelmotivoconsulta":"Reason for consultation","labelpaciente":"Patient","labelprestador":"Remissed borrower","labelsignosvitales":"Vital signs","labeltipodeconsulta":"Query type","labeluser":"Requesting user","physicalExamination label":"Physical exam"},"print_formulacion":{"label_documento":"Document:","label_fecha":"Date:","label_formulacion":"Formulation","label_medico":"Medic:","label_nombre":"Name:"},"reports":{"title_1":"Real-time analysis"},"request":{"cancel_document":"The document has been canceled:","change_state":"The document status has been changed:","document_create":"Document # <id> generated correctly.","document_lock":"Document # <id> has been unlocked","document_lock_by":"Document # <id> is locked by user: <user>","document_updated":"Document # <id> updated successfully.","end_consultation":"The query has been completed.","end_treatment_by":"The treatment with the doctor has ended:","locked_by":"The document is locked by:","not_found":"No document found","not_modifiable":"Unable to modify, the document has been finalized.","notification_text_status":"Your request has changed status, click here for more details","nurse_type":"Unable to complete the query, the user must be a nurse type.","tag_1":"The center:","tag_2":"is currently inactive.","treatment_not_end":"Unable to complete, query has not completed treatment.","user_not_medic":"Unable to end treatment, user is not a medical type.","user_not_valid":"Invalid user to unlock document # <id>"},"request_table":{"actions":"Actions","applicant":"Applicant","busq_especifica":"Specific search","change_state":"Change status","close":"Close","date":"Date","entity":"Entity","error_required":"Please fill in all the details.","filter":"Filter","hospital":"Hospital","medical_specialist":"Medical specialist","modal_title":"Cancel document","motive":"Motive","no":"No","patient":"Patient","request_type":"Request type","sap_code":"SAP Code","search":"Search","select":"Select","since":"From","specialty":"Specialty","state":"State","state_document":"Change document status","status":"Status","text_cancel":"Once the document has been canceled, it cannot be edited or viewed.","title_cancel":"Are you sure you want to cancel the document?","title_change":"Are you sure to change the status of the document?","until":"Until","yes":"Yes"},"screen_create_notifications_tag1":"Notifications","screen_create_notifications_tag10":"Failed to create notification!","screen_create_notifications_tag11":"Recipient","screen_create_notifications_tag2":"Create notification","screen_create_notifications_tag3":"Send notification to all clients","screen_create_notifications_tag4":"Message","screen_create_notifications_tag5":"Date","screen_create_notifications_tag6":"Time","screen_create_notifications_tag7":"Add","screen_create_notifications_tag8":"Cancel","screen_create_notifications_tag9":"notification created successfully!","screen_notifications_tag1":"New notification","screen_notifications_tag2":"Notifications","screen_notifications_tag3":"Message","screen_notifications_tag4":"Scheduled date","screen_notifications_tag5":"Creation Date","screen_notifications_tag6":"Responsible","screen_notifications_tag7":"notification created successfully!","select":"- Select","service":"Service","sex":"Sex","specialties":{"btn_create":"Create","btn_edit":"Edit","editing":"Editing specialty:","error_update":"Error modifying Specialty!","female":"Female Only","female_male":"Female and Male","main_title":"Specialties","male":"Male Only","name":"Name","no":"No","ok_create":"Se ha creado correctamente la aseguradora.","ok_update":"Se ha actualizado correctamente la aseguradora.","select":"- Select","sex_allow":"Sexes allowed for the specialty","table":{"col1":"Code","col2":"Name","col3":"Sexes allowed","col4":"Active","col5":"Actions"},"update_ok":"Specialty modified!","yes":"Yes"},"state":"State","step1":{"attention_type":"Attention type","continue":"continue","select":"- Select","specialty":"Specialty","text1":"Indicates the specialty and type of care for the query"},"step2":{"analysis_behavior":"Analysis and behavior","attacheds":"Attached information","clinical_info":"Clinical information","initial_info":"Initial information","print":"Print","save":"Save","specify_data":"Specific data","unlock":"Unlock"},"sync_only":"Synchronization only","template_responses":{"btn_create":"Create","btn_edit":"Edit","editing":"Editing response:","main_title":"Cancellation responses","name":"Name","no":"No","ok_create":"The response has been successfully created.","ok_update":"The response has been successfully updated.","select":"- Select","table":{"col1":"Code","col2":"Name","col3":"Active","col4":"Actions"},"update_error":"Error modifying response!","update_ok":"Modified answer!","yes":"Yes"},"terms":{"error_create":"Error creating terms!","error_save_image":"There was an Error saving the PDF!","error_upload":"Error loading terms","max_file_size":"The file exceeds the maximum size of 1 Mb.","ok_create":"Terms created successfully!","ok_update":"Terms updated successfully!","tag_1":"App usage text","tag_2":"Url data terms","tag_3":"Creation date","tag_4":"List terms and conditions","tag_5":"Create terms","tag_6":"PDF data terms","tag_7":"Create","tag_8":"Cancel","tag_9":"Create terms?","upload_ok":"Terms successfully loaded","view_pdf":"Open PDF"},"treatments":{"error_create":"Error creating treatment!","error_update":"Error updating treatment!","error_upload":"Error loading treatment","ok_create":"Treatment created successfully!","ok_update":"Treatment updated successfully!","tag_1":"Create treatment?","tag_2":"Modify treatment?","title_1":"Create treatment","title_10":"Edit treatment","title_11":"Update","title_12":"Add treatment","title_13":"List of treatments","title_14":"Active","title_15":"Actions","title_2":"Treatments","title_3":"Name","title_4":"Recommendation","title_8":"Create","title_9":"Cancel","upload_ok":"Treatment loaded successfully"},"types_care":{"btn_create":"Create","btn_edit":"Edit","editing":"Editing type of attention:","main_title":"Types of care","name":"Name","no":"No","select":"- Select","table":{"col1":"Code","col2":"Name","col3":"Active","col4":"Actions"},"update_error":"Error modifying Attention Type!","update_ok":"Type of care changed!","yes":"Yes"},"updated_successfully":"Registry updated successfully","user":{"document_exist":"El numero de documento o el correo ingresado ya cuentan con un registro.","error_update":"An error occurred while updating the profile","ok_create":"The user has been successfully created.","ok_update":"The user has been successfully created.","profile_updated":"Profile updated","valid_hospital":"Por favor indique un hospital v\u00e1lido.","valid_rol":"Por favor indique un rol v\u00e1lido."},"user_info":{"address":"Address","age":"Age","cedula":"C\u00e9dula","cedula_extrajeria":"Foreign ID","city":"City","civil_registration":"Civil registry","code":"Code","country":"Country","dob":"Date of birth","document_id":"ID","document_type":"Document type","email":"Email","first_name":"Names","hospital":"Hospital","identity_card":"Identity card","insurance":"Insurer","last_name":"Lastname","main_title":"Patient demographics","passport":"Passport","phone":"Telephone","request_information":"Request information","request_type":"Request type","second_lastname":"Second surname","second_name":"Second name","sex":"Sex","specialty":"Specialty","state":"State","user_request":"Requesting user"},"user_terms":{"error_api":"Error, please try later."},"users":{"all":"- All","btn_create":"Create","btn_edit":"Edit","document":"Document","editing":"Editing user:","email":"email","hospital":"Hospital","label_dating":"Appointment duration","last_name":"Last name","main_title":"Users","name":"Name","new_password":"Password (Write to change the current one)","no":"No","password":"Password","phone":"Telephone","role":"Role","select":"- Select","specialty":"Specialty","table":{"col1":"Code","col2":"Name","col3":"Last name","col4":"Document","col5":"Telephone","col6":"Rol","col7":"Center","col8":"Active","col9":"Actions"},"update_error":"Error modifying User!","update_ok":"User modified!","yes":"Yes"},"validate":{"email_validate":"Write your email ...","password_validate":"Enter your password ..."},"video":{"button_createcall":"Create Video Call","label_1":"Patient","label_2":"Document","label_3":"Names","label_4":"Last name","message_user_left":"Session ended by user.","title_1":"Real-time analysis"},"videocall":{"error_document":"Please indicate a patient.","error_video":"Please save the document and indicate a valid patient"},"xml_ctrl":{"error_external_id":"An error occurred while updating the SAP ID:","not_found":"History with ID not found:","not_id_found":"The sent ID is not registered in the system","not_pending":"No pending stories to sync found"},"years":" Years ","yes":"Yes"},"en.pagination":{"next":"Next &raquo;","previous":"&laquo; Previous"},"en.passwords":{"password":"Passwords must be at least six characters and match the confirmation.","reset":"Your password has been reset!","sent":"We have e-mailed your password reset link!","token":"This password reset token is invalid.","user":"We can't find a user with that e-mail address."},"en.validation":{"accepted":"The :attribute must be accepted.","active_url":"The :attribute is not a valid URL.","after":"The :attribute must be a date after :date.","after_or_equal":"The :attribute must be a date after or equal to :date.","alpha":"The :attribute may only contain letters.","alpha_dash":"The :attribute may only contain letters, numbers, and dashes.","alpha_num":"The :attribute may only contain letters and numbers.","array":"The :attribute must be an array.","attributes":[],"before":"The :attribute must be a date before :date.","before_or_equal":"The :attribute must be a date before or equal to :date.","between":{"array":"The :attribute must have between :min and :max items.","file":"The :attribute must be between :min and :max kilobytes.","numeric":"The :attribute must be between :min and :max.","string":"The :attribute must be between :min and :max characters."},"boolean":"The :attribute field must be true or false.","confirmed":"The :attribute confirmation does not match.","custom":{"attribute-name":{"rule-name":"custom-message"}},"date":"The :attribute is not a valid date.","date_format":"The :attribute does not match the format :format.","different":"The :attribute and :other must be different.","digits":"The :attribute must be :digits digits.","digits_between":"The :attribute must be between :min and :max digits.","dimensions":"The :attribute has invalid image dimensions.","distinct":"The :attribute field has a duplicate value.","email":"The :attribute must be a valid email address.","exists":"The selected :attribute is invalid.","file":"The :attribute must be a file.","filled":"The :attribute field must have a value.","image":"The :attribute must be an image.","in":"The selected :attribute is invalid.","in_array":"The :attribute field does not exist in :other.","integer":"The :attribute must be an integer.","ip":"The :attribute must be a valid IP address.","ipv4":"The :attribute must be a valid IPv4 address.","ipv6":"The :attribute must be a valid IPv6 address.","json":"The :attribute must be a valid JSON string.","max":{"array":"The :attribute may not have more than :max items.","file":"The :attribute may not be greater than :max kilobytes.","numeric":"The :attribute may not be greater than :max.","string":"The :attribute may not be greater than :max characters."},"mimes":"The :attribute must be a file of type: :values.","mimetypes":"The :attribute must be a file of type: :values.","min":{"array":"The :attribute must have at least :min items.","file":"The :attribute must be at least :min kilobytes.","numeric":"The :attribute must be at least :min.","string":"The :attribute must be at least :min characters."},"not_in":"The selected :attribute is invalid.","numeric":"The :attribute must be a number.","present":"The :attribute field must be present.","regex":"The :attribute format is invalid.","required":"The :attribute field is required.","required_if":"The :attribute field is required when :other is :value.","required_unless":"The :attribute field is required unless :other is in :values.","required_with":"The :attribute field is required when :values is present.","required_with_all":"The :attribute field is required when :values is present.","required_without":"The :attribute field is required when :values is not present.","required_without_all":"The :attribute field is required when none of :values are present.","same":"The :attribute and :other must match.","size":{"array":"The :attribute must contain :size items.","file":"The :attribute must be :size kilobytes.","numeric":"The :attribute must be :size.","string":"The :attribute must be :size characters."},"string":"The :attribute must be a string.","timezone":"The :attribute must be a valid zone.","unique":"The :attribute has already been taken.","uploaded":"The :attribute failed to upload.","url":"The :attribute format is invalid."},"es.auth":{"failed":"Estas credenciales no coinciden con nuestros registros.","throttle":"Demasiados intentos de inicio de sesi\u00f3n. Vuelva a intentarlo en :seconds segundos."},"es.messages":{"active":"Activo","address":"Direcci\u00f3n","age":"Edad ","agenda":{"agenda":"Agenda","btn_create":"Crear","cancel_notification":"Se ha cancelado su cita de el d\u00eda <date> a las <time>.","consent_received":"Consentimiento recibido","date":"Fecha","document":"Documento","end_time":"Hora fin","event_created":"Evento creado correctamente","last_name":"Apellido","medic":"M\u00e9dico","name":"Nombre","notification_text":"\ud83d\udcc5 Se ha asignado una cita para el d\u00eda <date> a las <time> recuerda estar presente 20 min antes.","patient":"Paciente","payment_received":"Pago recibido","rate":"Tarifa","recommend_text":"Recuerda estar presente 20 min antes.","select":"--Seleccione","send_consent":"Enviar consentimiento ?","send_payment":"Enviar cobro ?","specialty":"Especialidad","start_time":"Hora inicio","type_consultation":"Tipo de consulta","validation":{"all_fields":"Por favor indique todos los datos"}},"agenda_modal":{"tag_1":"Cancelar cita","tag_2":"Desea cancelar la cita ?","tag_3":"Cerrar","tag_4":"Crear consulta"},"already_exists":"El registro :name ya existe","app":"App","app_main":{"tag_1":"Nombres","tag_10":"Estado","tag_11":"Fecha solicitud","tag_12":"Acciones","tag_13":"Masculino","tag_14":"Femenino","tag_15":"Alerta COVID19","tag_16":"Atendido","tag_17":"Ate. domiciliaria","tag_18":"Ver solicitud","tag_19":"Especialidad","tag_2":"Apellidos","tag_20":"M\u00e9dico","tag_21":"Fecha de Teleconsulta","tag_22":"Tipo de solicitud","tag_3":"Fecha de nacimiento","tag_4":"Documento","tag_5":"Direcci\u00f3n","tag_6":"Ciudad","tag_7":"Sexo","tag_8":"Tel\u00e9fono","tag_9":"Resumen"},"aside":{"administrar":"Administrar","agenda":"Agenda","crear_solicitud":"Crear solicitud","external_app":"Solicitudes M\u00f3viles","home":"Home","solicitud":"Solicitud","tablero_solicitudes":"Tablero de solicitudes","tag_1":" Analisis en linea 1","tag_10":"Formularios","tag_11":"Listas","tag_2":" Analisis en linea 2","tag_3":" COVID-19 Global","tag_4":" Analisis en linea 3","tag_5":" Dashboard","tag_6":"Generador formularios","tag_7":"Origenes de datos","tag_8":"Campo valor","tag_9":"Campos","title":"Reportes","title_builder":"Constructor","video":"Videollamada"},"attachments":{"tag_1":"No se ha indicado un numero de historia v\u00e1lida, aseg\u00farese de guardar primero el documento.","tag_2":"No se ha enviado un archivo.","tag_3":"Se ha almacenado correctamente el fichero.","tag_4":"Se ha eliminado correctamente el fichero.","tag_5":"Imposible eliminar, el documento no se encuentra en un estado editable."},"attention_type":{"ok_create":"Se ha creado correctamente el tipo de atenci\u00f3n.","ok_update":"Se ha actualizado correctamente el tipo de atenci\u00f3n."},"banner":{"error_create":"\u00a1Error al crear banner!","error_delete":"\u00a1Error al eliminar banner!","error_delete_image":"\u00a1Hubo un Error al eliminar el banner!","error_save_image":"\u00a1Hubo un Error al guardar la imagen!","error_update":"\u00a1Error al actualizar banner!","error_update_image":"\u00a1Hubo un Error al modificar el banner!","error_upload":"Error al cargar banner","max_file_size":"El archivo excede el tama\u00f1o m\u00e1ximo 1 Mb.","ok_create":"\u00a1Banner creado con \u00e9xito!","ok_delete":"\u00a1Banner eliminado con \u00e9xito!","ok_update":"\u00a1Banner actualizado con \u00e9xito!","tag_1":"\u00bfCrear Banner?","tag_2":"\u00bfModificar Banner?","tag_3":"\u00bfEst\u00e1 seguro de eliminar este Banner?","upload_ok":"Banner cargado exitosamente"},"banners":{"title_1":"Crear banner","title_10":"Editar banner","title_11":"Actualizar","title_12":"Agregar banner","title_13":"Listado banners","title_14":"Activo","title_15":"Acciones","title_2":"Banners","title_3":"Nombre","title_4":"Orden","title_5":"Link","title_6":"Descripci\u00f3n","title_7":"Imagen","title_8":"Crear","title_9":"Cancelar"},"both":"Ambas","center_specialty":{"it_exist":"La combinaci\u00f3n de centro, especialidad y tipo de atenci\u00f3n ya existe.","ok_create":"Se ha creado correctamente la autorizaci\u00f3n.","ok_update":"Se ha actualizado correctamente la autorizaci\u00f3n.","required_fields":"Los campos de centro, especialidad y tipo de atenci\u00f3n son obligatorios."},"centers":{"address":"Direcci\u00f3n","authorization":"Autorizaci\u00f3n","btn_create":"Crear","btn_edit":"Editar","city":"Municipio","contact_person":"Persona de contacto","country":"Pa\u00eds","description":"Descripci\u00f3n","editing":"Editando hospital: ","email":"Email","error_update":"\u00a1Error al modificar Centro!","main_title":"Hospitales","name":"Nombre","no":"No","ok_create":"Se ha creado correctamente el centro.","ok_update":"Se ha actualizado correctamente el centro.","phone":"Tel\u00e9fono","select":"-- Seleccione","state":"Departamento","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Tel\u00e9fono","col4":"Email","col5":"Persona de contacto","col6":"Municipio","col7":"Activo","col8":"Acciones"},"update_ok":"\u00a1Centro modificado!","yes":"Si"},"centers_specialties":{"btn_create":"Crear","btn_edit":"Editar","editing":"Editando hospital: ","error_update":"\"\u00a1Error al modificar Autorizaci\u00f3n!\"","hospital":"Hospital","main_title":"Autorizaci\u00f3n de servicios","no":"No","ok_update":"\u00a1Autorizaci\u00f3n modificada!","select":"-- Seleccione","specialty":"Especialidad","table":{"col1":"Hospital","col2":"Especialidad","col3":"Tipo de atenci\u00f3n","col4":"Activo","col5":"Acciones"},"type":"Tipo de atenci\u00f3n","yes":"Si"},"city":"Ciudad","clear":"Limpiar","corejs":{"ID":"Documento","address":"direcci\u00f3n,","city":"ciudad","current_disease":"Enfermedad actual y laboratorios","dob":"fecha de nacimiento,","email":"email,","error":"Error","fill_diagnostics":"Por favor indicar diagn\u00f3sticos","fill_specific_data":"Por favor indicar datos espec\u00edficos","for_continue":" para continuar.","last_name":"apellido,","name":"nombre,","physical_exam":" ex\u00e1men f\u00edsico, ","please_fill":"Por favor indica ","select":"-- Seleccione","sex":"sexo,","state":"departamento","state_consciousness":"estado de conciencia,","telefono":"tel\u00e9fono","vital_signs":"signos vitales"},"covid19":{"tag_1":"COVID-19 - Viajes?","tag_10":"Ha presentado secreci\u00f3n nasal?","tag_11":"Ha presentado dificultad para respira?","tag_12":"Ha presentado decaimiento?","tag_13":"Ha presentado dolores musculares?","tag_14":"Ha presentado dolor o presi\u00f3n en el pecho cuando respirar?","tag_15":"Tiene cancer?","tag_16":"Tiene diabetes?","tag_17":"Tiene hipertensi\u00f3n?","tag_18":"Tiene problemas cardiacos?","tag_19":"Tiene enfermedades que afecten el sistema inmune ?","tag_2":"Ha viajado en los \u00faltimos 15 d\u00edas al exterior?","tag_20":"Tratamiento","tag_3":"Ha que paises ha viajado ?","tag_4":"COVID-19 - Factores de riesgo","tag_5":"Ha tenido contacto con alguna persona que haya sido diagnosticada con el Coronavirus?","tag_6":"Ha tenido contacto con personas que hayan viajado al exterior en los \u00faltimos 15 d\u00edas?","tag_7":"Ha presentado fiebre?","tag_8":"Ha presentado tos?","tag_9":"Ha presentado estornudos?"},"created_successfully":"Registro creado exitosamente","datatable":{"url_language":"https:\/\/cdn.datatables.net\/plug-ins\/1.10.19\/i18n\/Spanish.json"},"days_mini":{"domingo":"Do","jueves":"Ju","lunes":"Lu","martes":"Ma","miercoles":"Mi","sabado":"S\u00e1","viernes":"Vi"},"days_short":{"domingo":"Dom","jueves":"Jue","lunes":"Lun","martes":"Mar","miercoles":"Mi\u00e9","sabado":"S\u00e1b","viernes":"Vie"},"deleted_successfully":"Registro eliminado exitosamente","dias":{"domingo":"Domingo","jueves":"Jueves","lunes":"Lunes","martes":"Martes","miercoles":"Mi\u00e9rcoles","sabado":"S\u00e1bado","viernes":"Viernes"},"dob":"Fecha de nacimiento","document":"No. Documento","document_states":{"end_treatment":"Fin de tratamiento","pending":"Pendiente"},"error_creating":"Error al crear registro","error_removing":"Error al eliminar registro","error_updating":"Error al actualizar registro","errors":{"404":"Recurso no encontrado.","405":"Operaci\u00f3n no permitida."},"errors_only":"Solo errores","external_app":{"notification_text":"Nueva solicitud - <document>","ok_create":"Se ha creado el registro correctamente","patient_not_found":"No se ha encontrado registro de usuario","title_create":"Registro creado"},"female":"Femenino","field_datasources":{"tag_1":"\u00bfCrear datasource?","tag_2":"\u00bfModificar datasource?","tag_3":"Debes ingresar una url","tag_4":"Debes seleccionar un tipo","tag_5":"Debes seleccionar un tipo de opci\u00f3n","tag_6":"\u00bfEliminar datasource?","title_1":"Crear datasources","title_10":"Editar datasource","title_11":"Actualizar","title_12":"Agregar datasource","title_13":"Listado datasources","title_14":"Activo","title_15":"Acciones","title_16":"Opciones","title_2":"Datasources","title_3":"Nombre","title_4":"Tipo","title_5":"Url","title_8":"Crear","title_9":"Cancelar"},"field_input":"Tipo de input","field_values":{"tag_1":"\u00bfCrear valor?","tag_2":"\u00bfModificar valor?","tag_6":"\u00bfEliminar valor?","title_1":"Crear valor","title_10":"Editar valor","title_11":"Actualizar","title_12":"Agregar valor","title_13":"Listado valor","title_14":"Activo","title_15":"Acciones","title_16":"Opciones","title_17":"Listado items","title_18":"Agregar item","title_2":"Valor","title_20":"Agregar","title_3":"Nombre","title_4":"Valor","title_8":"Crear","title_9":"Cancelar"},"fields":{"tag_1":"\u00bfCrear Campo?","tag_10":"Debes ingresar atributo name_control","tag_2":"\u00bfModificar Campo?","tag_6":"\u00bfEliminar Campo?","tag_7":"Debes ingresar el campo nombre.","tag_8":"Debes ingresar tipo de campo.","tag_9":"Debes ingresar fuente de datos.","title_1":"Crear Campo","title_10":"Editar Campo","title_11":"Actualizar","title_12":"Agregar Campo","title_13":"Listado Campos","title_14":"Activo","title_15":"Acciones","title_16":"Opciones","title_18":"Agregar item","title_2":"Campo","title_20":"Agregar","title_3":"Nombre","title_4":"Campo","title_8":"Crear","title_9":"Cancelar"},"first_name":"Nombre","first_surname":"Primer apellido","for_continue":"Para continuar","form_fields":{"tag_1":"\u00bfAsignar campo?","tag_2":"Debe seleccionar un formulario","tag_3":"Debe selecionar al menos un campo","title_1":"Asignar campos","title_12":"Asignar campos","title_13":"Listado campos","title_2":"Campos del formulario","title_3":"Campo","title_4":"Formulario","title_8":"Crear","title_9":"Cancelar"},"forms":{"tag_1":"\u00bfCrear formulario?","tag_2":"\u00bfModificar formulario?","tag_6":"\u00bfEliminar formulario?","tag_7":"Debes seleccionar visibilidad","tag_8":"Debes seleccionar una especialidad","title_1":"Crear formulario","title_10":"Editar formulario","title_11":"Actualizar","title_12":"Agregar formulario","title_13":"Listado formulario","title_14":"Activo","title_15":"Acciones","title_16":"Opciones","title_17":"Listado items","title_18":"Agregar item","title_2":"Formulario","title_20":"Agregar","title_3":"Nombre","title_4":"Descripci\u00f3n","title_5":"Visibilidad","title_6":"Prioridad","title_7":"Especialidad","title_8":"Crear","title_9":"Cancelar"},"gineco":{"analysis":{"ask_print_formulation":"Desea imprimir la formulaci\u00f3n ?","ask_send_formulation":"Desea enviar la formulaci\u00f3n al email del usuario ?","button_print_formulation":"Imprimir formulaci\u00f3n","button_save":"Grabar sesi\u00f3n","button_send_formulation":"Enviar formulaci\u00f3n al paciente","end_treatment":"Fin de tratamiento","error_please_save":"Error por favor guarde el documento actual.","finish_treatment":"Desea finalizar el tratamiento ?","finish_treatment_confirm":"Una vez finalizado el tratamiento no se podr\u00e1 modificar de nuevo esta informaci\u00f3n.","only_role_medic":"Solo el rol m\u00e9dico puede finalizar el tratamiento.","print":"Imprimir formulaci\u00f3n","record_session":"Grabar sesi\u00f3n","recording_clic":"Grabando... clic para finalizar","send":"Enviar formulaci\u00f3n al paciente","text1":"An\u00e1lisis y conducta recomendada","text2":"Formulaci\u00f3n"},"apply":"Aplicar","attacheds":{"end_consultation":"Fin consulta","error_document":"Error debe indicar un documento","file_missing":"Por favor indique un archivo primero","finish_consultation":"Desea finalizar la consulta ?","finish_consultation_warning":"Una vez finalizada la consulta no se podr\u00e1 modificar el documento.","first_save":"Primero debe guardar el documento.","max_file_size":"El archivo excede el tama\u00f1o permitido. Tama\u00f1o m\u00e1ximo 15MB","only_nurse":"Solo el rol enfermera interna puede finalizar la consulta.","other_attachments":"Otros adjuntos","patient_documents":"Documentos del paciente","support_information":"Informaci\u00f3n de soporte"},"clinic_info":{"blood_pressure":"Tensi\u00f3n arterial","breathing_frequency":"Frecuencia respiratoria","clinic_data":"Datos cl\u00ednicos generales","consciousness_1":"Alerta","consciousness_2":"Somnoliento","consciousness_3":"Estuporoso","consciousness_4":"Coma superficial","consciousness_5":"Coma profundo","consciousness_state":"Estado de conciencia","current_illness":"Enfermedad actual y laboratorios","heart_rate":"Frecuencia card\u00edaca","physical_exam":"Ex\u00e1men f\u00edsico","reason_consultation":"Motivo de consulta","saturation":"Saturaci\u00f3n","temperature":"Temperatura","vital_signs":"Signos vitales"},"close":"Cerrar","code":"C\u00f3digo","diagnostic_text":"Texto diagn\u00f3stico","end_consultation":"Finalizar consulta","finish_treatment":"Finalizar tratamiento","initial_info":{"initial_recommendations":"Recomendaciones iniciales","main_title":"Datos iniciales de contacto","phone_summary":"Resumen informaci\u00f3n tel\u00e9fonica"},"medical_specialist":"M\u00e9dico especialista","other_attachments":"Otros anexos","select":"-- Seleccione","table":{"col1":"Descripci\u00f3n","col2":"Ruta documento","col3":"Acciones","col4":"Documento identidad","col5":"Carn\u00e9 de la entidad","col6":"Autorizaci\u00f3n de la entidad","col7":"Consentimiento informado"},"zoom_text":"Ampliar texto"},"gynecobstetrics":{"amount_bleeding":"Cantidad de sangrado","between_09_13":"Entre 0.9 a 1.3","bleeding_between_500_and_100":"Sangrado entre 500 a 1000 cc","bleeding_more_than_1500_":"Sangrado mayor a 1500 cc","bleeding_time":"Tiempo de sangrado","cardiac_arrest":"Paro cardiorrespiratorio","cardiac_frequency":"Frecuencia cardiaca fetal","coagulopathy_clinic":"Coagulopat\u00eda cl\u00ednica","crysis_pregnant":"En crisis hipertensiva en embarazo","epidemiological_variables":"Variables epidemiol\u00f3gicas","event_attention_childbirth":"Evento en la atenci\u00f3n del parto","fcf":"FCF (lat\/min)","fcf_error":"Por favor indique la informaci\u00f3n FCF.","fetal_information":"Informaci\u00f3n fetal","fetal_status_unsatisfactory":"Estado fetal no satisfactorio","first_day_post_partum":"En el 1 d\u00eda, horas de puerperio","gestational_age":"Edad gestacional (semanas)","less_09":"Menor a 0.9","less_than_10_minutes":"Menor de 10 minutos","less_than_20_minutes":"Menor a 20 minutos","main_title":"Ginecobstetricia","more_than_13":"Mayor a 1.3","more_than_20_minutes":"Mayor a 20 minutos","no":"No","not":"No","number_fetuses":"N\u00famero de fetos","observations":"Observaciones","other":"Otro","other_emergencies":"Otras emergencias","other_symptom_severity":"Otro s\u00edntoma o signo de severidad","post-partum":"Pu\u00e9rpera","post-partum-days":"D\u00edas de puerperio","postpart_hemorragy":"HEMORRAGIA POSTPARTO","postpartum_hemorrhage":"Hemorragia postparto","preeclampsia":"Preeclampsia","pregnant":"En embarazo ?","premonitory_symptoms_encephalopathy":"S\u00edntomas premonitorios o de encefalopat\u00eda","seizures_or_neurological":"Convulsiones o d\u00e9ficit neurol\u00f3gico","select":"-- Seleccione","sepsis_post-partum":"Sepsis en puerperio","sepsis_pregnancy":"Sepsis en embarazo","severe_preeclampsia":"Preeclampsia severa","severity_disease":"Severidad de la enfermedad","shock_index":"\u00cdndice de choque","specific_clinic_data":"Datos cl\u00ednicos especificos","systolic_or_diastolic":"Tensi\u00f3n arterial sist\u00f3lica o diast\u00f3lica mayor de 160\/110 mmhg","urgency_type":"Tipo de urgencias","which_one":"Cual ?","with_eclampsia":"Con eclampsia","yes":"Si"},"hard":"Manual","home":{"bar":{"dataset_label":"Estados de las atenciones","label_1":"En curso","label_2":"Novedades","label_3":"Finalizado","label_4":"En espera","text":"Estados","title":"Estados actuales de las atenciones a\u00f1o "},"donought":{"between_1_2":"De una a dos horas","less_1_hour":"Menor a 1 hora","more_than_2":"Superior a dos horas","text":"Tiempos de atenci\u00f3n","title":"Tiempos  promedio de atenci\u00f3n a\u00f1o "},"donought2":{"dataset_label":"Cantidad de atenciones","last_7_days":"\u00daltimos 7 d\u00edas","text":"Distribuci\u00f3n de solicitudes por departamento"},"modal_password":{"btn":"Aceptar","error":"Las contrase\u00f1as no coinciden","password_1":"Contrase\u00f1a nueva","password_2":"Confirmar contrase\u00f1a","title":"Actualizar contrase\u00f1a"},"tiles":{"tile1":"EN CURSO","tile2":"NOVEDADES","tile3":"ATENCIONES FINALIZADAS","tile4":"PACIENTES EN ESPERA"}},"hopital":"Hospital","hospital":"Hospital","hoy":"Hoy","inactive":"Inactivo","insurances":{"btn_create":"Crear","btn_edit":"Editar","editing":"Editando aseguradora: ","error_update":"\u00a1Error al modificar Aseguradora!","main_title":"Aseguradoras","name":"Nombre","no":"No","ok_create":"Se ha creado correctamente la aseguradora.","ok_update":"Se ha actualizado correctamente la aseguradora.","rate":"Tarifa","select":"-- Seleccione","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Activo","col4":"Acciones","col5":"Tarifa"},"update_ok":"\u00a1Aseguradora modificada!","yes":"Si"},"layout":{"salir":"Salir"},"login":{"button_enter":"Entrar","closed_by_another":"Se ha cerrado su sesi\u00f3n desde otro dispositivo.","document":"Documento...","document_exist":"El documento ingresado ya se encuentra registrado.","email":"Correo...","error_register":"Ha ocurrido un error al registrar el usuario","forgot_1":"Olvidaste tu","forgot_2":"contrase\u00f1a","inactive_user":"Usuario inactivo","password":"Escribe tu contrase\u00f1a...","password_incorrect":"Documento o contrase\u00f1a son erroneos, intente de nuevo","try_later":"Error, intente m\u00e1s tarde."},"logs":{"main_title":"Logs","table":{"col1":"C\u00f3digo","col2":"Descripci\u00f3n","col3":"Tipo","col4":"Evento","col5":"IP"}},"mail_formula":{"greeting":"Hola, ","line1":"Se ha enviado la formula m\u00e9dica, adjunto encontrara el archivo.","subject":"Formula m\u00e9dica <patient>"},"mail_title_pqrs":"El usuario :username con documento: :document ha enviado el siguiente pqrs","mailing":{"consent":"Informed Consent","transaction":"Scheduled Quote - Make it Paid"},"main_datasources":{"tag_1":"\u00bfCrear cabecera?","tag_2":"\u00bfModificar cabecera?","tag_4":"Debes ingresar al menos un \u00edtem","tag_6":"\u00bfEliminar cabecera?","title_1":"Crear cabecera","title_10":"Editar cabecera","title_11":"Actualizar","title_12":"Agregar cabecera","title_13":"Listado cabecera","title_14":"Activo","title_15":"Acciones","title_16":"Opciones","title_17":"Listado items","title_18":"Agregar item","title_19":"Nombre del item","title_2":"Cabecera","title_20":"Agregar","title_3":"Nombre","title_8":"Crear","title_9":"Cancelar"},"male":"Masculino","medical_chart":{"add":"Agregar","diagnosticos":"Diagn\u00f3sticos","end_appointment":"Finalizar","fail":"La historia cl\u00ednica no se pudo almacenar","fill_diagnostics":"Debes agregar alg\u00fan diagn\u00f3stico","fill_inputs":"Debes llenar los campos","incapacidades":"Incapacidades","inputs":{"ant_familiares":"Antecedentes familiares","ant_farmacologicos":"Antecedentes farmacol\u00f3gicos","ant_gin_abortos":"Abortos","ant_gin_amenorrea":"Amenorrea","ant_gin_cesareas":"Ces\u00e1reas","ant_gin_ciclo_menstrual":"Ciclo menstrual","ant_gin_colposcopias":"Colposcopias","ant_gin_compa\u00f1eros":"Compa\u00f1eros","ant_gin_duracion":"Duraci\u00f3n","ant_gin_ectopicos":"Ect\u00f3picos","ant_gin_edad_gestacional":"Edad gestacional","ant_gin_edad_inicio_sex":"Edad inicio sexual","ant_gin_embarazada":"Usuaria embarazada","ant_gin_fecha_citologia":"Fecha citolog\u00eda","ant_gin_gravidez":"Gravidez","ant_gin_his_infertilidad":"Historia de infertilidad","ant_gin_intergenesico":"P. intergen\u00e9sico","ant_gin_leucorrea":"Leucorrea","ant_gin_menarca":"Menarca","ant_gin_nacidos_muertos":"Nacidos muertos","ant_gin_nacidos_vivos":"Nacidos vivos","ant_gin_otros":"Otros antecedentes ginecol\u00f3gicos","ant_gin_partos_vag":"Partos vaginales","ant_gin_prob_parto":"F. Probable parto","ant_gin_resul_citologia":"Resultado citolog\u00eda","ant_gin_ultima_cito":"\u00daltima citolog\u00eda relizada","ant_gin_ultima_menstruacion":"\u00daltima menstruaci\u00f3n","ant_gin_ultimo_parto":"Fecha \u00faltimo parto","ant_ginecologicos":"Antecedentes ginecol\u00f3gicos","ant_hopitalarios":"Antecedentes hospitalario","ant_inmunologicos":"Antecedentes inmunol\u00f3gicos","ant_laborales":"Antecedentes laborales","ant_patologicos":"Antecedentes patol\u00f3gicos","ant_quirurgicos":"Antecedentes quir\u00fargicos","ant_toxico_alergico":"Antecedentes t\u00f3xicos-al\u00e9rgicos","ant_traumaticos":"Antecedentes traum\u00e1ticos","conducta_seguir":"Conducta a seguir","enfermedad_actual":"Enfermedad actual","exa_fis_abd_lum":"Abd\u00f3men y lumbar","exa_fis_cab_cue":"Cabeza y cuello","exa_fis_cara_ojo_orl":"Cara, ojos y ORL","exa_fis_est_men":"Estado mental","exa_fis_extre_pel":"Extremidades y pelvis","exa_fis_imc":"IMC","exa_fis_peso":"Peso (kgs)","exa_fis_piel":"Piel","exa_fis_sis_gen_uri":"Sistema genito-urinario","exa_fis_sis_neuro":"Sistema neurol\u00f3gico","exa_fis_sis_osteo":"Sistema osteomuscular","exa_fis_talla":"Talla (cms)","exa_fis_torx_cor_pul":"T\u00f3rax, coraz\u00f3n y pulm\u00f3n","examen_fisico":"Ex\u00e1men f\u00edsico","inc_fecha_final":"Fin de incapacidad","inc_fecha_inicio":"Inicio de incapacidad","inc_num_dias":"D\u00edas de incapacidad","inc_observaciones":"Observaciones","inc_prorroga":"Es una pr\u00f3rroga de incapacidad","inc_tipo":"Tipo de incapacidad","motivo_consulta":"Motivo consulta","ord_med_adminis":"Administraci\u00f3n","ord_med_atc":"ATC","ord_med_cantidad":"Cantidad","ord_med_cod":"C\u00f3digo Medicamento","ord_med_dosis":"Dosis","ord_med_fact_trat":"Factor tratamiento","ord_med_frecuencia":"Frecuencia","ord_med_observacion":"Observaciones","ord_med_posologia":"Posolog\u00eda","ord_med_presentacion":"Presentaci\u00f3n","ord_med_tiem_trat":"Tiempo tratamiento","ord_med_tiempo":"Tiempo","ord_medicamentos":"Medicamento","ord_proced_canti":"Cantidad","ord_proced_cod":"C\u00f3digo Procedimiento","ord_proced_observac":"Observaciones","ord_proced_urgente":"Urgente","ord_procedimientos":"Procedimiento","planificacion":"Planificaci\u00f3n","rem_caracter":"Caracter de remisi\u00f3n","rem_causa":"Causa de remisi\u00f3n","rem_cen_prod":"Centro de producci\u00f3n","rem_diganostico":"Diagn\u00f3stico de remisi\u00f3n","rem_fecha_salida":"Fecha de salida","rem_observacion":"Observaciones","rem_prestador":"Prestador","rem_profesional":"Profesional que ordena","rem_tipo":"Tipo de remisi\u00f3n","resumen_clinico":"Resumen cl\u00ednico","rips_causa":"Causa","rips_causa_externa":"Causa externa","rips_clase":"Clase","rips_fecha_aten":"Fecha atenci\u00f3n","rips_fina_consulta":"Finalidad de la consulta","rips_servicios":"Agrupaci\u00f3n de servicios","rips_tipo":"Tipo","sinto_resp":"Riesgo sintom\u00e1tico respiratorio","sinto_resp_fecha_baciloscopia":"Fecha de toma de muestra para baciloscopia de diagn\u00f3stico (Para respuesta SI)","sinto_resp_justi":"Si el RIESGO NO ES EVALUADO, JUSTIFIQUE","sinto_resp_resul_bacilo":"Resultado prueba de baciloscopia de diagn\u00f3stico","sinto_resp_sintoma":"Es sintom\u00e1tico respiratorio. (Si presenta tos con expectoraci\u00f3n por m\u00e1s de 15 d\u00edas marque SI)","tami_covid":"Tamizaje Coronavirus","tami_covid_Disnea":"Disnea","tami_covid_adinamia":"Adinamia","tami_covid_anteceden":"Antecedentes de contacto estrecho en los \u00faltimos 14 d\u00edas con un caso confirmado con infecci\u00f3n respiratoria aguda grave asociada al nuevo coronavirus","tami_covid_dolor_gar":"Dolor de garganta","tami_covid_fiebre":"Fiebre cuantificada mayor o igual a 38\u00ba","tami_covid_his_viaje":"Historial de viaje a \u00e1reas con circulaci\u00f3n de casos de enfermedad por nuevo coronavirus 2019 en los 14 d\u00edas anteriores","tami_covid_irag":"IRAG","tami_covid_malestar":"Malestar","tami_covid_section_1":"Nexo epidemiologico","tami_covid_section_2":"Signos y s\u00edntomas","tami_covid_section_3":"Clasificaci\u00f3n del caso","tami_covid_sintomatico":"Sintom\u00e1tico","tami_covid_sospechoso":"Sospechoso Covid19","tami_covid_tos":"Tos","tami_covid_trab_salud":"Trabajador de la salud u otro personal del \u00e1mbito hospitalario que haya tenido contacto estrecho con caso confirmado o probable","tami_vio_gen":"Tamizaje violencia de g\u00e9nero","tami_vio_gen_fis":"Violencia F\u00edsica","tami_vio_gen_fis_ask":"\u00bfDurante el \u00faltimo a\u00f1o fue golpead@, bofetiad@ o lastimad@ f\u00edsicamente?","tami_vio_gen_psico":"Violencia Psicol\u00f3gica","tami_vio_gen_psico_ask":"\u00bfDurante el \u00faltimo a\u00f1o ha sido humillad@, menospreciad@, insultad@ o amenazad@?","tami_vio_gen_sex":"Violencia sexual","tami_vio_gen_sex_ask":"\u00bfDurante el \u00faltimo fue forzad@ a tener relaciones sexuales?","tipo_consulta":"Tipo de consulta"},"ordenes_medicamentos":"Medicamentos","ordenes_procedimietos":"Procedimientos","remisiones":"Remisiones","remove":"Limpiar","rips":"RIPS - Diagn\u00f3sticos","section_1":"Apertura","section_2":"Evoluci\u00f3n","section_3":"Diagn\u00f3sticos y prescripciones m\u00e9dicas","section_4":"Remisiones e incapacidades","select":"Seleccionar","success":"Historia cl\u00ednica guardada exitosamente","title":"Historia cl\u00ednica","warning":"Atenci\u00f3n"},"meses":{"abril":"Abril","agosto":"Agosto","diciembre":"Diciembre","enero":"Enero","febrero":"Febrero","julio":"Julio","junio":"Junio","marzo":"Marzo","mayo":"Mayo","noviembre":"Noviembre","septiembre":"Septiembre"},"meses_short":{"abril":"Abr","agosto":"Ago","diciembre":"Dic","enero":"Ene","febrero":"Feb","julio":"Jul","junio":"Jun","marzo":"Mar","mayo":"May","noviembre":"Nov","septiembre":"Sep"},"months":" Meses","next":"Siguiente &raquo;","no":"No","notifications":{"error_create":"Error al crear notificaci\u00f3n","error_past":"No se puede crear un env\u00edo de notificaci\u00f3n en el pasado.","ok_create":"Se ha creado la notificaci\u00f3n","send_to_all":"Ten en cuenta que esta notificaci\u00f3n se enviara a todos los usuarios de la plataforma","title_1":"Notificaciones","title_2":"Usuario","title_3":"Enviar a todos ?","title_4":"Fecha","title_5":"Hora","title_6":"Texto notificaci\u00f3n","title_7":"Crear notificaci\u00f3n","title_8":"Cancelar"},"opentok":{"busy_session":"La sesi\u00f3n se encuentra ocupada.","cant_connect":"No se puede conectar a esta sesi\u00f3n","not_valid_session":"Sesi\u00f3n valida","not_valid_user_error":"Por favor indique un usuario v\u00e1lido.","notification_text":"\ud83d\udcf9 Tienes una videollamada con el doctor, da clic aqu\u00ed para iniciar...","same_user_error":"No se puede crear llamada con el mismo usuario."},"panel":"Panel","parameters":{"ask_update":"\u00bfModificar Parametros?","error_try_later":"Error, intente m\u00e1s tarde.","error_update":"Error al actualizar parametros","invalid_mail":"Por favor indique un email v\u00e1lido.","title_1":"Par\u00e1metros","title_2":"C\u00f3digo del pa\u00eds","title_3":"Numero de WhatsApp (Chat aplicaci\u00f3n)","title_4":"Correo electr\u00f3nico (PQRS aplicaci\u00f3n)","update":"Actualizar","update_ok":"Parametros modificados con \u00e9xito!","validate_data":"Por favor indique todos los campos."},"password_reset":{"btn_reset":"Enviar link para restablecer contrase\u00f1a","email":"E-Mail","greeting":"Hola,","line1":"Te estamos enviando este email porque hemos recibido una solicitud de restablecer tu contrase\u00f1a.","line2":"Si no has solicitado restablecer la contrase\u00f1a, no es necesario realizar ninguna acci\u00f3n. Por favor contactanos si tu no enviaste esta solicitud.","password_reset":"Restablecer contrase\u00f1a","subject":"Restablacer contrase\u00f1a telemedicina","title":"Restablecer contrase\u00f1a"},"please_analysis":"Por favor diligenciar en an\u00e1lisis y conducta por lo menos un diagnostico para continuar","please_indicate":"Por favor indicar ","please_specifical_data":"Por favor diligenciar datos espec\u00edficos para continuar","previous":"&laquo; Anterior","print":{"address":"Direcci\u00f3n","age":"Edad","blood_pressure":"Tensi\u00f3n arterial","breathing_frequency":"Frecuencia Respiratoria","city":"Municipio","clinic_history_telemedicine":"HISTORIA CLINICA TELEMEDICINA","clinical_info":"INFORMACION CLINICA:","code":"C\u00f3digo","conscious_state":"Estado de la conciencia","current_laboratories_disease":"Enfermedad actual y laboratorios","date_and_time":"Fecha y hora impresi\u00f3n","date_time":"Fecha y hora","dob":"Fecha de nacimiento","doctor":"M\u00e9dico","female":"Femenino","heart_rate":"Frecuencia Cardiaca","identification_doc":"Doc. Identificaci\u00f3n","insurance":"Aseguradora","male":"Masculino","patient":"Paciente","patient_data":"DATOS DEL PACIENTE:","patient_names":"Paciente: Nombres y apellidos del paciente:","phone":"Tel\u00e9fono","physical_exam":"Examen f\u00edsico","printed_by":"Impreso por","reason_consultation":"Motivo de Consulta","request_detail":"DATOS DE LA SOLICITUD:","request_type":"Tipo de consulta","requesting_user":"Usuario solicitante","saturation":"Saturaci\u00f3n","sending_provider":"Prestador remisor","sex":"Sexo","state":"Departamento","status":"Estado","temperature":"Temperatura","validate_print":"Para imprimir debes guardar la solicitud","vital_signs":"Signos vitales"},"print_clinic_document":{"labelAseguradora":"Aseguradora","labelCiudad":"Ciudad","labelDepartamento":"Departamento","labelDireccion":"Direcci\u00f3n","labelDocidentificacion":"Doc. identificaci\u00f3n","labelEdad":"Edad","labelEspecialidad":"Especialidad","labelEstado":"Estado","labelEstadodeconciencia":"Estado conciencia","labelExamenfisico":"Exam\u00e9n f\u00edsico","labelFrecuenciaRespiratoria":"Frecuencia respiratoria","labelFrecuencia_cardiaca":"Frecuencia cardiaca","labelSaturacion":"Saturaci\u00f3n","labelSexo":"Sexo","labelTelefono":"Tel\u00e9fono","labelTelemedicina":"Historia Clinica Telemedicina","labelTemperatura":"Temperatura","labelTensionarterial":"Tensi\u00f3n arterial","labelcodigo":"C\u00f3digo","labeldatosdelpaciente":"DATOS DEL PACIENTE","labeldatosdesolicitud":"DATOS DE LA SOLICITUD","labelenfermedadactualylaboratorios":"Enfermedad actual y laboratorios","labelfechadenacimiento":"Fecha de nacimiento","labelfechayhora":"Fecha y hora","labelinformacion_clinica":"INFORMACI\u00d3N CLINICA","labelmedico":"M\u00e9dico","labelmotivoconsulta":"Motivo de consulta","labelpaciente":"Paciente","labelprestador":"Prestadro remiso","labelsignosvitales":"Signos vitales","labeltipodeconsulta":"Tipo de consulta","labelusuario":"Usuario solicitante"},"print_formulacion":{"label_documento":"Documento:","label_fecha":"Fecha:","label_formulacion":"Formulaci\u00f3n","label_medico":"M\u00e9dico:","label_nombre":"Nombre:"},"reports":{"title_1":"An\u00e1lisis en tiempo real"},"request":{"cancel_document":"The document has been canceled:","change_state":"Se ha cambiado el estado del documento: ","document_create":"Documento # <id> generado correctamente.","document_lock":"Documento # <id> se ha creado desbloqueado.","document_lock_by":"Documento # <id> se encuentra bloqueado por: <user>","document_updated":"Documento # <id> actualizado correctamente.","end_consultation":"Se ha concluido la consulta.","end_treatment_by":"Se ha finalizado el tratamiento con el m\u00e9dico: ","locked_by":"El documento se encuentra bloqueado por: ","not_found":"No se ha encontrado documento","not_modifiable":"Imposible modificar, el documento ha sido finalizado.","notification_text_status":"Su solicitud ha cambiado de estado, clic aqui para mas detalles","nurse_type":"Imposible concluir la consulta, el usuario debe ser de tipo enfermera.","tag_1":"El centro: ","tag_2":" por el momento se encuentra inactivo.","treatment_not_end":"Imposible concluir, la consulta no ha finalizado el tratamiento.","user_not_medic":"Imposible finalizar el tratamiento, el usuario no es de tipo m\u00e9dico.","user_not_valid":"Usuario invalido para desbloquear el documento # <id>"},"request_table":{"actions":"Acciones","applicant":"Solicitante","busq_especifica":"B\u00fasqueda espec\u00edfica","change_state":"Cambiar estado","close":"Cerrar","date":"Fecha","entity":"Entidad","error_required":"Por favor complete todos los datos.","filter":"Filtrar","hospital":"Hospital","medical_specialist":"M\u00e9dico especialista","modal_title":"Cancelar documento","motive":"Motivo","no":"No","patient":"Paciente","request_type":"Tipo de solicitud","sap_code":"C\u00f3digo SAP","search":"Buscar","select":"Seleccione","since":"Desde","specialty":"Especialidad","state":"Estado","state_document":"Cambiar estado documento","status":"Estado","text_cancel":"Una vez cancelado el documento, no se podr\u00e1 editar o visualizar.","title_cancel":"Esta seguro de cancelar el documento ?","title_change":"Esta seguro de cambiar el estado del documento?","until":"Hasta","yes":"Si"},"screen_create_notifications_tag1":"Notificaciones","screen_create_notifications_tag10":"\u00a1Error al crear Notificaci\u00f3n!","screen_create_notifications_tag11":"Destinatario","screen_create_notifications_tag2":"Crear notificaci\u00f3n","screen_create_notifications_tag3":"Enviar notificaci\u00f3n a todos los clientes","screen_create_notifications_tag4":"Mensaje","screen_create_notifications_tag5":"Fecha","screen_create_notifications_tag6":"Hora","screen_create_notifications_tag7":"Agregar","screen_create_notifications_tag8":"Cancelar","screen_create_notifications_tag9":"\u00a1Notificaci\u00f3n creada con \u00e9xito!","screen_notifications_tag1":"Nueva notificaci\u00f3n","screen_notifications_tag2":"Notificaciones","screen_notifications_tag3":"Mensaje","screen_notifications_tag4":"Fecha programada","screen_notifications_tag5":"Fecha Creaci\u00f3n","screen_notifications_tag6":"Responsable","screen_notifications_tag7":"\u00a1Notificaci\u00f3n creada con exito!","select":"-- Seleccione","service":"Servicio","sex":"Sexo","specialties":{"btn_create":"Crear","btn_edit":"Editar","editing":"Editando especialidad: ","female":"Solo Femenino","female_male":"Femenino y Masculino","main_title":"Especialidades","male":"Solo Masculino","name":"Nombre","no":"No","ok_create":"Se ha creado correctamente la especialidad.","ok_update":"Se ha actualizado correctamente la especialidad.","select":"-- Seleccione","sex_allow":"Sexos permitidos para la especialidad","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Sexos permitidos","col4":"Activo","col5":"Acciones"},"update_error":"\u00a1Error al modificar Especialidad!","update_ok":"\u00a1Especialidad modificada!","yes":"Si"},"state":"Departamento","step1":{"attention_type":"Tipo de atenci\u00f3n","continue":"Continuar","select":"-- Seleccione","specialty":"Especialidad","text1":"Indica la especialidad y tipo de atenci\u00f3n para la consulta"},"step2":{"analysis_behavior":"An\u00e1lisis y conducta","attacheds":"Informaci\u00f3n anexa","clinical_info":"Informaci\u00f3n cl\u00ednica","initial_info":"Informaci\u00f3n inicial","print":"Imprimir","save":"Guardar","specify_data":"Datos espec\u00edficos","unlock":"Desbloquear"},"sync_only":"Solo sincronizaci\u00f3n","template_responses":{"btn_create":"Crear","btn_edit":"Editar","editing":"Editando respuesta: ","main_title":"Respuestas de cancelaci\u00f3n","name":"Nombre","no":"No","ok_create":"Se ha creado correctamente la respuesta.","ok_update":"Se ha actualizado correctamente la respuesta.","select":"-- Seleccione","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Activo","col4":"Acciones"},"update_error":"\u00a1Error al modificar la respuesta!","update_ok":"\u00a1Respuesta modificada!","yes":"Si"},"terms":{"error_create":"\u00a1Error al crear terminos!","error_save_image":"\u00a1Hubo un Error al guardar el PDF!","error_upload":"Error al cargar terminos","max_file_size":"El archivo excede el tama\u00f1o m\u00e1ximo 1 Mb.","ok_create":"\u00a1Terminos creado con \u00e9xito!","ok_update":"\u00a1Terminos actualizados con \u00e9xito!","tag_1":"Texto de uso del app","tag_2":"Url terminos de datos","tag_3":"Fecha de creaci\u00f3n","tag_4":"Listado t\u00e9rminos y condiciones","tag_5":"Crear t\u00e9rminos","tag_6":"PDF terminos de datos","tag_7":"Crear","tag_8":"Cancelar","tag_9":"\u00bfCrear terminos?","upload_ok":"Terminos cargado exitosamente","view_pdf":"Ver PDF"},"treatments":{"error_create":"\u00a1Error al crear tratamiento!","error_update":"\u00a1Error al actualizar tratamiento!","error_upload":"Error al cargar tratamiento","ok_create":"\u00a1Tratamiento creado con \u00e9xito!","ok_update":"\u00a1Tratamiento actualizado con \u00e9xito!","tag_1":"\u00bfCrear tratamiento?","tag_2":"\u00bfModificar tratamiento?","title_1":"Crear tratamiento","title_10":"Editar tratamiento","title_11":"Actualizar","title_12":"Agregar tratamiento","title_13":"Listado tratamientos","title_14":"Activo","title_15":"Acciones","title_2":"Tratamientos","title_3":"Nombre","title_4":"Recomendaci\u00f3n","title_8":"Crear","title_9":"Cancelar","upload_ok":"Tratamiento cargado exitosamente"},"types_care":{"btn_create":"Crear","btn_edit":"Editar","editing":"Editando tipo de atenci\u00f3n: ","main_title":"Tipos de atenci\u00f3n","name":"Nombre","no":"No","select":"-- Seleccione","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Activo","col4":"Acciones"},"update_error":"\u00a1Error al modificar Tipo de atenci\u00f3n!","update_ok":"\u00a1Tipo de atenci\u00f3n modificada!","yes":"Si"},"updated_successfully":"Registro actualizado exitosamente","user":{"document_exist":"El n\u00famero de documento o el correo ingresado y cuentan con un registro.","error_update":"Se produjo un error al actualizar el perfil","ok_create":"Se ha creado correctamente el usuario.","ok_update":"Se ha creado correctamente el usuario.","profile_updated":"Perfil actualizado","valid_hospital":"Por favor indique un hospital v\u00e1lido.","valid_rol":"Por favor indicar un rol v\u00e1lido."},"user_info":{"address":"Direcci\u00f3n","age":"Edad","cedula":"C\u00e9dula","cedula_extrajeria":"C\u00e9dula extranjer\u00eda","city":"Municipio","code":"C\u00f3digo","country":"Pa\u00eds","dob":"Fecha de nacimiento","document_id":"N\u00famero de identificaci\u00f3n","document_type":"Tipo de documento","email":"Email","first_name":"Nombres","hospital":"Hospital","insurance":"Aseguradora","last_name":"Apellidos","main_title":"Datos demogr\u00e1ficos del paciente","pasaporte":"Pasaporte","phone":"Tel\u00e9fono","registro_civil":"Registro civil","request_information":"Informaci\u00f3n de la solicitud","request_type":"Tipo de solicitud","second_apellido":"Segundo apellidio","second_name":"Segundo nombre","sex":"Sexo","specialty":"Especialidad","state":"Departamento","tarjeta_identidad":"Tarjeta de identidad","user_request":"Usuario solicitante"},"user_terms":{"error_api":"Error, please try later."},"users":{"all":"-- Todos","btn_create":"Crear","btn_edit":"Editar","document":"Documento","editing":"Editando usuario: ","email":"email","hospital":"Hospital","label_dating":"Duraci\u00f3n citas","last_name":"Apellidos","main_title":"Usuarios","name":"Nombre","new_password":"Contrase\u00f1a (Escribe para cambiar la actual)","no":"No","password":"Contrase\u00f1a","phone":"Tel\u00e9fono","role":"Rol","select":"-- Seleccione","specialty":"Especialidad","table":{"col1":"C\u00f3digo","col2":"Nombre","col3":"Apellido","col4":"Documento","col5":"Tel\u00e9fono","col6":"Rol","col7":"Centro","col8":"Activo","col9":"Acciones"},"update_error":"\u00a1Error al modificar Usuario!","update_ok":"\u00a1Usuario modificado!","yes":"Si"},"validate":{"email_validate":"Escribe tu correo...","password_validate":"Escribe tu contrase\u00f1a..."},"video":{"button_createcall":"Crear Videollamada","label_1":"Paciente","label_2":"Documento","label_3":"Nombres","label_4":"Apellido","message_user_left":"Sesi\u00f3n finalizada por el usuario.","title_1":"An\u00e1lisis en tiempo real"},"videocall":{"error_document":"Por favor indique un paciente.","error_video":"Por favor guarde el documento e indique un paciente v\u00e1lido"},"xml_ctrl":{"error_external_id":"Ocurrio un error al realizar la actualizaci\u00f3n del SAP ID:","not_found":"No se encontro la historia con ID: ","not_id_found":"El ID enviado no se encuentra registrado en el sistema","not_pending":"No se encontro historias pendientes por sincronizar"},"years":" A\u00f1os y","yes":"Si"},"es.pagination":{"next":"Siguiente &raquo;","previous":"&laquo; Anterior"},"es.passwords":{"password":"La contrase\u00f1a debe tener al menos 6 caracteres y coincidir con la confirmaci\u00f3n.","reset":"\u00a1Su contrase\u00f1a ha sido restablecida!","sent":"\u00a1Recordatorio de contrase\u00f1a enviado!","token":"Este token de restablecimiento de contrase\u00f1a es inv\u00e1lido.","user":"No se ha encontrado un usuario con esa direcci\u00f3n de correo."},"es.strings":{"Confirm Password":"Confirmar contrase\u00f1a","E-Mail Address":"Correo electr\u00f3nico","Forgot Your Password?":"\u00bfOlvidaste tu contrase\u00f1a?","Login":"Acceder","Logout":"Cerrar sesi\u00f3n","Name":"Nombre","Password":"Contrase\u00f1a","Register":"Registro","Remember Me":"Recordarme","Reset Password":"Reestablecer contrase\u00f1a","Send Password Reset Link":"Enviar enlace para restablecer contrase\u00f1a"},"es.validation":{"accepted":"El campo :attribute debe ser aceptado.","active_url":"El campo :attribute no es una URL v\u00e1lida.","after":"El campo :attribute debe ser una fecha posterior a :date.","after_or_equal":"El campo :attribute debe ser una fecha posterior o igual a :date.","alpha":"El campo :attribute s\u00f3lo puede contener letras.","alpha_dash":"El campo :attribute s\u00f3lo puede contener letras, n\u00fameros y guiones (a-z, 0-9, -_).","alpha_num":"El campo :attribute s\u00f3lo puede contener letras y n\u00fameros.","array":"El campo :attribute debe ser un array.","attributes":[],"before":"El campo :attribute debe ser una fecha anterior a :date.","before_or_equal":"El campo :attribute debe ser una fecha anterior o igual a :date.","between":{"array":"El campo :attribute debe contener entre :min y :max elementos.","file":"El archivo :attribute debe pesar entre :min y :max kilobytes.","numeric":"El campo :attribute debe ser un valor entre :min y :max.","string":"El campo :attribute debe contener entre :min y :max caracteres."},"boolean":"El campo :attribute debe ser verdadero o falso.","confirmed":"El campo confirmaci\u00f3n de :attribute no coincide.","custom":{"attribute-name":{"rule-name":"custom-message"}},"date":"El campo :attribute no corresponde con una fecha v\u00e1lida.","date_format":"El campo :attribute no corresponde con el formato de fecha :format.","different":"Los campos :attribute y :other deben ser diferentes.","digits":"El campo :attribute debe ser un n\u00famero de :digits d\u00edgitos.","digits_between":"El campo :attribute debe contener entre :min y :max d\u00edgitos.","dimensions":"El campo :attribute tiene dimensiones inv\u00e1lidas.","distinct":"El campo :attribute tiene un valor duplicado.","email":"El campo :attribute debe ser una direcci\u00f3n de correo v\u00e1lida.","exists":"El campo :attribute seleccionado no existe.","file":"El campo :attribute debe ser un archivo.","filled":"El campo :attribute debe tener alg\u00fan valor.","image":"El campo :attribute debe ser una imagen.","in":"El campo :attribute es inv\u00e1lido.","in_array":"El campo :attribute no existe en :other.","integer":"El campo :attribute debe ser un n\u00famero entero.","ip":"El campo :attribute debe ser una direcci\u00f3n IP v\u00e1lida.","ipv4":"El campo :attribute debe ser una direcci\u00f3n IPv4 v\u00e1lida.","ipv6":"El campo :attribute debe ser una direcci\u00f3n IPv6 v\u00e1lida.","json":"El campo :attribute debe ser una cadena de texto JSON v\u00e1lida.","max":{"array":"El campo :attribute no debe contener m\u00e1s de :max.","file":"El archivo :attribute no debe pesar m\u00e1s de :max kilobytes.","numeric":"El campo :attribute no debe ser mayor a :max.","string":"El campo :attribute no debe contener m\u00e1s de :max caracteres."},"mimes":"El campo :attribute debe ser un archivo de tipo :values.","mimetypes":"El campo :attribute debe ser un archivo de tipo :values.","min":{"array":"El campo :attribute debe contener al menos :min elementos.","file":"El archivo :attribute debe pesar al menos :min kilobytes.","numeric":"El campo :attribute debe tener al menos :min.","string":"El campo :attribute debe contener al menos :min caracteres."},"not_in":"El campo :attribute seleccionado es inv\u00e1lido.","not_regex":"El formato del campo :attribute es inv\u00e1lido.","numeric":"El campo :attribute debe ser un n\u00famero.","present":"El campo :attribute debe estar presente.","regex":"El formato del campo :attribute es inv\u00e1lido.","required":"El campo :attribute es obligatorio.","required_if":"El campo :attribute es obligatorio cuando el campo :other es :value.","required_unless":"El campo :attribute es requerido a menos que :other se encuentre en :values.","required_with":"El campo :attribute es obligatorio cuando :values est\u00e1 presente.","required_with_all":"El campo :attribute es obligatorio cuando :values est\u00e1 presente.","required_without":"El campo :attribute es obligatorio cuando :values no est\u00e1 presente.","required_without_all":"El campo :attribute es obligatorio cuando ninguno de los campos :values est\u00e1 presente.","same":"Los campos :attribute y :other deben coincidir.","size":{"array":"El campo :attribute debe contener :size elementos.","file":"El archivo :attribute debe pesar :size kilobytes.","numeric":"El campo :attribute debe ser :size.","string":"El campo :attribute debe contener :size caracteres."},"string":"El campo :attribute debe ser una cadena de caracteres.","timezone":"El campo :attribute debe contener una zona v\u00e1lida.","unique":"El valor del campo :attribute ya est\u00e1 en uso.","uploaded":"El campo :attribute fall\u00f3 al subir.","url":"El formato del campo :attribute es inv\u00e1lido."}});})();