From ebc0b32b1a586c45f14ecad49785f427e10a2df3 Mon Sep 17 00:00:00 2001 From: harsh Date: Sun, 14 Mar 2021 01:17:39 +0530 Subject: [PATCH] Changed the code where .size() was used to check for emptiness, to .isEmpty() --- .../EncounterDiagnosesElement.java | 4 +- .../EncounterDiagnosesElement.java | 4 +- api/bin/pom.xml | 184 +++++ api/bin/src/main/resources/liquibase.xml | 18 + .../src/main/resources/messages.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_ar.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_de.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_el.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_es.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_fa.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_fr.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_hi.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_ht.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_hy.properties | 669 ++++++++++++++++++ .../main/resources/messages_id_ID.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_it.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_ku.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_lt.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_pl.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_pt.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_ru.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_si.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_sw.properties | 669 ++++++++++++++++++ .../src/main/resources/messages_te.properties | 669 ++++++++++++++++++ .../resources/moduleApplicationContext.xml | 23 + .../CodedOrFreeTextAnswerListWidget.java | 2 +- .../EncounterDiagnosesByObsElement.java | 4 +- .../EncounterDispositionTagHandler.java | 6 +- .../DiagnosesFragmentController.java | 2 +- ...MostRecentEncounterFragmentController.java | 2 +- .../VisitIncludesFragmentController.java | 2 +- .../MarkPatientDeadPageController.java | 4 +- .../controller/MergeVisitsPageController.java | 2 +- .../ProviderListPageController.java | 2 +- .../web/resource/LatestObsResource.java | 2 +- 35 files changed, 13623 insertions(+), 18 deletions(-) create mode 100644 api/bin/pom.xml create mode 100644 api/bin/src/main/resources/liquibase.xml create mode 100644 api/bin/src/main/resources/messages.properties create mode 100644 api/bin/src/main/resources/messages_ar.properties create mode 100644 api/bin/src/main/resources/messages_de.properties create mode 100644 api/bin/src/main/resources/messages_el.properties create mode 100644 api/bin/src/main/resources/messages_es.properties create mode 100644 api/bin/src/main/resources/messages_fa.properties create mode 100644 api/bin/src/main/resources/messages_fr.properties create mode 100644 api/bin/src/main/resources/messages_hi.properties create mode 100644 api/bin/src/main/resources/messages_ht.properties create mode 100644 api/bin/src/main/resources/messages_hy.properties create mode 100644 api/bin/src/main/resources/messages_id_ID.properties create mode 100644 api/bin/src/main/resources/messages_it.properties create mode 100644 api/bin/src/main/resources/messages_ku.properties create mode 100644 api/bin/src/main/resources/messages_lt.properties create mode 100644 api/bin/src/main/resources/messages_pl.properties create mode 100644 api/bin/src/main/resources/messages_pt.properties create mode 100644 api/bin/src/main/resources/messages_ru.properties create mode 100644 api/bin/src/main/resources/messages_si.properties create mode 100644 api/bin/src/main/resources/messages_sw.properties create mode 100644 api/bin/src/main/resources/messages_te.properties create mode 100644 api/bin/src/main/resources/moduleApplicationContext.xml diff --git a/api-2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java b/api-2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java index 25245d5c5..ac9190066 100644 --- a/api-2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java +++ b/api-2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java @@ -228,10 +228,10 @@ public Collection validateSubmission(FormEntryContext conte JsonNode submittedList = new ObjectMapper().readTree(submitted); List diagnoses = parseDiagnoses(submittedList, null); - if (diagnoses.size() == 0 && required) { + if (diagnoses.isEmpty() && required) { return Collections.singleton(new FormSubmissionError(hiddenDiagnoses, "Required")); } - if (diagnoses.size() > 0) { + if (!diagnoses.isEmpty()) { // at least one diagnosis must be primary boolean foundPrimary = false; for (Diagnosis diagnosis : diagnoses) { diff --git a/api-pre2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java b/api-pre2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java index 4ea88c8f2..a2134a740 100644 --- a/api-pre2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java +++ b/api-pre2.2/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesElement.java @@ -198,10 +198,10 @@ public Collection validateSubmission(FormEntryContext conte try { List diagnoses = parseDiagnoses(submitted, null); - if (diagnoses.size() == 0 && required) { + if (diagnoses.isEmpty() && required) { return Collections.singleton(new FormSubmissionError(hiddenDiagnoses, "Required")); } - if (diagnoses.size() > 0) { + if (!diagnoses.isEmpty()) { // at least one diagnosis must be primary boolean foundPrimary = false; for (Diagnosis diagnosis : diagnoses) { diff --git a/api/bin/pom.xml b/api/bin/pom.xml new file mode 100644 index 000000000..f50e6830b --- /dev/null +++ b/api/bin/pom.xml @@ -0,0 +1,184 @@ + + 4.0.0 + + + org.openmrs.module + coreapps + 1.32.0-SNAPSHOT + + + coreapps-api + jar + Core Apps Module API + API project for CoreApps + + + + + ${project.parent.groupId} + ${project.parent.artifactId}-api-pre2.2 + ${project.parent.version} + provided + + + + + + + + org.openmrs.api + openmrs-api + jar + + + + org.openmrs.web + openmrs-web + jar + + + + org.openmrs.api + openmrs-api + test-jar + + + + org.openmrs.web + openmrs-web + test-jar + + + + org.openmrs.test + openmrs-test + pom + + + + + + + + org.openmrs.module + appframework-api + + + org.openmrs.module + emrapi-api + + + org.openmrs.module + emrapi-api-1.10 + + + org.openmrs.module + emrapi-api-1.11 + + + org.openmrs.module + emrapi-api-1.12 + + + + org.openmrs.module + providermanagement-api + + + + org.openmrs.module + uiframework-api + + + + org.openmrs.module + reporting-api + + + + org.openmrs.module + serialization.xstream-api + + + + org.openmrs.module + serialization.xstream-api-1.9 + + + + org.openmrs.module + serialization.xstream-api-1.10 + + + + org.openmrs.module + serialization.xstream-api-2.0 + + + + org.openmrs.module + calculation-api + + + + org.openmrs.module + htmlformentry-api-1.10 + + + + org.openmrs + event-api + + + + org.openmrs.module + appui-api + tests + ${appuiVersion} + test + + + org.openmrs.module + emrapi-api + tests + test + + + + org.openmrs.module + metadatamapping-api + + + + org.openmrs.module + webservices.rest-omod-common + provided + + + + + + + + + + src/main/resources + true + + + + + + src/test/resources + true + + + + + diff --git a/api/bin/src/main/resources/liquibase.xml b/api/bin/src/main/resources/liquibase.xml new file mode 100644 index 000000000..bd4f00eab --- /dev/null +++ b/api/bin/src/main/resources/liquibase.xml @@ -0,0 +1,18 @@ + + + + + + Updated the value of patient dashboard URL global property + + + property ='coreapps.dashboardUrl' and property_value='/coreapps/clinicianfacing/patient.page?patientId={{patientId}}&app=pih.app.clinicianDashboard' + + + \ No newline at end of file diff --git a/api/bin/src/main/resources/messages.properties b/api/bin/src/main/resources/messages.properties new file mode 100644 index 000000000..ccecbdc09 --- /dev/null +++ b/api/bin/src/main/resources/messages.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Core Apps Module +coreapps.patientDashboard.description=Patient Dashboard Application +coreapps.patientDashboard.extension.visits.description=Visit Actions +coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +coreapps.patientDashboard.extension.actions.description=General Patient Actions + +coreapps.activeVisits.app.label=Active Visits +coreapps.activeVisits.app.description=Lists patients who have active visits + +coreapps.findPatient.app.label=Find Patient Record +coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=Search +coreapps.findPatient.result.view=View +coreapps.age.months={0} Month(s) +coreapps.age.days={0} Day(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Start Date +coreapps.stopDate.label=End Date + +coreapps.retrospectiveVisit.changeDate.label=Change Date +coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +coreapps.task.createRetrospectiveVisit.label=Add Past Visit +coreapps.task.editVisitDate.label=Edit date +coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +coreapps.task.deleteVisit.label=Delete visit +coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +coreapps.task.deleteVisit.successMessage=Visit has been deleted +coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +coreapps.task.editVisit.label=Edit Visit +coreapps.task.visitType.label=Select Visit Type +coreapps.task.existingDate.label=Existing Date +coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=End Visit +coreapps.task.endVisit.notAllowed=User does not have permission to end visit +coreapps.task.endVisit.successMessage=Visit has been ended +coreapps.task.endVisit.message=Are you sure you want to end this visit? + +coreapps.task.mergeVisits.label=Merge Visits +coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +coreapps.task.mergeVisits.success=Visits merged successfully +coreapps.task.mergeVisits.error=Failed to merge visits + +coreapps.task.deletePatient.label=Delete Patient +coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +coreapps.task.relationships.label=Relationships +coreapps.relationships.add.header=Add {0} +coreapps.relationships.add.choose=Choose a {0} +coreapps.relationships.add.confirm=Confirm new relationship: +coreapps.relationships.add.thisPatient=(this patient) +coreapps.relationships.delete.header=Delete relationship +coreapps.relationships.delete.title=Delete this relationship? +coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Data Management +coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +coreapps.dataManagement.searchCoded=Type a coded diagnosis + +coreapps.logout=Logout + +coreapps.merge=Merge +coreapps.gender=Gender +coreapps.gender.M=Male +coreapps.gender.F=Female +coreapps.gender.U=Unknown +coreapps.gender.O=Other +coreapps.gender.null=Unknown Sex +coreapps.confirm=Confirm +coreapps.cancel=Cancel +coreapps.return=Return +coreapps.delete=Delete +coreapps.okay=Okay +coreapps.view=View +coreapps.edit=Edit +coreapps.add=Add +coreapps.save=Save +coreapps.next=Next +coreapps.continue=Continue +coreapps.none=None +coreapps.none.inLastPeriod=None in the last {0} days +coreapps.none.inLastTime=None in the last +coreapps.days=days +coreapps.no=No +coreapps.yes=Yes +coreapps.optional=Optional +coreapps.noCancel=No, cancel +coreapps.yesContinue=Yes, continue +coreapps.by=by +coreapps.in=in +coreapps.at=at +coreapps.on=on +coreapps.to=to +coreapps.date=Date +coreapps.close=Close +coreapps.enroll=Enroll +coreapps.present=Present +coreapps.showMore=show more +coreapps.showLess=show less + +coreapps.patient=Patient +coreapps.location=Location +coreapps.time=Time +coreapps.general=General + +coreapps.chooseOne=choose one + +coreapps.actions=Actions + +coreapps.birthdate=Birthdate +coreapps.age=Age +coreapps.ageYears={0} year(s) +coreapps.ageMonths={0} month(s) +coreapps.ageDays={0} days(s) +coreapps.unknownAge=unknown age + +coreapps.app.archivesRoom.label=Archives +coreapps.app.findPatient.label=Find a Patient +coreapps.app.activeVisits.label=Active Visits +coreapps.app.systemAdministration.label=System Administration +coreapps.app.dataManagement.label=Data Management +coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +coreapps.app.dataArchives.label=Data-Archives +coreapps.app.sysAdmin.label=SysAdmin +coreapps.app.clinical.label=Clinical +coreapps.app.system.administration.myAccount.label=My Account +coreapps.app.inpatients.label=Inpatients +coreapps.app.system.administration.label=System Administration + +coreapps.app.awaitingAdmission.name = Awaiting Admission List +coreapps.app.awaitingAdmission.label=Awaiting Admission +coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +coreapps.app.awaitingAdmission.admitPatient=Admit Patient +coreapps.app.awaitingAdmission.diagnosis=Diagnosis +coreapps.app.awaitingAdmission.patientCount=Total Patient Count +coreapps.app.awaitingAdmission.currentWard=Current Ward +coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=Provider + +coreapps.task.startVisit.label=Start Visit +coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +coreapps.task.accountManagement.label=Manage Accounts +coreapps.task.enterHtmlForm.label.default=Form: {0} +coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +coreapps.task.requestPaperRecord.label=Request Paper Record +coreapps.task.printIdCardLabel.label=Print Card Label +coreapps.task.printPaperRecordLabel.label=Print Chart Label +coreapps.task.myAccount.changePassword.label = Change Password + +coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +coreapps.emrContext.sessionLocation=Location: {0} +coreapps.activeVisit= Active Visit +coreapps.activeVisit.time= Started at {0} +coreapps.visitDetails=Started at {0} - Finished at {1} +coreapps.visitDetailsLink=View this visit's details +coreapps.activeVisitAtLocation=Active visit at: {0} + +coreapps.noActiveVisit=No active visit +coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +coreapps.deadPatient = The patient is deceased - {0} - {1} +coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +coreapps.markPatientDead.label=Mark Patient Deceased +coreapps.markPatientDead.dateOfDeath=Date of death +coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +coreapps.markPatientDead.causeOfDeath=Cause of death +coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=at {0} +coreapps.onDatetime=on {0} + +coreapps.inpatients.title=Current Inpatients +coreapps.inpatients.firstAdmitted=First Admitted +coreapps.inpatients.currentWard=Current Ward +coreapps.inpatients.patientCount=Total Patient Count +coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +coreapps.archivesRoom.surname.label=Surname +coreapps.archivesRoom.newRecords.label=Print New Record +coreapps.archivesRoom.existingRecords.label=Find Record +coreapps.archivesRoom.returnRecords.label=Return Records +coreapps.archivesRoom.requestedBy.label=Send to +coreapps.archivesRoom.requestedAt.label=Requested At +coreapps.archivesRoom.pullRequests.label=Pull Record Queue +coreapps.archivesRoom.newRequests.label=New Record Queue +coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +coreapps.archivesRoom.assignedPullRequests.label=Under search +coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +coreapps.archivesRoom.pullSelected=Pull +coreapps.archivesRoom.printSelected=Print +coreapps.archivesRoom.sendingRecords.label=Sending records +coreapps.archivesRoom.returningRecords.label=Returning records +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=Dossier ID +coreapps.archivesRoom.recordsToMerge.label=Records to merge +coreapps.archivesRoom.reprint = Reprint +coreapps.archivesRoom.selectRecords.label=Select records to be printed +coreapps.archivesRoom.printRecords.label=Click to print records +coreapps.archivesRoom.sendRecords.label=Scan records to send +coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +coreapps.archivesRoom.recordReturned.message=Record returned! +coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=at +coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Cancel +coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +coreapps.systemAdministration=System Administration +coreapps.myAccount = My Account +coreapps.myAccount.changePassword = Change Password +coreapps.createAccount=Create Account +coreapps.editAccount=Edit Account +coreapps.account.saved=Saved account successfully + + +coreapps.account.details = User Account Details +coreapps.account.oldPassword = Old Password +coreapps.account.newPassword = New Password +coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +coreapps.account.changePassword.success = Password updated successfully. +coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +coreapps.account.error.save.fail=Failed to save account details +coreapps.account.requiredFields=Must create either a user or a provider +coreapps.account.error.passwordDontMatch=Passwords don't match +coreapps.account.error.passwordError= Incorrect password format. +coreapps.account.passwordFormat=Format, at least: 8 characters +coreapps.account.locked.title=Locked Account +coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +coreapps.account.locked.button=Unlock Account +coreapps.account.unlocked.successMessage=Account Unlocked +coreapps.account.unlock.failedMessage=Failed to unlock account +coreapps.account.providerRole.label=Provider Type +coreapps.account.providerIdentifier.label=Provider Identifier + +coreapps.patient.identifier=Patient ID +coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Add +coreapps.patient.identifier.type=Identifier Type +coreapps.patient.identifier.value=Identifier Value +coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +coreapps.patient.notFound=Patient not found + +coreapps.patientHeader.name = name +coreapps.patientHeader.givenname=name +coreapps.patientHeader.familyname=surname +coreapps.patientHeader.patientId = Patient ID +coreapps.patientHeader.showcontactinfo=Show Contact Info +coreapps.patientHeader.hidecontactinfo=Hide Contact Info +coreapps.patientHeader.activeVisit.at=Active Visit - {0} +coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +coreapps.patientHeader.activeVisit.outpatient=Outpatient + +coreapps.patientDashBoard.visits=Visits +coreapps.patientDashBoard.noVisits= No visits yet. +coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +coreapps.patientDashBoard.activeSince= active since +coreapps.patientDashBoard.contactinfo=Contact Information +coreapps.patientDashBoard.date=Date +coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=Location +coreapps.patientDashBoard.time=Time +coreapps.patientDashBoard.type=Type +coreapps.patientDashBoard.showDetails=show details +coreapps.patientDashBoard.hideDetails=hide details +coreapps.patientDashBoard.order = Order +coreapps.patientDashBoard.provider=Provider +coreapps.patientDashBoard.visitDetails=Visit Details +coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Encounters +coreapps.patientDashBoard.actions=Actions +coreapps.patientDashBoard.accessionNumber=Accession Number +coreapps.patientDashBoard.orderNumber=Order Number +coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +coreapps.patientDashBoard.createDossier.title=Create dossier number +coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +coreapps.deletedPatient.title=This patient has been deleted +coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +coreapps.patientNotFound.Description =Patient not found in the system +coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Person Details +coreapps.person.givenName=First Name +coreapps.person.familyName=Surname +coreapps.person.name=Name +coreapps.person.address=Address +coreapps.person.telephoneNumber=Telephone Number + +coreapps.printer.managePrinters=Manage Printers +coreapps.printer.defaultPrinters=Configure Default Printers +coreapps.printer.add=Add new printer +coreapps.printer.edit=Edit Printer +coreapps.printer.name=Name +coreapps.printer.ipAddress=IP Address +coreapps.printer.port=Port +coreapps.printer.type=Type +coreapps.printer.physicalLocation=Physical Location +coreapps.printer.ID_CARD=ID card +coreapps.printer.LABEL=Label +coreapps.printer.saved=Saved printer successfully +coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +coreapps.printer.error.save.fail=Failed to save printer +coreapps.printer.error.nameTooLong=Name must be less than 256 characters +coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +coreapps.printer.error.ipAddressInvalid=IP Address invalid +coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +coreapps.printer.error.portInvalid=Port invalid +coreapps.printer.error.nameDuplicate=Another printer already has this name +coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=None + +coreapps.provider.details=Provider Details +coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=Identifier +coreapps.provider.createProviderAccount=Create Provider Account +coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=User Account Details +coreapps.user.username=Username +coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Password +coreapps.user.confirmPassword=Confirm Password +coreapps.user.Capabilities=Roles +coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +coreapps.user.enabled=Enabled +coreapps.user.privilegeLevel=Privilege Level +coreapps.user.createUserAccount=Create User Account +coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Secret Question +coreapps.user.secretAnswer=Secret Answer +coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +coreapps.user.defaultLocale=Default Locale +coreapps.user.duplicateUsername=The selected username is already in use +coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +coreapps.mergePatientsLong=Merge Patient Electronic Records +coreapps.mergePatientsShort=Merge Patient +coreapps.mergePatients.selectTwo=Select two patients to merge... +coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +coreapps.mergePatients.chooseFirstLabel=Patient ID +coreapps.mergePatients.chooseSecondLabel=Patient ID +coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +coreapps.mergePatients.success=Records merged! Viewing preferred patient. +coreapps.mergePatients.error.samePatient=You must choose two different patient records +coreapps.mergePatients.confirmationQuestion=Select the preferred record. +coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +coreapps.mergePatients.checkRecords = Please check records before continuing. +coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +coreapps.mergePatients.performMerge=Perform Merge +coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=Demographics +coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +coreapps.mergePatients.section.addresses=Address(es) +coreapps.mergePatients.section.lastSeen=Last Seen +coreapps.mergePatients.section.activeVisit=Active Visit +coreapps.mergePatients.section.dataSummary=Visits +coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +coreapps.mergePatients.patientNotFound=Patient not found +coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +coreapps.testPatient.registration = Register a test patient + +coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=First +coreapps.search.previous=Previous +coreapps.search.next=Next +coreapps.search.last=Last +coreapps.search.noMatchesFound=No matching records found +coreapps.search.noData=No Data Available +coreapps.search.identifier=Identifier +coreapps.search.name=Name +coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +coreapps.search.label.recent=Recent +coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=An error occurred while searching for patients + +coreapps.findPatient.which.heading=Which patients? +coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=Search +coreapps.findPatient.registerPatient.label=Register a Patient + +coreapps.activeVisits.title=Active Visits +coreapps.activeVisits.checkIn=Check-In +coreapps.activeVisits.lastSeen=Last Seen +coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Location +coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=Day +coreapps.retrospectiveCheckin.checkinDate.month.label=Month +coreapps.retrospectiveCheckin.checkinDate.year.label=Year +coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=Reason +coreapps.retrospectiveCheckin.paymentAmount.label=Amount +coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +coreapps.retrospectiveCheckin.success=Check-In recorded +coreapps.retrospectiveCheckin.visitType.label=Type of visit + +coreapps.formValidation.messages.requiredField=This field can't be blank +coreapps.formValidation.messages.requiredField.label=required +coreapps.formValidation.messages.dateField=You need to inform a valid date +coreapps.formValidation.messages.integerField=Must be a whole number +coreapps.formValidation.messages.numberField=Must be a number +coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +coreapps.simpleFormUi.confirm.question=Confirm submission? +coreapps.simpleFormUi.confirm.title=Confirm +coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Consult Note +coreapps.ed.consult.title=ED Note +coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +coreapps.consult.freeTextComments=Clinical Note +coreapps.consult.primaryDiagnosis=Primary Diagnosis: +coreapps.consult.primaryDiagnosis.notChosen=Not chosen +coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=None +coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Non-Coded +coreapps.consult.synonymFor=a.k.a. +coreapps.consult.successMessage=Saved Consult Note for {0} +coreapps.ed.consult.successMessage=Saved ED Note for {0} +coreapps.consult.disposition=Disposition +coreapps.consult.trauma.choose=Choose trauma type +coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +coreapps.visit.createQuickVisit.title=Start a visit +coreapps.visit.createQuickVisit.successMessage={0} started a visit + +coreapps.deletePatient.title=Delete Patient: {0} + +coreapps.Diagnosis.Order.PRIMARY=Primary +coreapps.Diagnosis.Order.SECONDARY=Secondary + +coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +coreapps.editHtmlForm.breadcrumb=Edit: {0} +coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +coreapps.clinicianfacing.radiology=Radiology +coreapps.clinicianfacing.notes=Notes +coreapps.clinicianfacing.surgery=Surgery +coreapps.clinicianfacing.showMoreInfo=Show more info +coreapps.clinicianfacing.visits=Visits +coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Allergies +coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +coreapps.clinicianfacing.vitals=Vitals +coreapps.clinicianfacing.diagnosis=Diagnosis +coreapps.clinicianfacing.diagnoses=Diagnoses +coreapps.clinicianfacing.inpatient=Inpatient +coreapps.clinicianfacing.outpatient=Outpatient +coreapps.clinicianfacing.recordVitals=Record Vitals +coreapps.clinicianfacing.writeConsultNote=Write Consult Note +coreapps.clinicianfacing.writeEdNote=Write ED Note +coreapps.clinicianfacing.orderXray=Order X-Ray +coreapps.clinicianfacing.orderCTScan=Order CT Scan +coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +coreapps.clinicianfacing.printCardLabel=Print Card Label +coreapps.clinicianfacing.printChartLabel=Print Chart Label +coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Active +coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=None + +coreapps.vitals.confirmPatientQuestion=Is this the right patient? +coreapps.vitals.confirm.yes=Yes, Record Vitals +coreapps.vitals.confirm.no=No, Find Another Patient +coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +coreapps.vitals.when=When +coreapps.vitals.where=Where +coreapps.vitals.enteredBy=Entered by +coreapps.vitals.minutesAgo={0} minute(s) ago +coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +coreapps.noAccess=Your user account does not have privileges required to view this page + +coreapps.expandAll=Expand all +coreapps.collapseAll=Collapse all +coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +coreapps.clickToEditObs.empty=Add a note +coreapps.clickToEditObs.placeholder=Enter a note +coreapps.clickToEditObs.saveError=There was a problem saving the patient note +coreapps.clickToEditObs.loadError=There was a problem loading the patient note +coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +coreapps.clickToEditObs.delete.title=Delete patient note +coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +coreapps.dashboardwidgets.programs.addProgram=Add Program +coreapps.dashboardwidgets.programs.selectProgram=Select Program +coreapps.dashboardwidgets.programs.current=Current + +coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +coreapps.dashboardwidgets.programstatus.completed=Completed +coreapps.dashboardwidgets.programstatus.outcome=Outcome +coreapps.dashboardwidgets.programstatus.history=History +coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +coreapps.dashboardwidgets.relationships.add=Add new relationship +coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +coreapps.dashboardwidgets.programstatistics.loading=Loading... +coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +coreapps.conditionui.title=Condition UI Module +coreapps.conditionui.refapp.title=ConditionUI Reference Application +coreapps.conditionui.manage=Manage module +coreapps.conditionui.conditions=Conditions +coreapps.conditionui.manageConditions=Manage Conditions +coreapps.conditionui.condition=Condition +coreapps.conditionui.status=Status +coreapps.conditionui.onsetdate=Onset Date +coreapps.conditionui.lastUpdated=Last Updated +coreapps.conditionui.addNewCondition=Add New Condition +coreapps.conditionui.noKnownCondition=No Known Condition +coreapps.conditionui.noKnownConditions=No Known Conditions +coreapps.conditionui.newCondition=New Condition +coreapps.conditionui.message.success=Saved changes +coreapps.conditionui.message.fail=Failed to save changes +coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +coreapps.conditionui.active=Make Active +coreapps.conditionui.inactive=Make Inactive +coreapps.conditionui.updateCondition.success=Condition Saved Successfully +coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +coreapps.conditionui.updateCondition.added=Condition Added Successfully +coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +coreapps.conditionui.updateCondition.error=Error Saving condition +coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +coreapps.conditionui.removeCondition=Remove Condition +coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +coreapps.conditionui.editCondition=Edit Condition: {0} +coreapps.conditionui.showVoided=Show Voided +coreapps.conditionui.active.label=ACTIVE +coreapps.conditionui.inactive.label=INACTIVE +coreapps.conditionui.active.uiLabel=Active +coreapps.conditionui.inactive.uiLabel=Inactive +coreapps.conditionui.undo=Undo delete +coreapps.conditionui.activeConditions=Active Conditions +coreapps.conditionui.inactiveConditions=Inactive Conditions +coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=RECENT VISITS +coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_ar.properties b/api/bin/src/main/resources/messages_ar.properties new file mode 100644 index 000000000..25f90ca03 --- /dev/null +++ b/api/bin/src/main/resources/messages_ar.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +coreapps.findPatient.result.view=معاينة +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=تاريخ البداية +coreapps.stopDate.label=تاريخ النهاية + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +coreapps.logout=خروج + +# coreapps.merge=Merge +coreapps.gender=الجنس +coreapps.gender.M=ذكر +coreapps.gender.F=أنثى +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +coreapps.confirm=تأكيد +coreapps.cancel=إلغاء +# coreapps.return=Return +coreapps.delete=حذف +coreapps.okay=موافق +# coreapps.view=View +coreapps.edit=تعديل +# coreapps.add=Add +coreapps.save=حفظ +coreapps.next=التالي +coreapps.continue=استمرار +coreapps.none=لايوجد +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=لا +coreapps.yes=نعم +coreapps.optional=اختياري +coreapps.noCancel=لا، إلغاء +coreapps.yesContinue=نعم، استمرار +coreapps.by=بواسطة +coreapps.in=ي +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=المريض +coreapps.location=المكان +coreapps.time=وقت +# coreapps.general=General + +coreapps.chooseOne=اختر + +coreapps.actions=الإجراءات + +coreapps.birthdate=تاريخ الميلاد +coreapps.age=العمر +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=مقدم الخدمة + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +coreapps.task.enterHtmlForm.label.default=من : {0} +coreapps.task.enterHtmlForm.successMessage=مُدخل {0} إلى {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +coreapps.archivesRoom.surname.label=اسم العائلة +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +coreapps.archivesRoom.printSelected=طباعة +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=إلغاء +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +coreapps.patientDashBoard.date=التاريخ +coreapps.patientDashBoard.startTime=بدءاً من +coreapps.patientDashBoard.location=المكان +coreapps.patientDashBoard.time=وقت +coreapps.patientDashBoard.type=نوع +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +coreapps.patientDashBoard.provider=مقدم الخدمة +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +coreapps.patientDashBoard.actions=الإجراءات +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +coreapps.person.familyName=اسم العائلة +coreapps.person.name=الاسم +coreapps.person.address=العنوان +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=الاسم +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=نوع +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=لايوجد + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=الهوية +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=اسم المستخدم +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=كلمة المرور +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +# coreapps.user.secretQuestion=Secret Question +# coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=التركيبة السكانية +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=الأول +coreapps.search.previous=السابق +coreapps.search.next=التالي +coreapps.search.last=الأخير +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +coreapps.search.identifier=الهوية +coreapps.search.name=الاسم +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=المكان +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=اليوم +coreapps.retrospectiveCheckin.checkinDate.month.label=شهر +coreapps.retrospectiveCheckin.checkinDate.year.label=السنة +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +# coreapps.retrospectiveCheckin.paymentReason.label=Reason +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +coreapps.formValidation.messages.requiredField.label=مطلوب +coreapps.formValidation.messages.dateField=تحتاج إلى تاريخ صحيح +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +coreapps.simpleFormUi.confirm.question=تأكيد التقديم؟ +coreapps.simpleFormUi.confirm.title=تأكيد +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +coreapps.units.inches=ي + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=لايوجد +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +coreapps.clinicianfacing.notes=الملاحظات +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=لايوجد + +coreapps.vitals.confirmPatientQuestion=هل هذا المريض الصحيح؟ +# coreapps.vitals.confirm.yes=Yes, Record Vitals +coreapps.vitals.confirm.no=لا، البحث عن مريض آخر +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_de.properties b/api/bin/src/main/resources/messages_de.properties new file mode 100644 index 000000000..1ed60bdbf --- /dev/null +++ b/api/bin/src/main/resources/messages_de.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Kernanwendungsmodul +coreapps.patientDashboard.description=Patientenübersichtsseite +coreapps.patientDashboard.extension.visits.description=Aktionen der Visiten +coreapps.patientDashboard.actionsForInactiveVisit=Achtung! Diese Aktionen sind für eine frühere Visite: +coreapps.patientDashboard.extension.actions.description=Allgemeine Aktionen + +coreapps.activeVisits.app.label=Aktive Visiten +coreapps.activeVisits.app.description=Auflistung alle Patienten mit aktiven Visiten + +coreapps.findPatient.app.label=Patientenakte suchen +coreapps.findPatient.search.placeholder=Nach Kennung oder Name suchen +coreapps.findPatient.search.button=Suche +coreapps.findPatient.result.view=Ansicht +coreapps.age.months={0} Monat(e) +coreapps.age.days={0} Tag(e) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=wird bereits verwendet +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=hat die Validierung nicht bestanden +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=muss dem folgenden Format entsprechen +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Startdatum +coreapps.stopDate.label=Enddatum + +coreapps.retrospectiveVisit.changeDate.label=Datum ändern +coreapps.retrospectiveVisit.addedVisitMessage=Frühere Visite erfolgreich hinzugefügt +coreapps.retrospectiveVisit.conflictingVisitMessage=Das ausgewählte Datum steht im Konflikt mit anderen Visiten. Klicken Sie auf eine Visite, um zu ihr zu gelangen: + +coreapps.task.createRetrospectiveVisit.label=Frühere Visite hinzufügen +coreapps.task.editVisitDate.label=Datum ändern +coreapps.editVisitDate.visitSavedMessage=Daten der Visite erfolgreich aktualisiert +coreapps.task.deleteVisit.label=Visite löschen +coreapps.task.deleteVisit.notAllowed=Der Benutzer hat nicht die erforderlichen Berechtigungen um Visiten zu löschen +coreapps.task.deleteVisit.successMessage=Visite wurde gelöscht +coreapps.task.deleteVisit.message=Sind Sie sich sicher, dass Sie diese Visite löschen möchten? + +coreapps.task.endVisit.warningMessage=Bitte beenden Sie alle Visiten, bevor Sie eine neue Visite beginnen +coreapps.task.visitType.start.warning=Es gibt bereits (eine) aktive Visite(n) für {0} +coreapps.task.editVisit.label=Visite ändern +coreapps.task.visitType.label=Visitentyp auswählen +coreapps.task.existingDate.label=Vorhandenes Datum +coreapps.visit.updateVisit.successMessage=Aktualisierte Visite + +coreapps.task.endVisit.label=Visite beenden +coreapps.task.endVisit.notAllowed=Der Benutzer hat nicht die erforderlichen Berechtigungen um Visiten zu beenden +coreapps.task.endVisit.successMessage=Visite wurde beendet +coreapps.task.endVisit.message=Sind Sie sich sicher, dass Sie diese Visite beenden möchten? + +coreapps.task.mergeVisits.label=Visiten zusammenführen +coreapps.task.mergeVisits.instructions=Wählen Sie die Visiten, die Sie zusammenführen möchten, aus. (Sie müssen fortlaufend sein) +coreapps.task.mergeVisits.mergeSelectedVisits=Ausgewählte Visiten zusammenführen +coreapps.task.mergeVisits.success=Visiten erfolgreich zusammengeführt +coreapps.task.mergeVisits.error=Visiten konnten nicht zusammengeführt werden + +coreapps.task.deletePatient.label=Patient löschen +coreapps.task.deletePatient.notAllowed=Benutzer hat keine Berechtigung um den Patient zu löschen +coreapps.task.deletePatient.deletePatientSuccessful=Patient wurde erfolgreich gelöscht +coreapps.task.deletePatient.deleteMessageEmpty=Grund darf nicht leer sein +coreapps.task.deletePatient.deletePatientUnsuccessful=Patient konnte nicht gelöscht werden + +coreapps.task.relationships.label=Beziehungen +coreapps.relationships.add.header={0} hinzufügen +coreapps.relationships.add.choose=Wählen Sie eine {0} +coreapps.relationships.add.confirm=Neue Beziehung bestätigen: +coreapps.relationships.add.thisPatient=(dieser Patient) +coreapps.relationships.delete.header=Beziehung löschen +coreapps.relationships.delete.title=Diese Beziehung löschen? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Datenverwaltung +coreapps.dataManagement.codeDiagnosis.title=Eine Diagnose kodieren +coreapps.dataManagement.codeDiagnosis.success=Die Diagnose wurde erfolgreich kodiert +coreapps.dataManagement.codeDiagnosis.failure=Die Diagnose konnte nicht kodiert werden +coreapps.dataManagement.replaceNonCoded=Ersetzen Sie eine nicht-kodierte Diagnose von {1} für Patient {2} mit +coreapps.dataManagement.searchCoded=Geben Sie eine kodierte Diagnose ein + +coreapps.logout=Abmelden + +coreapps.merge=Zusammenführen +coreapps.gender=Geschlecht +coreapps.gender.M=Mann +coreapps.gender.F=Frau +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Unbekanntes Geschlecht +coreapps.confirm=Bestätigen +coreapps.cancel=Abbrechen +coreapps.return=Zurück +coreapps.delete=Löschen +coreapps.okay=OK +coreapps.view=Ansicht +coreapps.edit=Bearbeiten +coreapps.add=Hinzufügen +coreapps.save=Speichern +coreapps.next=Weiter +coreapps.continue=Fortsetzen +coreapps.none=Keine +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Nein +coreapps.yes=Ja +coreapps.optional=Optional +coreapps.noCancel=Nein, abbrechen +coreapps.yesContinue=Ja, fortsetzen +coreapps.by=von +coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +coreapps.date=Datum +coreapps.close=Schließen +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Patient +coreapps.location=Ort +coreapps.time=Zeit +coreapps.general=Allgemein + +coreapps.chooseOne=Wählen Sie eine + +coreapps.actions=Aktionen + +coreapps.birthdate=Geburtsdatum +coreapps.age=Alter +coreapps.ageYears={0} Jahr(e) +coreapps.ageMonths={0} Monat(e) +coreapps.ageDays={0} Tag(e) +coreapps.unknownAge=unbekanntes Alter + +coreapps.app.archivesRoom.label=Archiv +coreapps.app.findPatient.label=Einen Patienten suchen +coreapps.app.activeVisits.label=Aktive Visiten +coreapps.app.systemAdministration.label=Systemadministration +coreapps.app.dataManagement.label=Datenverwaltung +coreapps.app.retrospectiveCheckin.label=Rückwirkende Anmeldung +coreapps.app.dataArchives.label=Datenarchiv +coreapps.app.sysAdmin.label=SysAdmin +coreapps.app.clinical.label=Klinisch +coreapps.app.system.administration.myAccount.label=Mein Konto +coreapps.app.inpatients.label=Stationäre Patienten +coreapps.app.system.administration.label=Systemadministration + +coreapps.app.awaitingAdmission.name = Liste der erwarteten Aufnahmen +coreapps.app.awaitingAdmission.label=Erwartete Aufnahme +coreapps.app.awaitingAdmission.title=Patienten die eine Aufnahme erwarten +coreapps.app.awaitingAdmission.filterByAdmittedTo=Nach Aufnahmestation filtern +coreapps.app.awaitingAdmission.filterByCurrent=Nach aktueller Station filtern +coreapps.app.awaitingAdmission.admitPatient=Patient aufnehmen +coreapps.app.awaitingAdmission.diagnosis=Diagnose +coreapps.app.awaitingAdmission.patientCount=Gesamtzahl der Patienten +coreapps.app.awaitingAdmission.currentWard=Aktuelle Station +coreapps.app.awaitingAdmission.admissionLocation=Auf Station aufnehmen +coreapps.app.awaitingAdmission.provider=Versorger + +coreapps.task.startVisit.label=Visite Starten +coreapps.task.startVisit.message=Sind Sie sicher, dass Sie eine Visite für {0} starten möchten? +coreapps.task.deletePatient.message=Sind Sie sicher, dass Sie den Patient {0} LÖSCHEN möchten +coreapps.task.retrospectiveCheckin.label=Rückwirkende Anmeldung +coreapps.task.accountManagement.label=Konten verwalten +coreapps.task.enterHtmlForm.label.default=Formular: {0} +coreapps.task.enterHtmlForm.successMessage={0} eingetragen für {1} +coreapps.task.requestPaperRecord.label=Papierakte anfordern +coreapps.task.printIdCardLabel.label=Beschriftungskarte drucken +coreapps.task.printPaperRecordLabel.label=Diagrammbeschriftung drucken +coreapps.task.myAccount.changePassword.label = Passwort ändern + +coreapps.error.systemError=Es trat ein unerwarteter Fehler auf. Bitte kontaktieren Sie Ihren Systemadministrator. +coreapps.error.foundValidationErrors=Es trat ein Problem mit Ihren eingegebenen Daten auf. Bitte überprüfen Sie das/die hervorgehobene(n) Feld(er). + +coreapps.emrContext.sessionLocation=Ort: {0} +coreapps.activeVisit= Aktive Visite +coreapps.activeVisit.time= Gestartet um {0} +coreapps.visitDetails=Gestartet um {0} - Beendet um {1} +coreapps.visitDetailsLink=Details dieser Visite anzeigen +coreapps.activeVisitAtLocation=Ort der aktiven Visite: {0} + +coreapps.noActiveVisit=Keine aktive Visite +coreapps.noActiveVisit.description=Dieser Patient ist in keiner aktiven Visite. Sie können eine neue Visite starten, wenn der Patient bei Ihnen vor Ort ist. Bitte wählen Sie eine frühere Visite aus der Liste links, wenn Sie Informationen darüber sehen oder ändern möchten. + +coreapps.deadPatient = Der Patient ist verstorben - {0} - {1} +coreapps.deadPatient.description=Dieser Patient ist verstorben. Bitte wählen Sie eine frühere Visite aus der Liste links, wenn Sie Informationen darüber sehen oder ändern möchten. +coreapps.markPatientDead.label=Patient als gestorben markieren +coreapps.markPatientDead.dateOfDeath=Todesdatum +coreapps.markPatientDead.dateOfDeath.errorMessage=Bitte wählen Sie das Todesdatum aus +coreapps.markPatientDead.causeOfDeath=Todesursache +coreapps.markPatientDead.causeOfDeath.selectTitle=Todesursache auswählen +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +coreapps.markPatientDead.causeOfDeath.errorMessage=Bitte wählen Sie die Todesursache aus +coreapps.markPatientDead.submitValue=Änderungen speichern + +coreapps.atLocation=um {0} +coreapps.onDatetime=auf {0} + +coreapps.inpatients.title=Aktuelle stationäre Patienten +coreapps.inpatients.firstAdmitted=Erstmalig aufgenommen +coreapps.inpatients.currentWard=Aktuelle Station +coreapps.inpatients.patientCount=Gesamtzahl der Patienten +coreapps.inpatients.filterByCurrentWard=Nach aktueller Station filtern: + +coreapps.archivesRoom.surname.label=Nachname +coreapps.archivesRoom.newRecords.label=Neuen Akte drucken +coreapps.archivesRoom.existingRecords.label=Akte suchen +coreapps.archivesRoom.returnRecords.label=Akten zurückgeben +coreapps.archivesRoom.requestedBy.label=Senden an +coreapps.archivesRoom.requestedAt.label=Angefordert am +coreapps.archivesRoom.pullRequests.label=Aktenwarteschlange herausziehen +coreapps.archivesRoom.newRequests.label=Neue Aktenwarteschlange +coreapps.archivesRoom.recordsToMerge.done.label=Zusammenführung beendet +coreapps.archivesRoom.assignedPullRequests.label=Suche +coreapps.archivesRoom.assignedCreateRequests.label=Akten werden erstellt +coreapps.archivesRoom.mergingRecords.label=Papierunterlagen zusammenführen +coreapps.archivesRoom.pullSelected=Herausziehen +coreapps.archivesRoom.printSelected=Drucken +coreapps.archivesRoom.sendingRecords.label=Akten werden gesendet +coreapps.archivesRoom.returningRecords.label=Zurückkehrende Akten +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Karte einlesen oder geben Sie eine Patientenkennung ein. Bsp.: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=Aktenkennung +coreapps.archivesRoom.recordsToMerge.label=Akten zum Zusammenführen +coreapps.archivesRoom.reprint = Nachdruck +coreapps.archivesRoom.selectRecords.label=Wählen Sie die Akte aus, die gedruckt werden sollen +coreapps.archivesRoom.printRecords.label=Klicken Sie auf "Drucken", um Akten auszudrucken +coreapps.archivesRoom.sendRecords.label=Akten einscannen um diese zu senden +coreapps.archivesRoom.selectRecordsPull.label=Wählen Sie die Akten die herausgezogen werden sollen +coreapps.archivesRoom.clickRecordsPull.label=Klicken um die Akten herauszuziehen +coreapps.archivesRoom.cancelRequest.title=Anfrage der Papierunterlagen abbrechen +coreapps.archivesRoom.printedLabel.message=Gedruckte Beschriftung für Akte {0} +coreapps.archivesRoom.createRequests.message=Beschriftungen gedruckt. Erstellen Sie die ausgewählten Akten +coreapps.archivesRoom.pullRequests.message=Beschriftungen gedruckt. Suchen Sie die ausgewählten Akten +coreapps.archivesRoom.recordReturned.message=Akte zurückgegeben! +coreapps.archivesRoom.pleaseConfirmCancel.message=Sind Sie sich sicher, dass Sie diese Anfrage aus der Warteschlange entfernen möchten? +coreapps.archivesRoom.at=um +coreapps.archivesRoom.sentTo=gesendet an +coreapps.archivesRoom.cancel=Abbrechen +coreapps.archivesRoom.error.unableToAssignRecords=Die ausgewählte(n) Akte(n) kann/können nicht zugeordnet werden +coreapps.archivesRoom.error.paperRecordNotRequested=Akte {0} wurde nicht angefordert +coreapps.archivesRoom.error.paperRecordAlreadySent=Akte {0} wurde bereits an {1} auf {2} gesendet +coreapps.archivesRoom.error.unableToPrintLabel=Beschriftung kann nicht gedruckt werden. Bitte überprüfen Sie, ob Sie an dem richtigen Standort angemeldet sind. Kontaktieren Sie den Systemadministrator, wenn der Fehler erneut auftritt. +coreapps.archivesRoom.error.noPaperRecordExists=Es existiert keine Papierunterlage mit dieser Kennung + +coreapps.systemAdministration=Systemadministration +coreapps.myAccount = Mein Konto +coreapps.myAccount.changePassword = Passwort ändern +coreapps.createAccount=Konto erstellen +coreapps.editAccount=Konto bearbeiten +coreapps.account.saved=Konto erfolgreich gespeichert + + +coreapps.account.details = Benutzerkontodetails +coreapps.account.oldPassword = Altes Passwort +coreapps.account.newPassword = Neues Passwort +coreapps.account.changePassword.fail = Es trat ein Fehler beim Ändern Ihres Passworts auf. Ihr altes Passwort ist immernoch gültig. Bitte versuchen Sie es erneut. +coreapps.account.changePassword.success = Passwort erfolgreich aktualisiert. +coreapps.account.changePassword.oldPassword.required = Das alte Passwort scheint nicht gültig zu sein +coreapps.account.changePassword.newPassword.required = Das neue Passwort muss mindestens 8 Zeichen lang sein +coreapps.account.changePassword.newAndConfirmPassword.required = Neues Passwort und die Passwortbestätigung sind erforderlich +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Die Felder stimmen nicht überein, bitte überprüfen Sie Ihre Eingabe und versuchen Sie es erneut + +coreapps.account.error.save.fail=Fehler beim Speichern der Kontodetails +coreapps.account.requiredFields=Es muss entweder ein Benutzer oder Versorger erstellt werden +coreapps.account.error.passwordDontMatch=Passwörter stimmen nicht überein +coreapps.account.error.passwordError= Falsches Passwortformat. +coreapps.account.passwordFormat=Format, mindestens: 8 Zeichen +coreapps.account.locked.title=Gesperrtes Konto +coreapps.account.locked.description=Dieses Konto ist für ein paar Minuten gesperrt, weil jemand zu oft ein falsches Passwort eingegeben hat. Meistens hat ein Benutzer sein Passwort falsch eingegeben oder es vergessen. Dieses Konto wurde gesperrt um unbefugten Eindringlingen den Zugang zum System zu verweigern. +coreapps.account.locked.button=Konto entsperren +coreapps.account.unlocked.successMessage=Konto entsperrt +coreapps.account.unlock.failedMessage=Konto konnte nicht entsperrt werden +coreapps.account.providerRole.label=Versorgerart +coreapps.account.providerIdentifier.label=Versorgerkennung + +coreapps.patient.identifier=Patientenkennung +coreapps.patient.paperRecordIdentifier=Aktenkennung +coreapps.patient.identifier.add=Hinzufügen +coreapps.patient.identifier.type=Kennungstyp +coreapps.patient.identifier.value=Bezeichnerwert +coreapps.patient.temporaryRecord =Dies ist eine provisorische Akte für einen unbekannten Patienten +coreapps.patient.notFound=Patient nicht gefunden + +coreapps.patientHeader.name = Name +coreapps.patientHeader.givenname=Vorname +coreapps.patientHeader.familyname=Nachname +coreapps.patientHeader.patientId = Patientenkennung +coreapps.patientHeader.showcontactinfo=Kontaktinformation anzeigen +coreapps.patientHeader.hidecontactinfo=Kontaktinformation ausblenden +coreapps.patientHeader.activeVisit.at=Aktive Visite - {0} +coreapps.patientHeader.activeVisit.inpatient=Stationärer Patient auf {0} +coreapps.patientHeader.activeVisit.outpatient=Ambulanter Patient + +coreapps.patientDashBoard.visits=Visiten +coreapps.patientDashBoard.noVisits= Bisher keine Visiten. +coreapps.patientDashBoard.noDiagnosis= Noch keine Diagnose. +coreapps.patientDashBoard.activeSince= Aktiv seit +coreapps.patientDashBoard.contactinfo=Kontaktinformation +coreapps.patientDashBoard.date=Datum +coreapps.patientDashBoard.startTime=Startzeit +coreapps.patientDashBoard.location=Ort +coreapps.patientDashBoard.time=Zeit +coreapps.patientDashBoard.type=Typ +coreapps.patientDashBoard.showDetails=Details anzeigen +coreapps.patientDashBoard.hideDetails=Details ausblenden +coreapps.patientDashBoard.order = Bestellung +coreapps.patientDashBoard.provider=Versorger +coreapps.patientDashBoard.visitDetails=Details der Visite +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Begegnungen +coreapps.patientDashBoard.actions=Aktionen +coreapps.patientDashBoard.accessionNumber=Zugangsnummer +coreapps.patientDashBoard.orderNumber=Nummer anordnen +coreapps.patientDashBoard.requestPaperRecord.title=Papierunterlagen anfordern +coreapps.patientDashBoard.editPatientIdentifier.title=Patientenkennung bearbeiten +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patientenkennung gespeichert +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Keine neuen Werte die gespeichert werden müssen +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Patientenkennung konnte nicht gespeichert werden. Bitte überprüfen Sie diese und versuchen Sie es erneut. +coreapps.patientDashBoard.deleteEncounter.title=Begegnung löschen +coreapps.patientDashBoard.deleteEncounter.message=Sind Sie sich sicher, dass Sie diese Begegnung der Visite löschen möchten? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Der Benutzer hat nicht die erforderlichen Berechtigungen um Begegnungen zu löschen +coreapps.patientDashBoard.deleteEncounter.successMessage=Begegnung wurde gelöscht +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Bitte bestätigen Sie, dass Sie die Papierunterlagen dieses Patienten zugeschickt bekommen möchten: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Anfrage der Papierunterlagen gesendet +coreapps.patientDashBoard.noAccess=Sie haben nicht die erforderlichen Berechtigungen um die Patientenübersicht anzuzeigen + +coreapps.patientDashBoard.createDossier.title=Aktennummer erstellen +coreapps.patientDashBoard.createDossier.where=Wo wollen Sie die Patientenakte anlegen? +coreapps.patientDashBoard.createDossier.successMessage=Aktennummer erfolgreich erstellt + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primäre Diagnose +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Sekundäre Diagnose +coreapps.patientDashBoard.printLabels.successMessage=Beschriftungen erfolgreich am folgenden Standort gedruckt: + +coreapps.deletedPatient.breadcrumbLabel=Gelöschter Patient +coreapps.deletedPatient.title=Dieser Patient wurde gelöscht +coreapps.deletedPatient.description=Kontaktieren Sie den Systemadministrator, wenn dies ein Fehler ist + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Personendetails +coreapps.person.givenName=Vorname +coreapps.person.familyName=Nachname +coreapps.person.name=Name +coreapps.person.address=Adresse +coreapps.person.telephoneNumber=Telefonnummer + +coreapps.printer.managePrinters=Drucker verwalten +coreapps.printer.defaultPrinters=Standarddrucker konfigurieren +coreapps.printer.add=Neuen Drucker hinzufügen +coreapps.printer.edit=Drucker bearbeiten +coreapps.printer.name=Name +coreapps.printer.ipAddress=IP-Adresse +coreapps.printer.port=Port +coreapps.printer.type=Typ +coreapps.printer.physicalLocation=Physikalischer Standort +coreapps.printer.ID_CARD=Ausweis +coreapps.printer.LABEL=Bezeichnung +coreapps.printer.saved=Drucker erfolgreich gespeichert +coreapps.printer.defaultUpdate=Standarddrucker {0} für {1} gespeichert +coreapps.printer.error.defaultUpdate=Ein Fehler ist beim Aktualisieren des Standarddruckers aufgetreten +coreapps.printer.error.save.fail=Drucker konnte nicht gespeichert werden +coreapps.printer.error.nameTooLong=Der Name muss weniger als 256 Zeichen lang sein +coreapps.printer.error.ipAddressTooLong=Die IP-Adresse darf 50 Zeichen nicht überschreiten +coreapps.printer.error.ipAddressInvalid=IP-Adresse ungültig +coreapps.printer.error.ipAddressInUse=Die IP-Adresse wurde einem anderen Drucker zugeordnet +coreapps.printer.error.portInvalid=Port ungültig +coreapps.printer.error.nameDuplicate=Ein anderer Drucker hat bereits diesen Namen +coreapps.printer.defaultPrinterTable.loginLocation.label=Anmeldeort +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Ausweisdruckername (Standort) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Beschriftungsdruckername (Standort) +coreapps.printer.defaultPrinterTable.emptyOption.label=Keine + +coreapps.provider.details=Versorgerdetails +coreapps.provider.interactsWithPatients=Interagiert mit Patienten (klinisch oder administrativ) +coreapps.provider.identifier=Kennung +coreapps.provider.createProviderAccount=Versorgerkonto erstellen +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Benutzerkontodetails +coreapps.user.username=Benutzername +coreapps.user.username.error=Der Benutzername ist ungültig. Er muss zwischen 2 und 50 Zeichen lang sein. Nur Buchstaben, Ziffern, ".", "-" und "_" sind erlaubt. +coreapps.user.password=Passwort +coreapps.user.confirmPassword=Passwort bestätigen +coreapps.user.Capabilities=Rollen +coreapps.user.Capabilities.required=Rollen sind zwingend erforderlich. Wählen Sie mindestens eine +coreapps.user.enabled=Aktiviert +coreapps.user.privilegeLevel=Zugriffsberechtigung +coreapps.user.createUserAccount=Benutzerkonto erstellen +coreapps.user.changeUserPassword=Benutzerpasswort ändern +coreapps.user.secretQuestion=Geheime Frage +coreapps.user.secretAnswer=Geheime Antwort +coreapps.user.secretAnswer.required=Eine geheime Antwort ist erforderlich, wenn Sie eine Frage angegeben haben +coreapps.user.defaultLocale=Standardgebietsschema +coreapps.user.duplicateUsername=Der ausgewählte Benutzername wird bereits verwendet +coreapps.user.duplicateProviderIdentifier=Die ausgewählte Versorgerkennung wird bereits verwendet + +coreapps.mergePatientsLong=Elektronische Patientenakten zusammenführen +coreapps.mergePatientsShort=Patient zusammenführen +coreapps.mergePatients.selectTwo=Wählen Sie zwei Patienten zum Zusammenführen +coreapps.mergePatients.enterIds=Bitte geben Sie die Patientenkennungen der zwei elektronischen Akten, die zusammengeführt werden sollen, ein. +coreapps.mergePatients.chooseFirstLabel=Patientenkennung +coreapps.mergePatients.chooseSecondLabel=Patientenkennung +coreapps.mergePatients.dynamicallyFindPatients=Sie können auch dynamisch mit Namen oder Kennung nach Patienten suchen +coreapps.mergePatients.success=Akten zusammengeführt! Der bevorzugten Patient wird angezeigt. +coreapps.mergePatients.error.samePatient=Sie müssen zwei unterschiedliche Patientenakten wählen +coreapps.mergePatients.confirmationQuestion=Wählen Sie die bevorzugte Akte aus. +coreapps.mergePatients.confirmationSubtext=Das Zusammenführen kann nicht rückgängig gemacht werden! +coreapps.mergePatients.checkRecords = Bitte überprüfen Sie die Akten bevor Sie fortfahren. +coreapps.mergePatients.choosePreferred.question=Wählen Sie die bevorzugte Akte +coreapps.mergePatients.choosePreferred.description=Alle Daten (Patientenkennungen, Papieraktenkennungen, Visiten, Begegnungen und Bestellungen) werden in der bevorzugten Akten zusammengefasst. +coreapps.mergePatients.allDataWillBeCombined=Alle Daten (Visiten, Begegnungen, Beobachtungen, Bestellungen usw.) werden in einer Akte vereint. +coreapps.mergePatients.overlappingVisitsWillBeJoined=Diese Akten beinhalten sich überschneidene Visiten. Sie werden zusammengeführt. +coreapps.mergePatients.performMerge=Zusammenführung druckführen +coreapps.mergePatients.section.names=Nachname, Vorname +coreapps.mergePatients.section.demographics=Demographien +coreapps.mergePatients.section.primaryIdentifiers=Kennung(en) +coreapps.mergePatients.section.extraIdentifiers=Zusätzliche Kennung(en) +coreapps.mergePatients.section.addresses=Adresse(n) +coreapps.mergePatients.section.lastSeen=Zuletzt gesehen +coreapps.mergePatients.section.activeVisit=Aktive Visite +coreapps.mergePatients.section.dataSummary=Visiten +coreapps.mergePatients.section.dataSummary.numVisits={0} Visit(en) +coreapps.mergePatients.section.dataSummary.numEncounters={0} Begegnung(en) +coreapps.mergePatients.patientNotFound=Patient nicht gefunden +coreapps.mergePatients.unknownPatient.message=Wollen Sie diese temporäre Akte mit einer permanenten Akte zusammenführen? +coreapps.mergePatients.unknownPatient.error=Es ist nicht möglich eine permanente Akte mit einer unbekannte Akte zusammenzuführen. +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=it einer anderen Patientenakte zusammenführen + +coreapps.testPatient.registration = Einen Testpatienten registrieren + +coreapps.searchPatientHeading=Nach einem Patienten suchen (Karte scannen, nach Kennung oder Namen): +coreapps.searchByNameOrIdOrScan=Bsp.: Y2A4G4 + +coreapps.search.first=Erste +coreapps.search.previous=Vorherige +coreapps.search.next=Nächste +coreapps.search.last=Letzte +coreapps.search.noMatchesFound=Keine übereinstimmenden Akten gefunden +coreapps.search.noData=Keine Daten verfügbar +coreapps.search.identifier=Kennung +coreapps.search.name=Name +coreapps.search.info=Zeige _START_ bis _END_ von _TOTAL_ Einträgen an +coreapps.search.label.recent=Kürzlich +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Ein Fehler ist bei der Suche nach Patienten aufgetreten + +coreapps.findPatient.which.heading=Welche Patienten? +coreapps.findPatient.allPatients=Alle Patienten +coreapps.findPatient.search=Suche +coreapps.findPatient.registerPatient.label=Patient registrieren + +coreapps.activeVisits.title=Aktive Visiten +coreapps.activeVisits.checkIn=Anmeldung +coreapps.activeVisits.lastSeen=Zuletzt gesehen +coreapps.activeVisits.alreadyExists=Dieser Patient hat bereits eine aktive Visite + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Anmeldung +coreapps.retrospectiveCheckin.location.label=Ort +coreapps.retrospectiveCheckin.checkinDate.label=Anmeldedatum +coreapps.retrospectiveCheckin.checkinDate.day.label=Tag +coreapps.retrospectiveCheckin.checkinDate.month.label=Monat +coreapps.retrospectiveCheckin.checkinDate.year.label=Jahr +coreapps.retrospectiveCheckin.checkinDate.hour.label=Stunde +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minuten +coreapps.retrospectiveCheckin.paymentReason.label=Grund +coreapps.retrospectiveCheckin.paymentAmount.label=Anzahl +coreapps.retrospectiveCheckin.receiptNumber.label= Belegnummer +coreapps.retrospectiveCheckin.success=Anmeldung aufgezeichnet +coreapps.retrospectiveCheckin.visitType.label=Art der Visite + +coreapps.formValidation.messages.requiredField=Dieses Feld darf nicht leer sein +coreapps.formValidation.messages.requiredField.label=erforderlich +coreapps.formValidation.messages.dateField=Sie müssen ein gültiges Datum angeben +coreapps.formValidation.messages.integerField=Muss eine ganze Zahl sein +coreapps.formValidation.messages.numberField=Muss eine Zahl sein +coreapps.formValidation.messages.numericRangeLow=Minimal: {0} +coreapps.formValidation.messages.numericRangeHigh=Maximal: {0} + +coreapps.simpleFormUi.confirm.question=Übermittlung bestätigen? +coreapps.simpleFormUi.confirm.title=Bestätigen +coreapps.simpleFormUi.error.emptyForm=Bitte geben Sie mindestens eine Beobachtung ein + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Erläuterung +coreapps.ed.consult.title=Notdiensthinweis +coreapps.consult.addDiagnosis=Vermutete oder bestätigte Diagnose hinzufügen (erforderlich): +coreapps.consult.addDiagnosis.placeholder=Erst primäre dann sekundäre Diagnose auswählen +coreapps.consult.freeTextComments=Klinischer Hinweis +coreapps.consult.primaryDiagnosis=Primäre Diagnose: +coreapps.consult.primaryDiagnosis.notChosen=Nicht ausgewählt +coreapps.consult.secondaryDiagnoses=Sekundäre Diagnose: +coreapps.consult.secondaryDiagnoses.notChosen=Keine +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Nicht-Kodiert +coreapps.consult.synonymFor=auch bekannt als +coreapps.consult.successMessage=Beratungshinweis für {0} gespeichert +coreapps.ed.consult.successMessage=Notdiensthinweis für {0} gespeichert +coreapps.consult.disposition=Disposition +coreapps.consult.trauma.choose=Traumaart auswählen +coreapps.consult.priorDiagnoses.add=Frühere Diagnose + +coreapps.encounterDiagnoses.error.primaryRequired=Mindestens eine Diagnose muss primär sein + +coreapps.visit.createQuickVisit.title=Visite starten +coreapps.visit.createQuickVisit.successMessage=Visite gestartet für: {0} + +coreapps.deletePatient.title=Patient löschen: {0} + +coreapps.Diagnosis.Order.PRIMARY=Primär +coreapps.Diagnosis.Order.SECONDARY=Sekundär + +coreapps.Diagnosis.Certainty.CONFIRMED=Bestätigt +coreapps.Diagnosis.Certainty.PRESUMED=Mutmaßlich + +coreapps.editHtmlForm.breadcrumb=Bearbeiten: {0} +coreapps.editHtmlForm.successMessage={0} für {1} geändert + +coreapps.clinicianfacing.radiology=Radiologie +coreapps.clinicianfacing.notes=Hinweise +coreapps.clinicianfacing.surgery=Behandlungsraum +coreapps.clinicianfacing.showMoreInfo=Weitere Informationen anzeigen +coreapps.clinicianfacing.visits=Visiten +coreapps.clinicianfacing.recentVisits=Kürzliche Visiten +coreapps.clinicianfacing.allergies=Allergien +coreapps.clinicianfacing.prescribedMedication=Verordneten Medikamente +coreapps.clinicianfacing.vitals=Vitalwerte +coreapps.clinicianfacing.diagnosis=Diagnose +coreapps.clinicianfacing.diagnoses=Diagnose +coreapps.clinicianfacing.inpatient=Stationärer Patient +coreapps.clinicianfacing.outpatient=Ambulanter Patient +coreapps.clinicianfacing.recordVitals=Vitalwerte aufzeichnen +coreapps.clinicianfacing.writeConsultNote=Erläuterung schreiben +coreapps.clinicianfacing.writeEdNote=Notdiensthinweis schreiben +coreapps.clinicianfacing.orderXray=Röntgenbildaufnahme anordnen +coreapps.clinicianfacing.orderCTScan=CT-Scan anordnen +coreapps.clinicianfacing.writeSurgeryNote=Behandlungshinweis schreiben +coreapps.clinicianfacing.requestPaperRecord=Papierunterlagen anfragen +coreapps.clinicianfacing.printCardLabel=Kartenbeschriftung drucken +coreapps.clinicianfacing.printChartLabel=Diagrammbeschriftung drucken +coreapps.clinicianfacing.lastVitalsDateLabel=Letzte Vitalwerte: {0} +coreapps.clinicianfacing.active=Aktiv +coreapps.clinicianfacing.activeVisitActions=Aktuelle Visitenaktionen +coreapps.clinicianfacing.overallActions=Allgemeine Aktionen +coreapps.clinicianfacing.noneRecorded=Keine + +coreapps.vitals.confirmPatientQuestion=Ist dies der richtige Patient? +coreapps.vitals.confirm.yes=Ja, Vitalwerte erfassen +coreapps.vitals.confirm.no=Nein, einen anderen Patienten suchen +coreapps.vitals.vitalsThisVisit=Vitalwerte, die während dieser Visite erfasst wurden +coreapps.vitals.when=Wann +coreapps.vitals.where=Wo +coreapps.vitals.enteredBy=Eingegeben von +coreapps.vitals.minutesAgo=vor {0} Minute(n) +coreapps.vitals.noVisit=Dieser Patient muss erst angemeldet werden bevor die Vitalfunktionen aufgezeichnet werden können. Senden Sie den Patienten zum Anmeldungsschalter. +coreapps.vitals.noVisit.findAnotherPatient=Einen anderen Patienten suchen + +coreapps.noAccess=Ihr Benutzerkonto hat nicht die erforderlichen Berechtigungen um diese Seite anzuzeigen + +coreapps.expandAll=Alle ausklappen +coreapps.collapseAll=Alle einklappen +coreapps.programsDashboardWidget.label=PATIENTENPROGRAMME +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +coreapps.programSummaryDashboardWidget.label=PROGRAMMZUSAMMENFASSUNG +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +coreapps.dashboardwidgets.programs.addProgram=Programm hinzufügen +coreapps.dashboardwidgets.programs.selectProgram=Programm auswählen +coreapps.dashboardwidgets.programs.current=Aktuell + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +coreapps.dashboardwidgets.programstatus.completed=Fertig +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +coreapps.dashboardwidgets.programstatus.history=Geschichte +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Kürzliche Visiten +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_el.properties b/api/bin/src/main/resources/messages_el.properties new file mode 100644 index 000000000..d6fdbb3d3 --- /dev/null +++ b/api/bin/src/main/resources/messages_el.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=Εύρεση +coreapps.findPatient.result.view=Προβολή +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +coreapps.gender=Φύλο +coreapps.gender.M=Άρρεν +coreapps.gender.F=Θήλυ +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +coreapps.cancel=Άκυρωση +# coreapps.return=Return +coreapps.delete=Διαγραφή +# coreapps.okay=Okay +# coreapps.view=View +coreapps.edit=Επεξεργασία +coreapps.add=Προσθήκη +coreapps.save=Αποθήκευση +coreapps.next=Επόμενος +coreapps.continue=Συνέχεια +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Όχι +coreapps.yes=Ναί +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +coreapps.by=από +coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Ασθενής +coreapps.location=Τοποθεσία +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +# coreapps.actions=Actions + +# coreapps.birthdate=Birthdate +coreapps.age=Ηλικία +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=στο +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Άκυρωση +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = Παλιός κωδικός +coreapps.account.newPassword = Νέος κωδικός +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Προσθήκη +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +coreapps.patientDashBoard.visits=Επισκέψεις +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +# coreapps.patientDashBoard.date=Date +# coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=Τοποθεσία +# coreapps.patientDashBoard.time=Time +coreapps.patientDashBoard.type=Τύπος +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +coreapps.person.name=Όνομα +coreapps.person.address=Διεύθυνση +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=Όνομα +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=Τύπος +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +# coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Όνομα χρήστη +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Κωδικός +coreapps.user.confirmPassword=Επιβεβαιώστε τον κωδικό +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Επιλέξτε μια ερώτηση +coreapps.user.secretAnswer=Μυστική απάντηση +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=Δημογραφικά +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +coreapps.mergePatients.section.dataSummary=Επισκέψεις +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +# coreapps.search.first=First +coreapps.search.previous=Προηγούμενος +coreapps.search.next=Επόμενος +# coreapps.search.last=Last +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +# coreapps.search.identifier=Identifier +coreapps.search.name=Όνομα +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=Εύρεση +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Τοποθεσία +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=Αιτία +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +coreapps.clinicianfacing.visits=Επισκέψεις +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Ενεργό +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_es.properties b/api/bin/src/main/resources/messages_es.properties new file mode 100644 index 000000000..e814f7938 --- /dev/null +++ b/api/bin/src/main/resources/messages_es.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Módulo de aplicaciones centrales +coreapps.patientDashboard.description=Aplicación Registro de Paciente +coreapps.patientDashboard.extension.visits.description=Marcha de la consulta +coreapps.patientDashboard.actionsForInactiveVisit=¡Atención! Estas actividades son de una consulta pasada: +coreapps.patientDashboard.extension.actions.description=Actividades generales del paciente + +coreapps.activeVisits.app.label=Consultas activas +coreapps.activeVisits.app.description=Listas de pacientes que tienen consultas activas + +coreapps.findPatient.app.label=Buscar registro del paciente +coreapps.findPatient.search.placeholder=Buscar por ID o nombre +coreapps.findPatient.search.button=Buscar +coreapps.findPatient.result.view=Ver +coreapps.age.months= {0} Mes(es) +coreapps.age.days= {0} Día(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=ya está en uso +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=no pasó validación +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=debe estar en el formato +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Fecha de inicio +coreapps.stopDate.label=Fecha de finalización + +coreapps.retrospectiveVisit.changeDate.label=Cambiar fecha +coreapps.retrospectiveVisit.addedVisitMessage=Consulta pasada exitosamente agregada +coreapps.retrospectiveVisit.conflictingVisitMessage=La fecha que seleccionó está en conflicto con otra consulta(s). Haga clic para dirigirse a una consulta: + +coreapps.task.createRetrospectiveVisit.label=Agregar consulta pasada +coreapps.task.editVisitDate.label=Modificar fecha +coreapps.editVisitDate.visitSavedMessage=Fechas de consultas exitosamente actualizadas +coreapps.task.deleteVisit.label=Borrar consulta +coreapps.task.deleteVisit.notAllowed=Usuario no posee permiso para eliminar consulta +coreapps.task.deleteVisit.successMessage=Consulta ha sido eliminada +coreapps.task.deleteVisit.message=¿Está seguro que desea eliminar esta consulta? + +coreapps.task.endVisit.warningMessage=Por favor, termina todas las visitas antes de iniciar una nueva +coreapps.task.visitType.start.warning=Ya hay una visita activa(s) para {0} +coreapps.task.editVisit.label=Editar visita +coreapps.task.visitType.label=Seleccionar tipo de visita +coreapps.task.existingDate.label=Fecha Existente +coreapps.visit.updateVisit.successMessage=Visita actualizada + +coreapps.task.endVisit.label=Finalizar consulta +coreapps.task.endVisit.notAllowed=Relaciones +coreapps.task.endVisit.successMessage=Consulta ha sido finalizada +coreapps.task.endVisit.message=¿Está seguro que desea concluir esta consulta? + +coreapps.task.mergeVisits.label=Combinar consultas +coreapps.task.mergeVisits.instructions=Seleccione las consultas que desea unir. (Deben ser consecutivas) +coreapps.task.mergeVisits.mergeSelectedVisits=Combinar consultas seleccionadas +coreapps.task.mergeVisits.success=Consultas unidas exitosamente +coreapps.task.mergeVisits.error=Fallo al unir consultas + +coreapps.task.deletePatient.label=Eliminar paciente +coreapps.task.deletePatient.notAllowed=Usuario no posee permiso para eliminar paciente +coreapps.task.deletePatient.deletePatientSuccessful=Paciente ha sido eliminado con éxito +coreapps.task.deletePatient.deleteMessageEmpty=La razón no puede estar vacía +coreapps.task.deletePatient.deletePatientUnsuccessful=Falló en eliminar el paciente + +coreapps.task.relationships.label=Relaciones +coreapps.relationships.add.header=Agregar {0} +coreapps.relationships.add.choose=Elegir un {0} +coreapps.relationships.add.confirm=Confirmar nueva relación: +coreapps.relationships.add.thisPatient=(este paciente) +coreapps.relationships.delete.header=Eliminar relación +coreapps.relationships.delete.title=¿Eliminar esta relación? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Administración información +coreapps.dataManagement.codeDiagnosis.title=Codificar un diagnóstico +coreapps.dataManagement.codeDiagnosis.success=El diagnóstico fue codificado extiosamente +coreapps.dataManagement.codeDiagnosis.failure=Falló al codificar el diagnóstico +coreapps.dataManagement.replaceNonCoded=Reemplazar un diagnóstico no codificado de {1} para el paciente {2} con +coreapps.dataManagement.searchCoded=Ingrese un diagnóstico codificado + +coreapps.logout=Finalizar sesión + +coreapps.merge=Combinar +coreapps.gender=Género +coreapps.gender.M=Masculino +coreapps.gender.F=Femenino +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Sexo desconocido +coreapps.confirm=Confirmar +coreapps.cancel=Cancelar +coreapps.return=Regresar +coreapps.delete=Borrar +coreapps.okay=Ok +coreapps.view= Ver +coreapps.edit=Modificar +coreapps.add=Agregar +coreapps.save=Guardar +coreapps.next=Siguiente +coreapps.continue=Continuar +coreapps.none=Ninguno +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=No +coreapps.yes=Si +coreapps.optional=Opcional +coreapps.noCancel=No, cancelar +coreapps.yesContinue=Si, continuar +coreapps.by=por +coreapps.in=en +coreapps.at=en +coreapps.on=en +# coreapps.to=to +coreapps.date=Fecha +coreapps.close=Cerrado +coreapps.enroll=Inscribir +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Paciente +coreapps.location=Localidad +coreapps.time=Hora +coreapps.general=General + +coreapps.chooseOne=elegir uno + +coreapps.actions=Acciones + +coreapps.birthdate=Fecha de nacimiento +coreapps.age=Edad +coreapps.ageYears={0} año (s) +coreapps.ageMonths={0} meses(s) +coreapps.ageDays={0} días(s) +coreapps.unknownAge=edad desconocida + +coreapps.app.archivesRoom.label=Archivos +coreapps.app.findPatient.label=Buscar un paciente +coreapps.app.activeVisits.label=Consultas activas +coreapps.app.systemAdministration.label=Administración de sistema +coreapps.app.dataManagement.label=Administración información +coreapps.app.retrospectiveCheckin.label=Control retroactivo +coreapps.app.dataArchives.label=Archivos-información +coreapps.app.sysAdmin.label=Administrador de sistema +coreapps.app.clinical.label=Clínica +coreapps.app.system.administration.myAccount.label=Mi cuenta +coreapps.app.inpatients.label=Pacientes hospitalizados +coreapps.app.system.administration.label=Administración de sistema + +coreapps.app.awaitingAdmission.name = Lista de espera de admisión +coreapps.app.awaitingAdmission.label=Admisión en espera +coreapps.app.awaitingAdmission.title=Pacientes con admisión en espera +coreapps.app.awaitingAdmission.filterByAdmittedTo=Filtrar por admitidos a Sala +coreapps.app.awaitingAdmission.filterByCurrent=Filtrar por Sala actual +coreapps.app.awaitingAdmission.admitPatient=Admitir paciente +coreapps.app.awaitingAdmission.diagnosis=Diagnóstico +coreapps.app.awaitingAdmission.patientCount=Total de pacientes +coreapps.app.awaitingAdmission.currentWard=Sala actual +coreapps.app.awaitingAdmission.admissionLocation=Admitir a Sala +coreapps.app.awaitingAdmission.provider=Proveedor + +coreapps.task.startVisit.label=Inicio de la visita +coreapps.task.startVisit.message=¿Está seguro que desea iniciar una consulta para {0} ahora? +coreapps.task.deletePatient.message=¿Usted está seguro que desea ELIMINAR el paciente {0}? +coreapps.task.retrospectiveCheckin.label=Control retroactivo +coreapps.task.accountManagement.label=Gestionar cuentas +coreapps.task.enterHtmlForm.label.default=Forma: {0} +coreapps.task.enterHtmlForm.successMessage=Ingresó {0} por {1} +coreapps.task.requestPaperRecord.label=Solicitar registro en papel +coreapps.task.printIdCardLabel.label=Imprimir tarjeta de etiquetas +coreapps.task.printPaperRecordLabel.label=Imprimir gráficos de etiquetas +coreapps.task.myAccount.changePassword.label = Modificar contraseña + +coreapps.error.systemError=Se ha producido un error inesperado. Por favor, póngase en contacto con el administrador del sistema. +coreapps.error.foundValidationErrors=Hubo un problema con los datos introducidos, por favor, compruebe el o los campos resaltado(s) + +coreapps.emrContext.sessionLocation=Ubicación: {0} +coreapps.activeVisit= Consulta activa +coreapps.activeVisit.time= Iniciado en {0} +coreapps.visitDetails=Iniciado en {0} - Finalizado en {1} +coreapps.visitDetailsLink=Ver los datos de la consulta +coreapps.activeVisitAtLocation=Consulta activa en: {0} + +coreapps.noActiveVisit=Sin consulta activa +coreapps.noActiveVisit.description=Este paciente no está en una consulta activa. Si el paciente está presente puede iniciar una nueva consulta. Si desea ver o modificar los datos de una consulta previa, elija una de la lista a la izquierda. + +coreapps.deadPatient = El paciente ha fallecido - {0} - {1} +coreapps.deadPatient.description=El paciente ha fallecido. Si desea ver o modificar los datos de una consulta previa, elija una consulta desde la lista de la izquierda. +coreapps.markPatientDead.label=Marcar como Paciente fallecido +coreapps.markPatientDead.dateOfDeath=Fecha de deceso +coreapps.markPatientDead.dateOfDeath.errorMessage=Por favor seleccione la fecha del deceso +coreapps.markPatientDead.causeOfDeath=Causa de Deceso +coreapps.markPatientDead.causeOfDeath.selectTitle=Seleccionar Causa del Deceso +coreapps.markPatientDead.causeOfDeath.missingConcepts=Estas olvidando el concepto Causa del deceso +coreapps.markPatientDead.causeOfDeath.errorMessage=Por favor seleccione la causa del deceso +coreapps.markPatientDead.submitValue=Guardar Cambios + +coreapps.atLocation=en {0} +coreapps.onDatetime=en {0} + +coreapps.inpatients.title=Actuales pacientes hospitalizados +coreapps.inpatients.firstAdmitted=Primero admitidos +coreapps.inpatients.currentWard=Sala actual +coreapps.inpatients.patientCount=Total de pacientes +coreapps.inpatients.filterByCurrentWard=Filtrar por sala actual: + +coreapps.archivesRoom.surname.label=Apellido +coreapps.archivesRoom.newRecords.label=Imprimir nuevo registro +coreapps.archivesRoom.existingRecords.label=Buscar registro +coreapps.archivesRoom.returnRecords.label=Registros de retorno +coreapps.archivesRoom.requestedBy.label=Enviar a +coreapps.archivesRoom.requestedAt.label=Solicitado en +coreapps.archivesRoom.pullRequests.label=Extraer registro de la cola +coreapps.archivesRoom.newRequests.label=Nuevo registro en cola +coreapps.archivesRoom.recordsToMerge.done.label=Unión completada +coreapps.archivesRoom.assignedPullRequests.label=Bajo búsqueda +coreapps.archivesRoom.assignedCreateRequests.label=Registros siendo creados +coreapps.archivesRoom.mergingRecords.label=Combinar registros de papel +coreapps.archivesRoom.pullSelected=Extraer +coreapps.archivesRoom.printSelected=Imprimir +coreapps.archivesRoom.sendingRecords.label=Enviar registros +coreapps.archivesRoom.returningRecords.label=Registros retornados +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Escanear tarjeta o ingregar ID de paciente. Por ej.: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=ID Dosier +coreapps.archivesRoom.recordsToMerge.label=Registros a combinar +coreapps.archivesRoom.reprint = Reimprimir +coreapps.archivesRoom.selectRecords.label=Seleccione los registros a ser impresos +coreapps.archivesRoom.printRecords.label=Clic para imprimir registros +coreapps.archivesRoom.sendRecords.label=Escanear registros a enviar +coreapps.archivesRoom.selectRecordsPull.label=Seleccionar registros a ser extraídos +coreapps.archivesRoom.clickRecordsPull.label=Clic para extraer registros +coreapps.archivesRoom.cancelRequest.title=Cancelar pedido de registro en papel +coreapps.archivesRoom.printedLabel.message=Etiqueta impresa para el registro {0} +coreapps.archivesRoom.createRequests.message=Etiquetas impresas. Crear los registros seleccionados +coreapps.archivesRoom.pullRequests.message=Etiquetas impresas. Buscar en los registros seleccionados +coreapps.archivesRoom.recordReturned.message=¡Registro retornado! +coreapps.archivesRoom.pleaseConfirmCancel.message=¿Está seguro que desea eliminar este pedido de la cola? +coreapps.archivesRoom.at=en +coreapps.archivesRoom.sentTo=enviar a +coreapps.archivesRoom.cancel=Cancelar +coreapps.archivesRoom.error.unableToAssignRecords=No es posible asignar el registro seleccionado(s) +coreapps.archivesRoom.error.paperRecordNotRequested=Registro {0} no ha sido solicitado +coreapps.archivesRoom.error.paperRecordAlreadySent=Registro {0} ya fue enviado a {1} el {2} +coreapps.archivesRoom.error.unableToPrintLabel=No es posible imprimir etiqueta. Por favor verifique que ha iniciado sesión en el lugar correcto. Si el error persiste contáctese con su administrador de sistema. +coreapps.archivesRoom.error.noPaperRecordExists=No existe registro en papel con ese identificador + +coreapps.systemAdministration=Administración de sistema +coreapps.myAccount = Mi cuenta +coreapps.myAccount.changePassword = Modificar contraseña +coreapps.createAccount=Crear cuenta +coreapps.editAccount=Modificar cuenta +coreapps.account.saved=Cuenta guardada exitosamente + + +coreapps.account.details = Datos de la cuenta de usuario +coreapps.account.oldPassword = Contraseña antigua +coreapps.account.newPassword = Nueva contraseña +coreapps.account.changePassword.fail = Algo no funcionó cuando se intentaba cambiar la contraseña. Su antigua contraseña es aun válida. Por favor, inténtelo nuevamente +coreapps.account.changePassword.success = Contraseña actualizada exitosamente. +coreapps.account.changePassword.oldPassword.required = La contraseña antigua no parece ser válida +coreapps.account.changePassword.newPassword.required = Una nueva contraseña es necesaria que posea al menos 8 caracteres +coreapps.account.changePassword.newAndConfirmPassword.required = Se necesitan que las nuevas contraseñas también sean confirmadas +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Ambos campos no coinciden, cerciórese e intente nuevamente + +coreapps.account.error.save.fail=Falló al guardar datos de cuenta +coreapps.account.requiredFields=Debe crear o un usuario o un proveedor +coreapps.account.error.passwordDontMatch=Contraseñas no coinciden +coreapps.account.error.passwordError= Formato de contraseña incorrecta. +coreapps.account.passwordFormat=Formato, al menos 8 caracteres +coreapps.account.locked.title=Cuenta bloqueada +coreapps.account.locked.description=Esta cuenta está bloqueada por unos pocos minutos, debido a que alguien ingresó la contraseña incorrecta demasiadas veces. Usualmente el usuario o la ha escrito mal o la olvidó, entonces la bloqueamos a modo preventivo. +coreapps.account.locked.button=Desbloquear cuenta +coreapps.account.unlocked.successMessage=Cuenta desbloqueada +coreapps.account.unlock.failedMessage=Falló al desbloquear cuenta +coreapps.account.providerRole.label=Tipo de proveedro +coreapps.account.providerIdentifier.label=Identificador de proveedor + +coreapps.patient.identifier=ID Paciente +coreapps.patient.paperRecordIdentifier=ID Dosier +coreapps.patient.identifier.add=Agregar +coreapps.patient.identifier.type=Tipo de identificador +coreapps.patient.identifier.value=Valor identificador +coreapps.patient.temporaryRecord =Este es un registro temporario de un paciente no identificado +coreapps.patient.notFound=Paciente no encontrado + +coreapps.patientHeader.name = ombre +coreapps.patientHeader.givenname=ombre +coreapps.patientHeader.familyname=apellido +coreapps.patientHeader.patientId = ID Paciente +coreapps.patientHeader.showcontactinfo=Mostrar información de contacto +coreapps.patientHeader.hidecontactinfo=Ocultar información de contacto +coreapps.patientHeader.activeVisit.at=Consulta activa - {0} +coreapps.patientHeader.activeVisit.inpatient=Paciente hospitalizado en {0} +coreapps.patientHeader.activeVisit.outpatient=Ambulatorio + +coreapps.patientDashBoard.visits=Consultas +coreapps.patientDashBoard.noVisits= Aun sin consultas. +coreapps.patientDashBoard.noDiagnosis= Aun sin diagnóstico +coreapps.patientDashBoard.activeSince= activo desde +coreapps.patientDashBoard.contactinfo=Información de contacto +coreapps.patientDashBoard.date=Fecha +coreapps.patientDashBoard.startTime=Hora de inicio +coreapps.patientDashBoard.location=Localidad +coreapps.patientDashBoard.time=Hora +coreapps.patientDashBoard.type=Tipo +coreapps.patientDashBoard.showDetails=Mostrar datos +coreapps.patientDashBoard.hideDetails=Ocultar detalles +coreapps.patientDashBoard.order = Pedido +coreapps.patientDashBoard.provider=Proveedor +coreapps.patientDashBoard.visitDetails=Ocultar datos +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Encuentros +coreapps.patientDashBoard.actions=Acciones +coreapps.patientDashBoard.accessionNumber=Número de adhesión +coreapps.patientDashBoard.orderNumber=Número de pedido +coreapps.patientDashBoard.requestPaperRecord.title=Solicitar registro en papel +coreapps.patientDashBoard.editPatientIdentifier.title=Modificar identificador de paciente +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Identificador de paciente guardado +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Sin nuevo valor a ser guardado +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Falló al guardar identificador de paciente. Por favor verifiquelo e intente nuevamente. +coreapps.patientDashBoard.deleteEncounter.title=Eliminar encuentro +coreapps.patientDashBoard.deleteEncounter.message=¿Está seguro que desea eliminar este encuentro de esta consulta? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Usuario no posee permiso para eliminar encuentro +coreapps.patientDashBoard.deleteEncounter.successMessage=Encuentro se ha eliminado +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Por favor confirme que desea que le sea enviado el registro en papel de este paciente: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Pedido de registro en papel enviado +coreapps.patientDashBoard.noAccess=No posee los privilegios adecuados para ver el registro del paciente. + +coreapps.patientDashBoard.createDossier.title=Crear número de dosier +coreapps.patientDashBoard.createDossier.where=¿Dónde desea que el dosier del paciente sea creado? +coreapps.patientDashBoard.createDossier.successMessage=Número de dosier creado exitosamente + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Diagnóstico primario: +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Segundo diagnóstico +coreapps.patientDashBoard.printLabels.successMessage=Etiquetas exitosamente impresas en la ubicación: + +coreapps.deletedPatient.breadcrumbLabel=Paciente eliminado +coreapps.deletedPatient.title=Este paciente ha sido eliminado. +coreapps.deletedPatient.description=Contáctese con un administrador de sistema si considera que esto es un error + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Datos de la persona +coreapps.person.givenName=Nombre +coreapps.person.familyName=Apellido +coreapps.person.name=Nombre +coreapps.person.address=Dirección +coreapps.person.telephoneNumber=Número telefónico + +coreapps.printer.managePrinters=Gestionar Impresoras +coreapps.printer.defaultPrinters=Configurar impresoras predeterminadas +coreapps.printer.add=Agregar nueva impresora +coreapps.printer.edit=Modificar impresora +coreapps.printer.name=Nombre +coreapps.printer.ipAddress=Dirección IP +coreapps.printer.port=Puerto +coreapps.printer.type=Tipo +coreapps.printer.physicalLocation=Ubicación física +coreapps.printer.ID_CARD=Tarjeta de ID +coreapps.printer.LABEL=Etiqueta +coreapps.printer.saved=Impresora guardada exitosamente +coreapps.printer.defaultUpdate=Impresora predeterminada {0} guardada para {1} +coreapps.printer.error.defaultUpdate=Un error ocurrió actualizando la impresora predeterminada +coreapps.printer.error.save.fail=Falló al guardar impresora +coreapps.printer.error.nameTooLong=El nombre debe ser inferior a 256 caracteres +coreapps.printer.error.ipAddressTooLong=Dirección IP debe ser entre 50 caracteres o menos +coreapps.printer.error.ipAddressInvalid=Dirección IP inválida +coreapps.printer.error.ipAddressInUse=Dirección IP ha sido asignada a otra impresora +coreapps.printer.error.portInvalid=Puerto inválido +coreapps.printer.error.nameDuplicate=Otra impresora ya posee este nombre +coreapps.printer.defaultPrinterTable.loginLocation.label=Ubicación del inicio de sesión +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Nombre de la impresora Tarjeta ID (ubicación) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Nombre de la impresora de etiqueta (ubicación) +coreapps.printer.defaultPrinterTable.emptyOption.label=Ninguno + +coreapps.provider.details=Datos del proveedor +coreapps.provider.interactsWithPatients=Interactúa con pacientes (clínica o administrativamente) +coreapps.provider.identifier=Identificador +coreapps.provider.createProviderAccount=Crear cuenta de proveedor +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Datos de la cuenta de usuario +coreapps.user.username=Nombre de usuario +coreapps.user.username.error=Nombre de usuario es inválido. Debe contener entre 2 y 50 caracteres. Solo letras, dígitos, ".", "-" y "_" están permitidos. +coreapps.user.password=Contraseña +coreapps.user.confirmPassword=Confirmar contraseña +coreapps.user.Capabilities=Roles +coreapps.user.Capabilities.required=Los roles son obligatorios. Por favor elija al menos uno +coreapps.user.enabled=Habilitado +coreapps.user.privilegeLevel=Nivel de privilegio +coreapps.user.createUserAccount=Crear cuenta de usuario +coreapps.user.changeUserPassword=Cambiar contraseña de usuario +coreapps.user.secretQuestion=Pregunta secreta +coreapps.user.secretAnswer=Respuesta secreta +coreapps.user.secretAnswer.required=Una respuesta es necesaria cuando especifique una pregunta +coreapps.user.defaultLocale=Ubicación predeterminada +coreapps.user.duplicateUsername=El nombre de usuario seleccionado ya está en uso +coreapps.user.duplicateProviderIdentifier=El identificador de proveedor seleccionado ya está en uso + +coreapps.mergePatientsLong=Combinando registros electrónicos del paciente +coreapps.mergePatientsShort=Combinar paciente +coreapps.mergePatients.selectTwo=Ingrese los IDs de paciente de dos registros electrónicos a combinar. +coreapps.mergePatients.enterIds=¡Registros combinados! Viendo paciente principal. +coreapps.mergePatients.chooseFirstLabel=ID Paciente +coreapps.mergePatients.chooseSecondLabel=ID Paciente +coreapps.mergePatients.dynamicallyFindPatients=Puede también buscar dinámicamente que pacientes combinar, sea por su nombre o su ID +coreapps.mergePatients.success=¡Registros unidos! Viendo el paciente predilecto +coreapps.mergePatients.error.samePatient=Debe elegir dos registros de paciente diferentes +coreapps.mergePatients.confirmationQuestion=Seleccione el registro favorito +coreapps.mergePatients.confirmationSubtext=¡La unión no se puede deshacer! +coreapps.mergePatients.checkRecords = Por favor verifique los registros antes de continuar. +coreapps.mergePatients.choosePreferred.question=Elija el registro de paciente preferido +coreapps.mergePatients.choosePreferred.description=Toda la información (IDs de paciente, IDs registro en papel, consultas, encuentros, pedidos) serán unidos en un registro principal. +coreapps.mergePatients.allDataWillBeCombined=Toda la información (consultas, encuentros, observaciones, pedidos, etc.) serán combinados en un solo registro. +coreapps.mergePatients.overlappingVisitsWillBeJoined=Estos registros poseen consultas que se superponen - entonces serán agrupados. +coreapps.mergePatients.performMerge=Realizar combinación +coreapps.mergePatients.section.names=Apellido, Nombre +coreapps.mergePatients.section.demographics=Demografía +coreapps.mergePatients.section.primaryIdentifiers=Identificador(es) +coreapps.mergePatients.section.extraIdentifiers=Identificador(es) adicionales +coreapps.mergePatients.section.addresses=Dirección(es) +coreapps.mergePatients.section.lastSeen=Ultima vez visto +coreapps.mergePatients.section.activeVisit=Consulta activa +coreapps.mergePatients.section.dataSummary=Consultas +coreapps.mergePatients.section.dataSummary.numVisits={0} consulta(s) +coreapps.mergePatients.section.dataSummary.numEncounters={0} encuentro(s) +coreapps.mergePatients.patientNotFound=Paciente no encontrado +coreapps.mergePatients.unknownPatient.message=¿Desea combinar el registro temporario en uno permanente? +coreapps.mergePatients.unknownPatient.error=No se puede combinar un registro permanente con uno desconocido +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Combinando en otro registro de paciente + +coreapps.testPatient.registration = Registrar un examen del paciente + +coreapps.searchPatientHeading=Buscar paciente (tarjeta de exploración, por su ID o nombre): +coreapps.searchByNameOrIdOrScan=Ej: Y2A4G4 + +coreapps.search.first=Primero +coreapps.search.previous=Anterior +coreapps.search.next=Siguiente +coreapps.search.last=Ultimo +coreapps.search.noMatchesFound=No se hallaron registros coincidentes +coreapps.search.noData=Sin datos disponibles +coreapps.search.identifier=Identificador +coreapps.search.name=Nombre +coreapps.search.info=Mostrando entradas _START_ a _END_ of _TOTAL_ +coreapps.search.label.recent=Reciente +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Se produjo un error durante la búsqueda de pacientes + +coreapps.findPatient.which.heading=Qué pacientes? +coreapps.findPatient.allPatients=Todos los pacientes +coreapps.findPatient.search=Buscar +coreapps.findPatient.registerPatient.label=Registrar un paciente + +coreapps.activeVisits.title=Consultas activas +coreapps.activeVisits.checkIn=Registro +coreapps.activeVisits.lastSeen=Ultima vez visto +coreapps.activeVisits.alreadyExists=El paciente ya posee una visita activa + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Registro +coreapps.retrospectiveCheckin.location.label=Localidad +coreapps.retrospectiveCheckin.checkinDate.label=Fecha de registro +coreapps.retrospectiveCheckin.checkinDate.day.label=Día +coreapps.retrospectiveCheckin.checkinDate.month.label=Mes +coreapps.retrospectiveCheckin.checkinDate.year.label=Año +coreapps.retrospectiveCheckin.checkinDate.hour.label=Hora +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutos +coreapps.retrospectiveCheckin.paymentReason.label=Razón +coreapps.retrospectiveCheckin.paymentAmount.label=Cantidad +coreapps.retrospectiveCheckin.receiptNumber.label=Número de recibo +coreapps.retrospectiveCheckin.success=Registro grabado +coreapps.retrospectiveCheckin.visitType.label=Tipo de visita + +coreapps.formValidation.messages.requiredField=Este campo no puede quedar vacío +coreapps.formValidation.messages.requiredField.label=necesario +coreapps.formValidation.messages.dateField=Es necesario informar una fecha válida +coreapps.formValidation.messages.integerField=Debe ser un número entero +coreapps.formValidation.messages.numberField=Debe ser un número +coreapps.formValidation.messages.numericRangeLow=Mínimo: {0} +coreapps.formValidation.messages.numericRangeHigh=Máximo: {0} + +coreapps.simpleFormUi.confirm.question=¿Confirmar envío? +coreapps.simpleFormUi.confirm.title=Confirmar +coreapps.simpleFormUi.error.emptyForm=Por favor ingrese al menos una observación + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=en + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Nota consulta +coreapps.ed.consult.title=Nota ED +coreapps.consult.addDiagnosis=Agregar sea un diagnóstico presunto o confirmado (necesario): +coreapps.consult.addDiagnosis.placeholder=Elija un diagnóstico primario, posteriormente uno secundario +coreapps.consult.freeTextComments=Nota clínica +coreapps.consult.primaryDiagnosis=Diagnóstico primario: +coreapps.consult.primaryDiagnosis.notChosen=No elegido +coreapps.consult.secondaryDiagnoses=Diagnósticos secundarios: +coreapps.consult.secondaryDiagnoses.notChosen=Ninguno +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Sin codificación +coreapps.consult.synonymFor=también conocido como +coreapps.consult.successMessage=Nota de consulta guardada para {0} +coreapps.ed.consult.successMessage=Nota ED guardada por {0} +coreapps.consult.disposition=Disposición +coreapps.consult.trauma.choose=Elegir tipo de trauma +coreapps.consult.priorDiagnoses.add=Diagnósticos anteriores + +coreapps.encounterDiagnoses.error.primaryRequired=Al menos un diagnóstico debe ser el principal + +coreapps.visit.createQuickVisit.title=Iniciar una consulta +coreapps.visit.createQuickVisit.successMessage={0} inició una consulta + +coreapps.deletePatient.title=Eliminar paciente: {0} + +coreapps.Diagnosis.Order.PRIMARY=Principal +coreapps.Diagnosis.Order.SECONDARY=Secundario + +coreapps.Diagnosis.Certainty.CONFIRMED=Confirmado +coreapps.Diagnosis.Certainty.PRESUMED=Presunto + +coreapps.editHtmlForm.breadcrumb=Editar: {0} +coreapps.editHtmlForm.successMessage=Modificado {0} por {1} + +coreapps.clinicianfacing.radiology=Radiología +coreapps.clinicianfacing.notes=Notas +coreapps.clinicianfacing.surgery=Cirugía +coreapps.clinicianfacing.showMoreInfo=Mostrar más información +coreapps.clinicianfacing.visits=Consultas +coreapps.clinicianfacing.recentVisits=Ultimas consultas +coreapps.clinicianfacing.allergies=Alergias +coreapps.clinicianfacing.prescribedMedication=Medicación prescripta +coreapps.clinicianfacing.vitals=Partes vitales +coreapps.clinicianfacing.diagnosis=Diagnóstico +coreapps.clinicianfacing.diagnoses=Diagnósticos +coreapps.clinicianfacing.inpatient=Paciente hospitalizado +coreapps.clinicianfacing.outpatient=Ambulatorio +coreapps.clinicianfacing.recordVitals=Guardar signos vitales +coreapps.clinicianfacing.writeConsultNote=Escribir nota de consulta +coreapps.clinicianfacing.writeEdNote=Escribir nota ED +coreapps.clinicianfacing.orderXray=Solicitar Rayos X +coreapps.clinicianfacing.orderCTScan=Solicitar escaneado CT +coreapps.clinicianfacing.writeSurgeryNote=Escribir nota cirugía +coreapps.clinicianfacing.requestPaperRecord=Solicitar registro en papel +coreapps.clinicianfacing.printCardLabel=Imprimir tarjeta de etiquetas +coreapps.clinicianfacing.printChartLabel=Imprimir gráficos de etiquetas +coreapps.clinicianfacing.lastVitalsDateLabel=Ultimos signos vitales {0} +coreapps.clinicianfacing.active=Activo +coreapps.clinicianfacing.activeVisitActions=Actuales actividades de la consulta +coreapps.clinicianfacing.overallActions=Actividades generales +coreapps.clinicianfacing.noneRecorded=Ninguno + +coreapps.vitals.confirmPatientQuestion=¿Este es el paciente? +coreapps.vitals.confirm.yes=Sí, signos vitales +coreapps.vitals.confirm.no=No, encontrar otro paciente +coreapps.vitals.vitalsThisVisit=Signos vitales de esta consulta +coreapps.vitals.when=Cuando +coreapps.vitals.where=Dónde +coreapps.vitals.enteredBy=Ingresado por +coreapps.vitals.minutesAgo={0} minuto(s) atrás +coreapps.vitals.noVisit=Este paciente debe ser controlado antes que sus signos vitales puedan ser registrados. Envíelo donde corresponda para que realice los controles pertinentes. +coreapps.vitals.noVisit.findAnotherPatient=Encontrar otro paciente + +coreapps.noAccess=Su cuenta de usuario no posee los privilegios necesarios para ver esta página + +coreapps.expandAll=Expandir Todo +coreapps.collapseAll=Desplegar todo +coreapps.programsDashboardWidget.label=PROGRAMAS DEL PACIENTE +coreapps.currentEnrollmentDashboardWidget.label=INSCRIPCIÓN ACTUAL +coreapps.programSummaryDashboardWidget.label=RESUMEN DEL PROGRAMA +coreapps.programHistoryDashboardWidget.label=INSCRIPCIÓN ANTERIOR + +coreapps.clickToEditObs.empty=Agregar una Nota +coreapps.clickToEditObs.placeholder=Ingresar una Nota +coreapps.clickToEditObs.saveError=Ha sucedido un problema guardando la nota del paciente +coreapps.clickToEditObs.loadError=Ha ocurrido un error cargando la nota del paciente +coreapps.clickToEditObs.deleteError=Ha ocurrido un error eliminando la nota del paciente +coreapps.clickToEditObs.saveSuccess=Nota de paciente guardada con éxito +coreapps.clickToEditObs.deleteSuccess=Nota de paciente Eliminada con éxito +coreapps.clickToEditObs.delete.title=Eliminar nota del Paciente +coreapps.clickToEditObs.delete.confirm=¿Está seguro que desea eliminar esta nota de paciente? + +coreapps.dashboardwidgets.programs.addProgram=Agregar Programa +coreapps.dashboardwidgets.programs.selectProgram=Seleccionar Programa +coreapps.dashboardwidgets.programs.current=Actual + +coreapps.dashboardwidgets.programstatus.enrollmentdate=Fecha de registro +coreapps.dashboardwidgets.programstatus.enrollmentlocation=Ubicación de la inscripción +coreapps.dashboardwidgets.programstatus.enrolled=Inscrito +coreapps.dashboardwidgets.programstatus.completed=Completado +coreapps.dashboardwidgets.programstatus.outcome=Resultado +coreapps.dashboardwidgets.programstatus.history=Historia +coreapps.dashboardwidgets.programstatus.transitionTo=Transición a +coreapps.dashboardwidgets.programstatus.confirmDelete=¿Seguro que desea eliminar esta inscripción? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +coreapps.conditionui.updateCondition.success=Condición guardada con éxito +coreapps.conditionui.updateCondition.delete=Condición eliminada con éxito +coreapps.conditionui.updateCondition.added=Condición agregada con éxito +coreapps.conditionui.updateCondition.edited=Condición editada correctamente +coreapps.conditionui.updateCondition.error=Error al guardar la condición +coreapps.conditionui.updateCondition.onSetDate.error=La fecha de finalización no puede ser anterior a la fecha de inicio +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Ultimas consultas +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_fa.properties b/api/bin/src/main/resources/messages_fa.properties new file mode 100644 index 000000000..98de902a5 --- /dev/null +++ b/api/bin/src/main/resources/messages_fa.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=جستجو +coreapps.findPatient.result.view=نمایش +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=تاریخ شروع +coreapps.stopDate.label=تاریخ پایان + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +coreapps.task.relationships.label=روابط +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +coreapps.gender=جنسیت +coreapps.gender.M=مذکر +coreapps.gender.F=مونث +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +coreapps.cancel=لغو +# coreapps.return=Return +coreapps.delete=حذف +# coreapps.okay=Okay +# coreapps.view=View +coreapps.edit=ویرایش +coreapps.add=افزودن +coreapps.save=ذخیره +coreapps.next=بعدی +coreapps.continue=ادامه +coreapps.none=هیچکدام +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=خیر +coreapps.yes=آری +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +coreapps.by=توسط +coreapps.in=اینچ +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=بیمار +coreapps.location=مکان +coreapps.time=زمان +# coreapps.general=General + +# coreapps.chooseOne=choose one + +coreapps.actions=عملیات ها + +coreapps.birthdate=تاریخ تولد +coreapps.age=سن +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=خدمات دهنده + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=در +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=لغو +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = کامه عبور پیشین +coreapps.account.newPassword = کلمه عبور جدید +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=افزودن +coreapps.patient.identifier.type=نوع شناسه +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +coreapps.patientDashBoard.date=تاریخ +# coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=مکان +coreapps.patientDashBoard.time=زمان +coreapps.patientDashBoard.type=نوع +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +coreapps.patientDashBoard.order = تجویز +coreapps.patientDashBoard.provider=خدمات دهنده +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=مراجعات +coreapps.patientDashBoard.actions=عملیات ها +coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +coreapps.person.givenName=نام +# coreapps.person.familyName=Surname +coreapps.person.name=نام +coreapps.person.address=آدرس +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=نام +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=نوع +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=هیچکدام + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=شناسه +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=نام کاربری +coreapps.user.username.error=نام کاربری نامعتبر، نام کاربری می تواند شامل حروف و اعداد باشد و کاراکترهای -._ نیز قابل قبول هستند +coreapps.user.password=کلمه عبور +coreapps.user.confirmPassword=تایید کلمه عبور +coreapps.user.Capabilities=نقش ها +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=پرسش امنیتی +coreapps.user.secretAnswer=پاسخ مخفی +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +coreapps.user.defaultLocale=موقعیت پیش فرض +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=آمار +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=اولی +coreapps.search.previous=قبلی +coreapps.search.next=بعدی +coreapps.search.last=آخری +coreapps.search.noMatchesFound=هیچ رکوردی یافت نشد. +# coreapps.search.noData=No Data Available +coreapps.search.identifier=شناسه +coreapps.search.name=نام +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=جستجو +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=مکان +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=دلیل +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=متر +coreapps.units.centimeters=سانتی متر +# coreapps.units.millimeters=mm +coreapps.units.kilograms=کیلو گرم +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +coreapps.units.inches=اینچ + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=هیچکدام +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=حساسیت ها +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=فعال +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=هیچکدام + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_fr.properties b/api/bin/src/main/resources/messages_fr.properties new file mode 100644 index 000000000..258ff85e4 --- /dev/null +++ b/api/bin/src/main/resources/messages_fr.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Module Applications de base +coreapps.patientDashboard.description=Application Tableau de bord du patient +coreapps.patientDashboard.extension.visits.description=Actions consultation +coreapps.patientDashboard.actionsForInactiveVisit=Attention! Ces actions concernent une visite antérieure: +coreapps.patientDashboard.extension.actions.description=Actions patient générales + +coreapps.activeVisits.app.label=Consultations actives +coreapps.activeVisits.app.description=Liste des patients ayant des consultations actives + +coreapps.findPatient.app.label=Rechercher dossier de patient +coreapps.findPatient.search.placeholder=Rechercher par ID ou par Nom +coreapps.findPatient.search.button=Recherche +coreapps.findPatient.result.view=Affichage +coreapps.age.months={0} mois +coreapps.age.days={0} jour(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=est déjà utilisé(e) +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=n'a pas été validé(e) +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=doit être dans le format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Date de début +coreapps.stopDate.label=Date de fin + +coreapps.retrospectiveVisit.changeDate.label=Changer la date +coreapps.retrospectiveVisit.addedVisitMessage=Consultation antérieure ajoutée avec succès +coreapps.retrospectiveVisit.conflictingVisitMessage=La date sélectionnée est incompatible avec d'autres consultations. Cliquez pour naviguer jusqu'à une consultation: + +coreapps.task.createRetrospectiveVisit.label=Ajouter consultation antérieure +coreapps.task.editVisitDate.label=Modifier date +coreapps.editVisitDate.visitSavedMessage=Dates de consultation modifiées avec succès +coreapps.task.deleteVisit.label=Supprimer consultation +coreapps.task.deleteVisit.notAllowed=L'utilisateur n'est pas autorisé à supprimer la consultation +coreapps.task.deleteVisit.successMessage=La consultation a été supprimée +coreapps.task.deleteVisit.message=Voulez-vous vraiment supprimer cette consultation? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +coreapps.task.editVisit.label=Modifier la visite +coreapps.task.visitType.label=Sélectionner le type de consultation +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=Terminer la consultation +coreapps.task.endVisit.notAllowed=L'utilisateur n'est pas autorisé à terminer la consultation +coreapps.task.endVisit.successMessage=La consultation a été terminée +coreapps.task.endVisit.message=Voulez-vous vraiment terminer cette consultation? + +coreapps.task.mergeVisits.label=Fusionner les consultations +coreapps.task.mergeVisits.instructions=Sélectionnez les visites à fusionner (elles doivent être consécutives). +coreapps.task.mergeVisits.mergeSelectedVisits=Fusionner les consultations sélectionnées +coreapps.task.mergeVisits.success=Consultations fusionnées avec succès +coreapps.task.mergeVisits.error=La fusion des consultations a échoué + +coreapps.task.deletePatient.label=Effacer le Patient +coreapps.task.deletePatient.notAllowed=L'utilisateur n'est pas permis d'effacer le patient +coreapps.task.deletePatient.deletePatientSuccessful=Le patient a été effacé(e) avec succès +coreapps.task.deletePatient.deleteMessageEmpty=La case "Raison" ne doit pas rester vide +coreapps.task.deletePatient.deletePatientUnsuccessful=Impossible de supprimer le patient + +coreapps.task.relationships.label=Relations +coreapps.relationships.add.header=Ajoutez {0} +coreapps.relationships.add.choose=Choisissez un {0} +coreapps.relationships.add.confirm=Confirmez nouvelle relation: +coreapps.relationships.add.thisPatient=(ce patient) +coreapps.relationships.delete.header=Supprimez relation +coreapps.relationships.delete.title=Supprimez cette relation? +coreapps.relationships.find=Rechercher + + +coreapps.dataManagement.title=Gestion des données +coreapps.dataManagement.codeDiagnosis.title=Coder un diagnostic +coreapps.dataManagement.codeDiagnosis.success=Code de diagnostic codé avec succès +coreapps.dataManagement.codeDiagnosis.failure=Le codage du diagnostic a échoué +coreapps.dataManagement.replaceNonCoded=Remplacer le diagnosic de {1} non codé pour le patient {2} par +coreapps.dataManagement.searchCoded=Taper un diagnostic codé + +coreapps.logout=Déconnexion + +coreapps.merge=Fusionner +coreapps.gender=Sexe +coreapps.gender.M=Masculin +coreapps.gender.F=Féminin +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Sexe inconnu +coreapps.confirm=Confirmer +coreapps.cancel=Annuler +coreapps.return=Retour +coreapps.delete=Supprimer +coreapps.okay=OK +coreapps.view=Voir +coreapps.edit=Modifier +coreapps.add=Ajouter +coreapps.save=Enregistrer +coreapps.next=Suivant +coreapps.continue=Continuer +coreapps.none=Aucun(e) +coreapps.none.inLastPeriod=Aucun au cours des {0} derniers jours +coreapps.none.inLastTime=Aucun dans les derniers +coreapps.days=jours +coreapps.no=Non +coreapps.yes=Oui +coreapps.optional=Facultatif +coreapps.noCancel=Non, annuler +coreapps.yesContinue=Oui, continuer +coreapps.by=par +coreapps.in=dans +# coreapps.at=at +coreapps.on=sur +# coreapps.to=to +coreapps.date=Date +coreapps.close=Fermer +coreapps.enroll=Inscrire +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Patient +coreapps.location=Lieu +coreapps.time=Heure +coreapps.general=Général + +coreapps.chooseOne=En choisir un(e) + +coreapps.actions=Actions + +coreapps.birthdate=Date de naissance +coreapps.age=Âge +coreapps.ageYears={0} an(s) +coreapps.ageMonths={0} mois +coreapps.ageDays={0} jour(s) +coreapps.unknownAge=âge inconnu + +coreapps.app.archivesRoom.label=Archives +coreapps.app.findPatient.label=Rechercher un patient +coreapps.app.activeVisits.label=Consultations actives +coreapps.app.systemAdministration.label=Administration système +coreapps.app.dataManagement.label=Gestion des données +coreapps.app.retrospectiveCheckin.label=Inscription rétroactive +coreapps.app.dataArchives.label=Données-Archives +coreapps.app.sysAdmin.label=AdminSys +coreapps.app.clinical.label=Clinique +coreapps.app.system.administration.myAccount.label=Mon compte +coreapps.app.inpatients.label=Patients hospitalisés +coreapps.app.system.administration.label=Administration système + +coreapps.app.awaitingAdmission.name = Liste des admissions en attente +coreapps.app.awaitingAdmission.label=En attente d'admission +coreapps.app.awaitingAdmission.title=Patients en attente d'admission +coreapps.app.awaitingAdmission.filterByAdmittedTo=Filtrer par service d'admission +coreapps.app.awaitingAdmission.filterByCurrent=Filtrer par service actuel +coreapps.app.awaitingAdmission.admitPatient=Admettre patient +coreapps.app.awaitingAdmission.diagnosis=Diagnostic +coreapps.app.awaitingAdmission.patientCount=Nombre total de patients +coreapps.app.awaitingAdmission.currentWard=Service actuel +coreapps.app.awaitingAdmission.admissionLocation=Admettre dans le service +coreapps.app.awaitingAdmission.provider=Prestataire + +coreapps.task.startVisit.label=Démarrer consultation +coreapps.task.startVisit.message=Voulez-vous vraiment démarrer une consultation pour {0} maintenant? +coreapps.task.deletePatient.message=Etes-vous sûr de SUPPRIMER le patient {0} +coreapps.task.retrospectiveCheckin.label=Inscription rétroactive +coreapps.task.accountManagement.label=Gérer les comptes +coreapps.task.enterHtmlForm.label.default=Formulaire: {0} +coreapps.task.enterHtmlForm.successMessage=Entré {0} pour {1} +coreapps.task.requestPaperRecord.label=Demander un dossier papier +coreapps.task.printIdCardLabel.label=Imprimer étiquette de carte +coreapps.task.printPaperRecordLabel.label=Imprimer étiquette de dossier +coreapps.task.myAccount.changePassword.label = Changer le mot de passe + +coreapps.error.systemError=Erreur inattendue. Contactez l'administrateur système. +coreapps.error.foundValidationErrors=Il y a un problème parmi les données saisies, vérifiez le(s) champ(s) identifié(s) + +coreapps.emrContext.sessionLocation=Lieu: {0} +coreapps.activeVisit= Consultation active +coreapps.activeVisit.time= Démarrée {0} +coreapps.visitDetails=Démarré {0} - Terminée {1} +coreapps.visitDetailsLink=Afficher les détails de cette consultation +coreapps.activeVisitAtLocation=Visite active à: {0} + +coreapps.noActiveVisit=Pas de consultation active +coreapps.noActiveVisit.description=Le patient n'est pas dans une consultation active. Si le patient est présent, vous pouvez démarrer une nouvelle consultation. Pour afficher ou modifier les détails d'une consultation antérieure, sélectionnez-la dans la liste de gauche. + +coreapps.deadPatient = Le patient est décédé - {0} - {1} +coreapps.deadPatient.description=Ce patient est décédé. Pour afficher ou modifier les détails d'une consultation antérieure, sélectionnez-la dans la liste de gauche. +coreapps.markPatientDead.label=Marquer le patient comme étant décédé +coreapps.markPatientDead.dateOfDeath=Date de décès +coreapps.markPatientDead.dateOfDeath.errorMessage=S'il vous plaît specifier la date de la mort. +coreapps.markPatientDead.causeOfDeath=Cause du décès +coreapps.markPatientDead.causeOfDeath.selectTitle=Choisir la Cause du Decès +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +coreapps.markPatientDead.causeOfDeath.errorMessage=S'il vous plaît specifier la cause du mort. +coreapps.markPatientDead.submitValue=Enrregistrer les modifications + +coreapps.atLocation=à {0} +coreapps.onDatetime=le {0} + +coreapps.inpatients.title=Patients hospitalisés actuels +coreapps.inpatients.firstAdmitted=Admission initiale +coreapps.inpatients.currentWard=Service actuel +coreapps.inpatients.patientCount=Nombre total de patients +coreapps.inpatients.filterByCurrentWard=Filtrer par service actuel + +coreapps.archivesRoom.surname.label=Nom de famille +coreapps.archivesRoom.newRecords.label=Imprimer nouveau dossier +coreapps.archivesRoom.existingRecords.label=Rechercher dossier +coreapps.archivesRoom.returnRecords.label=Renvoyer dossiers +coreapps.archivesRoom.requestedBy.label=Envoyer à +coreapps.archivesRoom.requestedAt.label=Demandé à +coreapps.archivesRoom.pullRequests.label=File d'attente de sortie de dossiers +coreapps.archivesRoom.newRequests.label=File d'attente de nouveaux dossiers +coreapps.archivesRoom.recordsToMerge.done.label=Fusion effectuée +coreapps.archivesRoom.assignedPullRequests.label=Recherche en cours +coreapps.archivesRoom.assignedCreateRequests.label=Création de dossiers en cours +coreapps.archivesRoom.mergingRecords.label=Fusionner dossiers papier +coreapps.archivesRoom.pullSelected=Sortir +coreapps.archivesRoom.printSelected=Imprimer +coreapps.archivesRoom.sendingRecords.label=Envoi de dossiers en cours +coreapps.archivesRoom.returningRecords.label=Renvoi de dossiers +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scanner carte ou entrer ID patient. Ex: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=ID dossier +coreapps.archivesRoom.recordsToMerge.label=Dossiers à fusionner +coreapps.archivesRoom.reprint = Réimprimer +coreapps.archivesRoom.selectRecords.label=Sélectionner les dossiers à imprimer +coreapps.archivesRoom.printRecords.label=Cliquer pour imprimer les dossiers +coreapps.archivesRoom.sendRecords.label=Scanner les dossiers à envoyer +coreapps.archivesRoom.selectRecordsPull.label=Scanner les dossiers à sortir +coreapps.archivesRoom.clickRecordsPull.label=Cliquer pour sortir les dossiers +coreapps.archivesRoom.cancelRequest.title=Annuler la demande de dossiers papier +coreapps.archivesRoom.printedLabel.message=Étiquette imprimée pour le dossier {0} +coreapps.archivesRoom.createRequests.message=Étiquettes imprimées. Créez les dossiers sélectionnés +coreapps.archivesRoom.pullRequests.message=Étiquettes imprimées. Recherchez les dossiers sélectionnés +coreapps.archivesRoom.recordReturned.message=Dossier renvoyé. +coreapps.archivesRoom.pleaseConfirmCancel.message=Voulez-vous vraiment supprimer cette demande de la file d'attente? +coreapps.archivesRoom.at=à +coreapps.archivesRoom.sentTo=envoyé à +coreapps.archivesRoom.cancel=Annuler +coreapps.archivesRoom.error.unableToAssignRecords=Impossible d'assigner le(s) dossier(s) sélectionné(s) +coreapps.archivesRoom.error.paperRecordNotRequested=Le dossier {0} n'a pas été demandé +coreapps.archivesRoom.error.paperRecordAlreadySent=Le dossier {0} a déjà été envoyé à {1} le {2} +coreapps.archivesRoom.error.unableToPrintLabel=Impossible d'imprimer l'étiquette. Vérifiez que vous êtes connecté au bon endroit. Si l'erreur persiste, contactez l'administrateur système. +coreapps.archivesRoom.error.noPaperRecordExists=Il n'existe aucun dossier papier sous cet identifiant + +coreapps.systemAdministration=Administration système +coreapps.myAccount = Mon compte +coreapps.myAccount.changePassword = Changer le mot de passe +coreapps.createAccount=Créer un compte +coreapps.editAccount=Modifier un compte +coreapps.account.saved=Compte enregistré avec succès + + +coreapps.account.details = Détails du compte utilisateur +coreapps.account.oldPassword = Ancien mot de passe +coreapps.account.newPassword = Nouveau mot de passe +coreapps.account.changePassword.fail = Une erreur s'est produite lors du changement de mot de passe. L'ancien mot de passe est toujours valide. Veuillez réessayer +coreapps.account.changePassword.success = Mot de passe changé avec succès +coreapps.account.changePassword.oldPassword.required = L'ancien mot de passe ne semble pas valide +coreapps.account.changePassword.newPassword.required = Le nouveau mot de passe doit avoir au moins 8 caractères +coreapps.account.changePassword.newAndConfirmPassword.required = Le nouveau mot de passe et sa confirmation sont requis +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Les deux champs sont différents, vérifiez et réessayez + +coreapps.account.error.save.fail=L'enregistrement des détails du compte a échoué +coreapps.account.requiredFields=Vous devez créer soit un utilisateur, soit un prestataire +coreapps.account.error.passwordDontMatch=Les mots de passe ne correspondent pas +coreapps.account.error.passwordError= Format de mot de passe incorrect. +coreapps.account.passwordFormat=Format: au moins 8 caractères +coreapps.account.locked.title=Compte verrouillé +coreapps.account.locked.description=Ce compte est verrouillé pendant quelques minutes parce qu'un mot de passe incorrect a été entré un trop grand nombre de fois. Habituellement, il s'agit simplement d'une faute de frappe ou d'un oubli du mot de passe, mais le compte est bloqué pour protéger contre toute tentative d'accès par effraction. +coreapps.account.locked.button=Déverrouiller le compte +coreapps.account.unlocked.successMessage=Compte déverrouillé +coreapps.account.unlock.failedMessage=Le déverrouillage du compte a échoué +coreapps.account.providerRole.label=Type de prestataire +coreapps.account.providerIdentifier.label=Identifiant du prestataire + +coreapps.patient.identifier=ID patient +coreapps.patient.paperRecordIdentifier=ID dossier +coreapps.patient.identifier.add=Ajouter +coreapps.patient.identifier.type=Type d'identifiant +coreapps.patient.identifier.value=Valeur de l'identifiant +coreapps.patient.temporaryRecord =Dossier temporaire pour patient non identifié +coreapps.patient.notFound=Patient introuvable + +coreapps.patientHeader.name = prénom +coreapps.patientHeader.givenname=prénom +coreapps.patientHeader.familyname=nom de famille +coreapps.patientHeader.patientId = ID patient +coreapps.patientHeader.showcontactinfo=Afficher les infos de contact +coreapps.patientHeader.hidecontactinfo=Masquer les infos de contact +coreapps.patientHeader.activeVisit.at=Consultation active - {0} +coreapps.patientHeader.activeVisit.inpatient=Patient hospitalisé à {0} +coreapps.patientHeader.activeVisit.outpatient=Patient externe + +coreapps.patientDashBoard.visits=Consultations +coreapps.patientDashBoard.noVisits= Pas de consultation. +coreapps.patientDashBoard.noDiagnosis= Pas de diagnostic. +coreapps.patientDashBoard.activeSince= active depuis +coreapps.patientDashBoard.contactinfo=Informations de contact +coreapps.patientDashBoard.date=Date +coreapps.patientDashBoard.startTime=Heure de début +coreapps.patientDashBoard.location=Lieu +coreapps.patientDashBoard.time=Heure +coreapps.patientDashBoard.type=Type +coreapps.patientDashBoard.showDetails=afficher les détails +coreapps.patientDashBoard.hideDetails=masquer les détails +coreapps.patientDashBoard.order = Prescription +coreapps.patientDashBoard.provider=Prestataire +coreapps.patientDashBoard.visitDetails=Détails consultation +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Rencontres +coreapps.patientDashBoard.actions=Actions +coreapps.patientDashBoard.accessionNumber=Numéro d'entrée +coreapps.patientDashBoard.orderNumber=Numéro de Commande +coreapps.patientDashBoard.requestPaperRecord.title=Demander un dossier papier +coreapps.patientDashBoard.editPatientIdentifier.title=Modifier l'identifiant du patient +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Identifiant de patient enregistré +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Pas de nouvelle valeur à enregistrer +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=L'enregistrement de l'identifiant de patient a échoué. Vérifiez-le et réessayez. +coreapps.patientDashBoard.deleteEncounter.title=Supprimer la rencontre +coreapps.patientDashBoard.deleteEncounter.message=Voulez-vous vraiment supprimer cette rencontre de la consultation? +coreapps.patientDashBoard.deleteEncounter.notAllowed=L'utilisateur n'est pas autorisé à supprimer la rencontre +coreapps.patientDashBoard.deleteEncounter.successMessage=La rencontre a été supprimée +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Confirmez que le dossier papier de ce patient doit vous être envoyé: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Demande de dossier papier envoyée +coreapps.patientDashBoard.noAccess=Vous n'avez pas les privilèges appropriés pour afficher le tableau de bord patient. + +coreapps.patientDashBoard.createDossier.title=Créer un numéro de dossier +coreapps.patientDashBoard.createDossier.where=Où voulez-vous que le dossier de patient soit créé? +coreapps.patientDashBoard.createDossier.successMessage=Numéro de dossier créé avec succès + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Diagnostic principal +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Diagnostics secondaires +coreapps.patientDashBoard.printLabels.successMessage=Étiquettes imprimées au lieu suivant: + +coreapps.deletedPatient.breadcrumbLabel=Patient supprimé +coreapps.deletedPatient.title=Le patient a été supprimé +coreapps.deletedPatient.description=Contacter un administrateur système s'il s'agit d'une erreur + +# coreapps.patientNotFound.Description =Patient not found in the system +coreapps.NoPatient.breadcrumbLabel=Patient introuvable + +coreapps.person.details=Détails sur la personne +coreapps.person.givenName=Prénom +coreapps.person.familyName=Nom de famille +coreapps.person.name=Nom +coreapps.person.address=Adresse +coreapps.person.telephoneNumber=Numéro de téléphone + +coreapps.printer.managePrinters=Gérer les imprimantes +coreapps.printer.defaultPrinters=Configurer les imprimantes par défaut +coreapps.printer.add=Ajouter une imprimante +coreapps.printer.edit=Modifier l'imprimante +coreapps.printer.name=Nom +coreapps.printer.ipAddress=Adresse IP +coreapps.printer.port=Port +coreapps.printer.type=Type +coreapps.printer.physicalLocation=Emplacement physique +coreapps.printer.ID_CARD=Carte +coreapps.printer.LABEL=Étiquette +coreapps.printer.saved=Imprimante enregistrée avec succès +coreapps.printer.defaultUpdate=Enregistré l'imprimante {0} par défaut pour {1} +coreapps.printer.error.defaultUpdate=Erreur durant la mise à jour de l'imprimante par défaut +coreapps.printer.error.save.fail=L'enregistrement de l'imprimante a échoué +coreapps.printer.error.nameTooLong=Le nom doit avoir moins de 256 caractères +coreapps.printer.error.ipAddressTooLong=L'adresse IP doit avoir 50 caractères au maximum +coreapps.printer.error.ipAddressInvalid=Adresse IP non valide +coreapps.printer.error.ipAddressInUse=Adresse IP assignée à une autre imprimante +coreapps.printer.error.portInvalid=Port non valide +coreapps.printer.error.nameDuplicate=Ce nom est déjà utilisé par autre imprimante +coreapps.printer.defaultPrinterTable.loginLocation.label=Lieu de connexion +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Nom imprimante de carte (lieu) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Nom imprimante d'étiquette (lieu) +coreapps.printer.defaultPrinterTable.emptyOption.label=Aucun(e) + +coreapps.provider.details=Détails sur le prestataire +coreapps.provider.interactsWithPatients=En contact (clinique ou administratif) avec les patients +coreapps.provider.identifier=Identifiant +coreapps.provider.createProviderAccount=Créer un compte de prestataire +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Détails du compte utilisateur +coreapps.user.username=Nom d'utilisateur +coreapps.user.username.error=Le nom d'utilisateur n'est pas valide. Il doit comporter de 2 à 50 caractères. Seuls des lettres, des chiffres, ".", "-" et "_" peuvent être utilisés. +coreapps.user.password=Mot de passe +coreapps.user.confirmPassword=Confirmer le mot de passe +coreapps.user.Capabilities=Rôles +coreapps.user.Capabilities.required=Obligatoire. Choisissez au moins un rôle +coreapps.user.enabled=Activé +coreapps.user.privilegeLevel=Niveau de privilège +coreapps.user.createUserAccount=Créer un compte utilisateur +coreapps.user.changeUserPassword=Changer mot de passe utilisateur +coreapps.user.secretQuestion=Question secrète +coreapps.user.secretAnswer=Réponse secrète +coreapps.user.secretAnswer.required=Réponse secrète obligatoire si une question est spécifiée +coreapps.user.defaultLocale=Langue par défaut +coreapps.user.duplicateUsername=Le nom d'utilisateur sélectionné est déjà utilisé +coreapps.user.duplicateProviderIdentifier=L'identifiant de prestataire sélectionné est déjà utilisé + +coreapps.mergePatientsLong=Fusionner des dossiers électroniques de patients +coreapps.mergePatientsShort=Fusionner Patient +coreapps.mergePatients.selectTwo=Sélectionner deux patients à fusionner... +coreapps.mergePatients.enterIds=Entrez les ID de patient des deux dossiers électroniques à fusionner. +coreapps.mergePatients.chooseFirstLabel=ID patient +coreapps.mergePatients.chooseSecondLabel=ID patient +coreapps.mergePatients.dynamicallyFindPatients=Vous pouvez également rechercher dynamiquement pour les patients de fusionner, par Nom ou par ID +coreapps.mergePatients.success=Dossiers fusionnés! Affichage du patient préférentiel. +coreapps.mergePatients.error.samePatient=Vous devez choisir deux dossiers de patients différents +coreapps.mergePatients.confirmationQuestion=Sélectionnez le dossier préférentiel. +coreapps.mergePatients.confirmationSubtext=La fusion ne peut pas être annulée! +coreapps.mergePatients.checkRecords = Vérifiez les dossiers avant de continuer. +coreapps.mergePatients.choosePreferred.question=Choisissez le dossier de patient préférentiel +coreapps.mergePatients.choosePreferred.description=Toutes les données (codes de patient, ID de dossier papier, consultations, rencontres, prescriptions, etc.) seront combinées dans le dossier préférentiel +coreapps.mergePatients.allDataWillBeCombined=Toutes les données (consultations, rencontres, observations, prescriptions, etc.) seront combinées dans un même dossier +coreapps.mergePatients.overlappingVisitsWillBeJoined=Ces dossiers ont des consultations qui se recouvrent; elles seront jointes ensemble. +coreapps.mergePatients.performMerge=Effectuer la fusion +coreapps.mergePatients.section.names=Nom de famille, prénom +coreapps.mergePatients.section.demographics=Démographie +coreapps.mergePatients.section.primaryIdentifiers=Identifiant(s) +coreapps.mergePatients.section.extraIdentifiers=Code(s) supplémentaire(s) +coreapps.mergePatients.section.addresses=Adresse(s) +coreapps.mergePatients.section.lastSeen=Dernière visite +coreapps.mergePatients.section.activeVisit=Consultation active +coreapps.mergePatients.section.dataSummary=Consultations +coreapps.mergePatients.section.dataSummary.numVisits={0} consultation(s) +coreapps.mergePatients.section.dataSummary.numEncounters={0} rencontre(s) +coreapps.mergePatients.patientNotFound=Patient introuvable +coreapps.mergePatients.unknownPatient.message=Voulez-vous fusionner le dossier temporaire dans le dossier permanent? +coreapps.mergePatients.unknownPatient.error=Impossible de fusionner un dossier permanent dans un dossier inconnu +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Fusionner dans un autre dossier de patient + +coreapps.testPatient.registration = Enregistrer un patient de test + +coreapps.searchPatientHeading=Rechercher un patient (scanner la carte ou par ID/Nom): +coreapps.searchByNameOrIdOrScan=Ex: Y2A4G4 + +coreapps.search.first=Premier +coreapps.search.previous=Précédent +coreapps.search.next=Suivant +coreapps.search.last=Dernier +coreapps.search.noMatchesFound=Aucun dossier correspondant +coreapps.search.noData=Aucune donnée disponible +coreapps.search.identifier=Identifiant +coreapps.search.name=Nom +coreapps.search.info=Affichage de _START_ à _END_ sur _TOTAL_ entrées +coreapps.search.label.recent=Récent +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Erreur durant la recherche de patients + +coreapps.findPatient.which.heading=Quels patients? +coreapps.findPatient.allPatients=Tous les patients +coreapps.findPatient.search=Rechercher +coreapps.findPatient.registerPatient.label=Enregistrer patient + +coreapps.activeVisits.title=Consultations actives +coreapps.activeVisits.checkIn=Inscription +coreapps.activeVisits.lastSeen=Dernière visite +coreapps.activeVisits.alreadyExists=Ce patient a déjà une consultation active + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Accueil +coreapps.retrospectiveCheckin.location.label=Lieu +coreapps.retrospectiveCheckin.checkinDate.label=Date d'inscription +coreapps.retrospectiveCheckin.checkinDate.day.label=Jour +coreapps.retrospectiveCheckin.checkinDate.month.label=Mois +coreapps.retrospectiveCheckin.checkinDate.year.label=Année +coreapps.retrospectiveCheckin.checkinDate.hour.label=Heure +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=Motif +coreapps.retrospectiveCheckin.paymentAmount.label=Montant +coreapps.retrospectiveCheckin.receiptNumber.label=Numéro de reçu +coreapps.retrospectiveCheckin.success=Inscription enregistrée +coreapps.retrospectiveCheckin.visitType.label=Type de visite + +coreapps.formValidation.messages.requiredField=Ce champ ne peut pas être vide +coreapps.formValidation.messages.requiredField.label=obligatoire +coreapps.formValidation.messages.dateField=Une date valide est nécessaire +coreapps.formValidation.messages.integerField=Doit être un nombre entier +coreapps.formValidation.messages.numberField=Doit être un nombre +coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +coreapps.simpleFormUi.confirm.question=Confirmer la soumission? +coreapps.simpleFormUi.confirm.title=Confirmer +coreapps.simpleFormUi.error.emptyForm=Entrez au moins une observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lb +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Note de consultation +coreapps.ed.consult.title=Note des services d'urgence +coreapps.consult.addDiagnosis=Ajouter un diagnostic présumé ou confirmé (obligatoire): +coreapps.consult.addDiagnosis.placeholder=Diagnostic principal d'abord, puis diagnostics secondaires +coreapps.consult.freeTextComments=Note clinique +coreapps.consult.primaryDiagnosis=Diagnostic principal: +coreapps.consult.primaryDiagnosis.notChosen=Non choisi +coreapps.consult.secondaryDiagnoses=Diagnostics secondaires: +coreapps.consult.secondaryDiagnoses.notChosen=Aucun(e) +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Non codé +coreapps.consult.synonymFor=alias +coreapps.consult.successMessage=Note de consultation enregistrée pour {0} +coreapps.ed.consult.successMessage=Note des services d''urgence enregistrée pour {0} +coreapps.consult.disposition=Décision/évolution +coreapps.consult.trauma.choose=Choisir le type de trauma +coreapps.consult.priorDiagnoses.add=Diagnostics précédents + +coreapps.encounterDiagnoses.error.primaryRequired=Au moins un diagnostic doit être primaire + +coreapps.visit.createQuickVisit.title=Démarrer une consultation +coreapps.visit.createQuickVisit.successMessage={0} a démarré une consultation + +coreapps.deletePatient.title=Supprime le patient: {0} + +coreapps.Diagnosis.Order.PRIMARY=principal +coreapps.Diagnosis.Order.SECONDARY=secondaire + +coreapps.Diagnosis.Certainty.CONFIRMED=Confirmé +coreapps.Diagnosis.Certainty.PRESUMED=Présumé + +coreapps.editHtmlForm.breadcrumb=Modification: {0} +coreapps.editHtmlForm.successMessage=Modifié {0} pour {1} + +coreapps.clinicianfacing.radiology=Radiologie +coreapps.clinicianfacing.notes=Notes +coreapps.clinicianfacing.surgery=Chirurgie +coreapps.clinicianfacing.showMoreInfo=Afficher plus d'info +coreapps.clinicianfacing.visits=Consultations +coreapps.clinicianfacing.recentVisits=Visites Récentes +coreapps.clinicianfacing.allergies=Allergies +coreapps.clinicianfacing.prescribedMedication=Médicaments prescrits +coreapps.clinicianfacing.vitals=Signes vitaux +coreapps.clinicianfacing.diagnosis=Diagnostic +coreapps.clinicianfacing.diagnoses=Diagnostics +coreapps.clinicianfacing.inpatient=Patient hospitalisé +coreapps.clinicianfacing.outpatient=Patient externe +coreapps.clinicianfacing.recordVitals=Enregistrer les signes vitaux +coreapps.clinicianfacing.writeConsultNote=Rédiger une note de consultation +coreapps.clinicianfacing.writeEdNote=Rédiger une note de service d'urgence +coreapps.clinicianfacing.orderXray=Commander une radio +coreapps.clinicianfacing.orderCTScan=Commander une scanographie +coreapps.clinicianfacing.writeSurgeryNote=Rédiger une note de chirurgie +coreapps.clinicianfacing.requestPaperRecord=Demander un dossier papier +coreapps.clinicianfacing.printCardLabel=Imprimer étiquette de carte +coreapps.clinicianfacing.printChartLabel=Imprimer étiquette de dossier +coreapps.clinicianfacing.lastVitalsDateLabel=Derniers signes vitaux: {0} +coreapps.clinicianfacing.active=Actif +coreapps.clinicianfacing.activeVisitActions=Actions consultation en cours +coreapps.clinicianfacing.overallActions=Actions générales +coreapps.clinicianfacing.noneRecorded=Aucun(e) + +coreapps.vitals.confirmPatientQuestion=Est-ce le bon patient? +coreapps.vitals.confirm.yes=Oui, enregistrer les signes vitaux +coreapps.vitals.confirm.no=No, chercher un autre patient +coreapps.vitals.vitalsThisVisit=Signes vitaux enregistrés durant cette consultation +coreapps.vitals.when=Quand +coreapps.vitals.where=Où +coreapps.vitals.enteredBy=Entré par +coreapps.vitals.minutesAgo=il y a {0} minute(s) +coreapps.vitals.noVisit=Ce patient doit être passé à l'accueil avant l'enregistrement de ses signes vitaux. Renvoyez le patient au comptoir d'accueil. +coreapps.vitals.noVisit.findAnotherPatient=Chercher un autre patient + +coreapps.noAccess=Votre compte d'utilisateur n'a pas les privilèges requis pour voir cette page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +coreapps.programsDashboardWidget.label=PROGRAMMES PATIENT +coreapps.currentEnrollmentDashboardWidget.label=ENROLLMENT ACTUELS +coreapps.programSummaryDashboardWidget.label=SOMMAIRE DU PROGRAMME +coreapps.programHistoryDashboardWidget.label=ENROLLMENT PRÉCÉDENTE + +coreapps.clickToEditObs.empty=Ajouter une note +coreapps.clickToEditObs.placeholder=Entrer une note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +coreapps.clickToEditObs.deleteSuccess=La note du patient a été effacé(e) avec succès +# coreapps.clickToEditObs.delete.title=Delete patient note +coreapps.clickToEditObs.delete.confirm=Etes-vous sûr de vouloir supprimer ce note du patient? + +coreapps.dashboardwidgets.programs.addProgram=Ajouter un programme +coreapps.dashboardwidgets.programs.selectProgram=Sélectionnez le programme +coreapps.dashboardwidgets.programs.current=actuels + +coreapps.dashboardwidgets.programstatus.enrollmentdate=Date d'enrollment +coreapps.dashboardwidgets.programstatus.enrollmentlocation=Liue d'enrollment +coreapps.dashboardwidgets.programstatus.enrolled=Inscrit +coreapps.dashboardwidgets.programstatus.completed=Completé +coreapps.dashboardwidgets.programstatus.outcome=Résultat +coreapps.dashboardwidgets.programstatus.history=Histoire +coreapps.dashboardwidgets.programstatus.transitionTo=Transition vers +coreapps.dashboardwidgets.programstatus.confirmDelete=Êtes-vous sûr de vouloir supprimer cette enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Pas enrôlé actuellement +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +coreapps.dashboardwidgets.relationships.confirmRemove=Êtes-vous sûr de vouloir supprimer cette relation? +coreapps.dashboardwidgets.relationships.add=Ajouter une nouvelle relation +coreapps.dashboardwidgets.relationships.whatType=Quel type de relation? + +coreapps.dashboardwidgets.programstatistics.everEnrolled=Jamais enrôlé +coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Enrôlé actuellement +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +coreapps.dashboardwidgets.programstatistics.error=Erreur + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +coreapps.conditionui.conditions=Antécédents +coreapps.conditionui.manageConditions=Gérer les conditions +coreapps.conditionui.condition=Condition +coreapps.conditionui.status=Statut +# coreapps.conditionui.onsetdate=Onset Date +coreapps.conditionui.lastUpdated=Dernière mise à jour +coreapps.conditionui.addNewCondition=Ajouter une nouvelle condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +coreapps.conditionui.newCondition=Nouvelle condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +coreapps.conditionui.active=Rendre actif +coreapps.conditionui.inactive=Rendre inactif +coreapps.conditionui.updateCondition.success=Condition enregistrée avec succès +coreapps.conditionui.updateCondition.delete=Condition supprimée avec succès +coreapps.conditionui.updateCondition.added=Condition ajoutée avec succès +coreapps.conditionui.updateCondition.edited=Condition modifiée avec succès +coreapps.conditionui.updateCondition.error=Erreur lors de l'enregistrement de la condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +coreapps.conditionui.removeCondition=Supprimer la condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +coreapps.conditionui.editCondition=Modifier la condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +coreapps.conditionui.activeConditions=Conditions actives +coreapps.conditionui.inactiveConditions=Conditions inactives +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Visites Récentes +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_hi.properties b/api/bin/src/main/resources/messages_hi.properties new file mode 100644 index 000000000..278e5dfaf --- /dev/null +++ b/api/bin/src/main/resources/messages_hi.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=खोजे +coreapps.findPatient.result.view=अवलोकन करें +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +coreapps.relationships.add.header=जोड़ें{0} +coreapps.relationships.add.choose=चुनें एक {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +coreapps.relationships.find=ढूँढें + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +coreapps.merge=मिलाएं +# coreapps.gender=Gender +# coreapps.gender.M=Male +# coreapps.gender.F=Female +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=अनजान सेक्स +coreapps.confirm=पुष्टि +# coreapps.cancel=Cancel +# coreapps.return=Return +# coreapps.delete=Delete +# coreapps.okay=Okay +# coreapps.view=View +# coreapps.edit=Edit +# coreapps.add=Add +# coreapps.save=Save +# coreapps.next=Next +coreapps.continue=जारी रखें +coreapps.none=कोई नहीं +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=नहीं +coreapps.yes=हां +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +coreapps.by=द्वारा +coreapps.in=in +coreapps.at=पर +coreapps.on=पर +coreapps.to=को +coreapps.date=दिनांक +coreapps.close=बंद +coreapps.enroll=भर्ती +coreapps.present=मौजूद +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +# coreapps.location=Location +# coreapps.time=Time +# coreapps.general=General + +coreapps.chooseOne=एक चुनें + +# coreapps.actions=Actions + +# coreapps.birthdate=Birthdate +# coreapps.age=Age +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +coreapps.app.system.administration.myAccount.label=मेरा खाता +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +coreapps.task.myAccount.changePassword.label = पासवर्ड बदलें + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +coreapps.markPatientDead.dateOfDeath=मृत्यु की तिथि +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +coreapps.markPatientDead.causeOfDeath=मौत का कारण +coreapps.markPatientDead.causeOfDeath.selectTitle=मृत्यु के कारण का चयन करें +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +coreapps.markPatientDead.causeOfDeath.errorMessage=कृपया मृत्यु के कारण का चयन करें +# coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=पर{0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +coreapps.archivesRoom.printSelected=छाप दें +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=पर +# coreapps.archivesRoom.sentTo=sent to +# coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +coreapps.patientHeader.name = नाम +coreapps.patientHeader.givenname=नाम +coreapps.patientHeader.familyname=उपनाम +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +coreapps.patientDashBoard.contactinfo=संपर्क जानकारी +# coreapps.patientDashBoard.date=Date +# coreapps.patientDashBoard.startTime=Start Time +# coreapps.patientDashBoard.location=Location +# coreapps.patientDashBoard.time=Time +# coreapps.patientDashBoard.type=Type +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +coreapps.person.familyName=उपनाम +coreapps.person.name=नाम +# coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=नाम +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=Type +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=कोई नहीं + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Username +coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Password +coreapps.user.confirmPassword=Confirm Password +coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +coreapps.user.enabled=सक्रिय +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Secret Question +coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +coreapps.mergePatients.chooseFirstLabel=रोगी आईडी +coreapps.mergePatients.chooseSecondLabel=रोगी आईडी +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +coreapps.mergePatients.section.names=उपनाम, प्रथम नाम +coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +coreapps.mergePatients.section.activeVisit=Active Visit +coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=First +coreapps.search.previous=Previous +coreapps.search.next=Next +coreapps.search.last=Last +coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +coreapps.search.identifier=Identifier +coreapps.search.name=नाम +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=खोजे +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Location +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=दिन +coreapps.retrospectiveCheckin.checkinDate.month.label=महिना +coreapps.retrospectiveCheckin.checkinDate.year.label=साल +coreapps.retrospectiveCheckin.checkinDate.hour.label=घंटा +coreapps.retrospectiveCheckin.checkinDate.minutes.label=मिनट +coreapps.retrospectiveCheckin.paymentReason.label=कारण +coreapps.retrospectiveCheckin.paymentAmount.label=राशि +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +coreapps.simpleFormUi.confirm.title=पुष्टि +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=कोई नहीं +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +coreapps.Diagnosis.Certainty.CONFIRMED=पुष्टिकृत +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=कोई नहीं + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +coreapps.vitals.when=जब +coreapps.vitals.where=कहाँ +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +coreapps.dashboardwidgets.programs.current=मौजूदा + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +coreapps.dashboardwidgets.programstatus.history=इतिहास +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_ht.properties b/api/bin/src/main/resources/messages_ht.properties new file mode 100644 index 000000000..8caa26e23 --- /dev/null +++ b/api/bin/src/main/resources/messages_ht.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=OpenMRS Dosye Medikal Elektronik (EMR) +coreapps.patientDashboard.description=Pwogram pou Tablo Pasyan yo +coreapps.patientDashboard.extension.visits.description=Aksyon Vizit yo +coreapps.patientDashboard.actionsForInactiveVisit=Atansyon! sa yo se pou yon vizit ki pase deja +coreapps.patientDashboard.extension.actions.description=Aksyon Jeneral Pasyan yo + +coreapps.activeVisits.app.label=Vizit Aktiv yo +coreapps.activeVisits.app.description=Lis pasyan ki gen vizit aktiv yo + +coreapps.findPatient.app.label=Chache Dosye Pasyan +coreapps.findPatient.search.placeholder=Chache pa ID oubyen pa Non +coreapps.findPatient.search.button=Chache +coreapps.findPatient.result.view=Wè +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=deja itilize +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=pa pase validasyon +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=dwe nan fòma +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Dat Vizit te Kòmanse +coreapps.stopDate.label=Dat Vizit te Fini + +coreapps.retrospectiveVisit.changeDate.label=Chanje Dat +coreapps.retrospectiveVisit.addedVisitMessage=Vizit la anrejistre +coreapps.retrospectiveVisit.conflictingVisitMessage=Dat ou chwazi a gen konfli ak lòt vizit (yo). Klike pou ale nan yon vizit: + +coreapps.task.createRetrospectiveVisit.label=Anrejistre Vizit Retwospektiv +coreapps.task.editVisitDate.label=Chanje dat +coreapps.editVisitDate.visitSavedMessage=Bravo! Ou byen chanje dat vizit la +coreapps.task.deleteVisit.label=Siprime yon vizit +coreapps.task.deleteVisit.notAllowed=Ou pa gen pèmisyon pou siprime vizit la +coreapps.task.deleteVisit.successMessage=Vizit la siprime +coreapps.task.deleteVisit.message=Eske se tout bon ou vle siprime vizit sa a? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=Tèmine Vizit +coreapps.task.endVisit.notAllowed=Ou pa gen pèmisyon pou tèminw vizit la +coreapps.task.endVisit.successMessage=Vizit la tèmine +coreapps.task.endVisit.message=Eske se tout bon ou vle tèmine vizit la? + +coreapps.task.mergeVisits.label=Fizyone Vizit Yo +coreapps.task.mergeVisits.instructions=Chwazi vizit ou vle fizyone yo. (Yo dwe parèt yonn aprè lòt) +coreapps.task.mergeVisits.mergeSelectedVisits=Fizyone Vizit Ki Seleksyone Yo +coreapps.task.mergeVisits.success=Vizit yo fizyone kòrèkteman +coreapps.task.mergeVisits.error=Vizit yo pa fizyone + +coreapps.task.deletePatient.label=Efase Pasyan +coreapps.task.deletePatient.notAllowed=Itilizatè a pa gen pèmisyon pou li efase pasyan +coreapps.task.deletePatient.deletePatientSuccessful=Pasyan efase ak siksè +coreapps.task.deletePatient.deleteMessageEmpty=Rezon pa ka rete vid +coreapps.task.deletePatient.deletePatientUnsuccessful=Efase pasyan echwe + +coreapps.task.relationships.label=Relasyon +coreapps.relationships.add.header=Ajoute {0} +coreapps.relationships.add.choose=Chwazi yon {0} +coreapps.relationships.add.confirm=Konfime nouvo relasyon: +coreapps.relationships.add.thisPatient=(sa a pasyan an) +coreapps.relationships.delete.header=Efase relasyon +coreapps.relationships.delete.title=Efase relasyon sa a? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Gesyon Done +coreapps.dataManagement.codeDiagnosis.title=Kòde yon dyagnostik +coreapps.dataManagement.codeDiagnosis.success=Bravo! Dyagnostik la kòde avèk siksè +coreapps.dataManagement.codeDiagnosis.failure=Nou pat kapab kòde dyagnostik la +coreapps.dataManagement.replaceNonCoded=Ranplase dyagnostik san kòd {1} pou pasyan {2} ak +coreapps.dataManagement.searchCoded=Antre yon dyagnostik an kòd + +coreapps.logout=Soti nan sistèm nan + +coreapps.merge=Fizyone +coreapps.gender=Sèks +coreapps.gender.M=Gason +coreapps.gender.F=Fi +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Sex enkoni +coreapps.confirm=Konfime +coreapps.cancel=Anile +coreapps.return=Retounen +coreapps.delete=Efase +coreapps.okay=ok +coreapps.view=Wè +coreapps.edit=Korije +coreapps.add=Ajoute +coreapps.save=Konsève +coreapps.next=Pwochèn +coreapps.continue=Kontinye +coreapps.none=Okenn +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Non +coreapps.yes=Wi +coreapps.optional=Opsyonèl +coreapps.noCancel=Non, anile +coreapps.yesContinue=Wi, kontinye +coreapps.by=pa +coreapps.in=nan +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Pasyan +coreapps.location=Zòn +coreapps.time=Lè +coreapps.general=Jeneral + +coreapps.chooseOne=Chwazi youn + +coreapps.actions=Aksyon + +coreapps.birthdate=Dat nesans +coreapps.age=Laj +coreapps.ageYears={0} ane +coreapps.ageMonths={0} mwa (yo) +coreapps.ageDays={0} jou (yo) +coreapps.unknownAge=Laj enkoni + +coreapps.app.archivesRoom.label=Achiv +coreapps.app.findPatient.label=Chache yon Pasyan +coreapps.app.activeVisits.label=Vizit Activ +coreapps.app.systemAdministration.label=Administrasyon Sistèm +coreapps.app.dataManagement.label=Gesyon Done +coreapps.app.retrospectiveCheckin.label=Tchèk retwospektif +coreapps.app.dataArchives.label=Achiv done +coreapps.app.sysAdmin.label=Administratè Sistèm +coreapps.app.clinical.label=Klinikal +coreapps.app.system.administration.myAccount.label=Bwat Mwen +coreapps.app.inpatients.label=Pasyan entène yo +coreapps.app.system.administration.label=Administrasyon Sistèm + +coreapps.app.awaitingAdmission.name = List Admisyon Ki Ap Rete Tann +coreapps.app.awaitingAdmission.label=Ap Rete Tann Admisyon +coreapps.app.awaitingAdmission.title=Pasyan ki Ap rete tann Admisyon +coreapps.app.awaitingAdmission.filterByAdmittedTo=Filtre pa Sal yo Admèt: +coreapps.app.awaitingAdmission.filterByCurrent=Filtre pa Sal Aktyèl +coreapps.app.awaitingAdmission.admitPatient=Admèt Yon Pasyan +coreapps.app.awaitingAdmission.diagnosis=Dyagnostik +coreapps.app.awaitingAdmission.patientCount=Kantite Pasyan Total +coreapps.app.awaitingAdmission.currentWard=Sal Aktyèl +coreapps.app.awaitingAdmission.admissionLocation=Admèt nan Sal +coreapps.app.awaitingAdmission.provider=Founisè swen + +coreapps.task.startVisit.label=Kòmanse Vizit la +coreapps.task.startVisit.message=Eske se tout bon ou vle kòmanse yon vizit pou {0} kounya? +coreapps.task.deletePatient.message=Èske se tout bon ou vle EFASE pasyan sa a {0} +coreapps.task.retrospectiveCheckin.label=Tchèk retwospektif +coreapps.task.accountManagement.label=Jere Kont +coreapps.task.enterHtmlForm.label.default=Fòm: {0} +coreapps.task.enterHtmlForm.successMessage=te mete {0} pou {1} +coreapps.task.requestPaperRecord.label=Mande dosye ki sou papye +coreapps.task.printIdCardLabel.label=Enprime etikèt kat +coreapps.task.printPaperRecordLabel.label=Enprime etikèt dosye +coreapps.task.myAccount.changePassword.label = Chanje Modpas + +coreapps.error.systemError=Te gen yon erè inatandi. Silteple kontakte Administratè Sistèm ou. +coreapps.error.foundValidationErrors=Te gen yon pwoblèm nan done ou antre yo, silteple tcheke mo make a/yo. + +coreapps.emrContext.sessionLocation=Zòn: {0} +coreapps.activeVisit= Vizit aktiv +coreapps.activeVisit.time= Te kòmanse nan {0} +coreapps.visitDetails=Te kòmanse nan {0} - Te fini nan {1} +coreapps.visitDetailsLink=Gade detay vizit sa a +coreapps.activeVisitAtLocation=Vizit aktiv a: {0} + +coreapps.noActiveVisit=Pa gen vizit aktiv +coreapps.noActiveVisit.description=Pasyan sa pa nan yon vizit aktiv. Si pasyan an la, ou ka kòmanse yon nouvo vizit pou li. Si ou vle wè osinon modifye kèk detay sou yon vizit li te fè avan, chwazi yonn nan opsyon ki nan lis ki a goch la. + +coreapps.deadPatient = Pasyan mouri - {0} - {1} +coreapps.deadPatient.description=Pasyan an mouri. Si ou vle wè osinon modifye kèk detay sou yon vizit li te fè avan, chwazi yon vizit ki nan lis ki a goch la. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=a {0} +coreapps.onDatetime={0} + +coreapps.inpatients.title=Pasyan ki entène kounya yo +coreapps.inpatients.firstAdmitted=Premye Admi +coreapps.inpatients.currentWard=Sal Aktyèl +coreapps.inpatients.patientCount=Kantite Pasyan Total +coreapps.inpatients.filterByCurrentWard=Filtre pa sal aktyèl + +coreapps.archivesRoom.surname.label=Siyati +coreapps.archivesRoom.newRecords.label=Enprime Nouvo Dosye +coreapps.archivesRoom.existingRecords.label=Chache dosye +coreapps.archivesRoom.returnRecords.label=Remèt Dosye +coreapps.archivesRoom.requestedBy.label=Komande pa +coreapps.archivesRoom.requestedAt.label=Komande Nan +coreapps.archivesRoom.pullRequests.label=Dosye Ki Bezwen Retire +coreapps.archivesRoom.newRequests.label=Nouvo Dosye +coreapps.archivesRoom.recordsToMerge.done.label=Fizyon an fini +coreapps.archivesRoom.assignedPullRequests.label=Dosye yon grefye ap chache +coreapps.archivesRoom.assignedCreateRequests.label=Dosye k ap kreye aktiyelman +coreapps.archivesRoom.mergingRecords.label=Fizyone Dosye Papye +coreapps.archivesRoom.pullSelected=Retire +coreapps.archivesRoom.printSelected=Enprime +coreapps.archivesRoom.sendingRecords.label=Dosye k ap voye +coreapps.archivesRoom.returningRecords.label=Dosye k ap remèt +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Tape oubyen idantifye avèk kòd vizyel: +coreapps.archivesRoom.recordNumber.label=Nimewo Dosye +coreapps.archivesRoom.recordsToMerge.label=Dosye ki dwe fizyone +coreapps.archivesRoom.reprint = Enprime ankò +coreapps.archivesRoom.selectRecords.label=Chwazi dosye ou vl enprime yo +coreapps.archivesRoom.printRecords.label=Klike pou enprime dosye yo +coreapps.archivesRoom.sendRecords.label=Eskane dosye wap voye yo +coreapps.archivesRoom.selectRecordsPull.label=Chwazi dosye wap retire yo +coreapps.archivesRoom.clickRecordsPull.label=Klike pou retire dosye yo +coreapps.archivesRoom.cancelRequest.title=Anile Demand Dosye Papye +coreapps.archivesRoom.printedLabel.message=Enprime etikèt pou dosye {0} +coreapps.archivesRoom.createRequests.message=Etikèt yo enprime. Kreye dosye seleksyone yo. +coreapps.archivesRoom.pullRequests.message=Etikèt yo enprime. Chèche dosye seleksyone yo. +coreapps.archivesRoom.recordReturned.message=Dosye remèt! +coreapps.archivesRoom.pleaseConfirmCancel.message=Eske ou vrèman vle efase demand sa a nan lis la? +coreapps.archivesRoom.at=nan +coreapps.archivesRoom.sentTo=te ale a +coreapps.archivesRoom.cancel=Anile +coreapps.archivesRoom.error.unableToAssignRecords=Pa kapab deziyen dosye (yo) ki seleksyone +coreapps.archivesRoom.error.paperRecordNotRequested=Dosye {0} pa t komande +coreapps.archivesRoom.error.paperRecordAlreadySent=Dosye {0} gentan voye pou {1} sou {2} +coreapps.archivesRoom.error.unableToPrintLabel=Pa ka enprime etikèt la. Souple verifye pou wè si ou byen antre nan sistèm nan ak si ou nan depatman ki kòrèk la. Si pwoblèm nan kontinye, kontakte administratè sistèm nan. +coreapps.archivesRoom.error.noPaperRecordExists=Pa gen dosye papye ki egziste ak idantifikatè sa a + +coreapps.systemAdministration=Administrasyon Sistèm +coreapps.myAccount = Bwat Mwen +coreapps.myAccount.changePassword = Chanje Modpas +coreapps.createAccount=Kreye Kont +coreapps.editAccount=Modifye Kont +coreapps.account.saved=Kont Byen Konsève + + +coreapps.account.details = Detay Kont Itilizatè +coreapps.account.oldPassword = Ansyen Modpas +coreapps.account.newPassword = Nouvo Modpas +coreapps.account.changePassword.fail = Gen yon bagay ki pa mache pandan ou tap eseye chanje modpas ou a. Ansyen modpas la toujou valid. Eseye ankò souple. +coreapps.account.changePassword.success = Modpas la te chanje avèk siksè. +coreapps.account.changePassword.oldPassword.required = Ansyen modpas ou a sanble pa valid +coreapps.account.changePassword.newPassword.required = Nouvo modpas la dwe genyen o mwen 8 karaktè ladan li +coreapps.account.changePassword.newAndConfirmPassword.required = Ou dwe gen yon modpas ki nouvo e ki konfime +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Sa ou te mete avan an diferan de sa ou mete kounye a, silvouplè tcheke li epi eseye ankò. + +coreapps.account.error.save.fail=Pa t kapab konsève detay kont +coreapps.account.requiredFields=Dwe kreye swa yon itilizatè oswa yon founisè +coreapps.account.error.passwordDontMatch=Modpas yo pa menm +coreapps.account.error.passwordError= Modpas la dwe gen kondisyon sa yo: pa dwe non itilizatè a, dwe gen omwen 8 karaktè, dwe gen omwen 1 anwo karaktè ak 1 karakte miniskil, dwe gen omwen 1 chif +coreapps.account.passwordFormat=Fòma, o mwen: 8 karaktè +coreapps.account.locked.title=Kont Fèmen +coreapps.account.locked.description=Kont sa a fèmen pou kèk minit, paske yon moun te antre yon move modpas twop fwa. Anjeneral sa a jis vle di si itilizatè a pa t tape modpas li byen oswa oubliyé modpas li, men nou fèmen kont lan nan ka yon moun malveyan ap eseye antre nan sistèm nan san otorizasyon. +coreapps.account.locked.button=Kont Bloke +coreapps.account.unlocked.successMessage=Kont Debloke +coreapps.account.unlock.failedMessage=Pa t kapab debloke kont +coreapps.account.providerRole.label=Kalite founisè +coreapps.account.providerIdentifier.label=Idantifikasyon pou founisè swen + +coreapps.patient.identifier=Idantifikasyon Pasyan +coreapps.patient.paperRecordIdentifier=Idantifikasyon Dosye +coreapps.patient.identifier.add=Ajoute +coreapps.patient.identifier.type=Tip Idantifikatè a +coreapps.patient.identifier.value=Valè Idantifikatè a +coreapps.patient.temporaryRecord =Sa a se yon dosye tanporè pou yon pasyan enkoni +coreapps.patient.notFound=Sistèm nan pa t jwenn pasyan an + +coreapps.patientHeader.name = Non +coreapps.patientHeader.givenname=Non +coreapps.patientHeader.familyname=Siyati +coreapps.patientHeader.patientId = Idantifikasyon Pasyan +coreapps.patientHeader.showcontactinfo=Montre Enfòmasyon de Kontak yo +coreapps.patientHeader.hidecontactinfo=Kache Enfòmasyon de Kontak yo +coreapps.patientHeader.activeVisit.at=Vizit aktiv - {0} +coreapps.patientHeader.activeVisit.inpatient=Pasyan entène nan {0} +coreapps.patientHeader.activeVisit.outpatient=Pasyan Ekstèn + +coreapps.patientDashBoard.visits=Vizit yo +coreapps.patientDashBoard.noVisits= Pa ko fè vizit yo +coreapps.patientDashBoard.noDiagnosis= Pa ko fè dyagnostik +coreapps.patientDashBoard.activeSince= te aktive depi +coreapps.patientDashBoard.contactinfo=Enfòmasyon de Kontak +coreapps.patientDashBoard.date=Dat +coreapps.patientDashBoard.startTime=Lè Kòmansman +coreapps.patientDashBoard.location=Zòn +coreapps.patientDashBoard.time=Lè +coreapps.patientDashBoard.type=Tip +coreapps.patientDashBoard.showDetails=montre detay yo +coreapps.patientDashBoard.hideDetails=kache detay yo +coreapps.patientDashBoard.order = Kòmande +coreapps.patientDashBoard.provider=Founisè swen +coreapps.patientDashBoard.visitDetails=Detay Vizit +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Rankont +coreapps.patientDashBoard.actions=Aksyon +coreapps.patientDashBoard.accessionNumber=Nimewo aksesyon +coreapps.patientDashBoard.orderNumber=Nimewo Kòmann +coreapps.patientDashBoard.requestPaperRecord.title=Mande dosye ki sou papye +coreapps.patientDashBoard.editPatientIdentifier.title=Modifye Idantifikatè Pasyan an +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Idantifikatè Pasyan an Anrejistre +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Pa gen lòt bagay pou sovgade +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Idantifikatè Pasyan an pa anrejistre. Silvouplè tcheke li epi eseye ankò. +coreapps.patientDashBoard.deleteEncounter.title=Efase Rankont lan +coreapps.patientDashBoard.deleteEncounter.message=Eske ou vrèman vle efase rankont sa nan vizit la? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Itilizatè a pa gen pèmisyon pou li efase rankont lan +coreapps.patientDashBoard.deleteEncounter.successMessage=Rankont lan efase +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Silvouplè konfime kew vle ke yo voye dosye papye malad sa a ba ou +coreapps.patientDashBoard.requestPaperRecord.successMessage=Yo voye yon demand pou dosye ki sou papye +coreapps.patientDashBoard.noAccess=Ou pa gen avantaj yo bon wè tablodbò a pasyans. + +coreapps.patientDashBoard.createDossier.title=Kreye nimewo dosye +coreapps.patientDashBoard.createDossier.where=Ki kote ou ta renmen kreye nimewo dosye malad la? +coreapps.patientDashBoard.createDossier.successMessage=Nimewo dosye a byen kreye + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Dyagnostik primè +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Dyagnostik segondè +coreapps.patientDashBoard.printLabels.successMessage=Etikèt yo enprime nan depatman: + +coreapps.deletedPatient.breadcrumbLabel=Pasyan Siprime +coreapps.deletedPatient.title=Pasyan sa a siprime +coreapps.deletedPatient.description=Kontakte yon administratè sistèm si sa se yon er + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Detay Moun Nan +coreapps.person.givenName=Non +coreapps.person.familyName=Siyati +coreapps.person.name=Non +coreapps.person.address=Adrès +coreapps.person.telephoneNumber=Nimewo Telefòn + +coreapps.printer.managePrinters=Jere Enprimant Yo +coreapps.printer.defaultPrinters=Konfigire Enprimant Nòmal +coreapps.printer.add=Ajoute nouvo enprimant +coreapps.printer.edit=Modifye Enprimant +coreapps.printer.name=Non +coreapps.printer.ipAddress=Adrès IP +coreapps.printer.port=Pò +coreapps.printer.type=Tip +coreapps.printer.physicalLocation=Lokasyon Fizik +coreapps.printer.ID_CARD=Kat idantifikasyon +coreapps.printer.LABEL=Etikèt +coreapps.printer.saved=Enprimant Byen Konsève +coreapps.printer.defaultUpdate=Konsève enprimant {0} nomal pou {1} +coreapps.printer.error.defaultUpdate=Yon erè te fèt pandan chanjman enprimant nomal la +coreapps.printer.error.save.fail=Pa t kapab konsève enprimant +coreapps.printer.error.nameTooLong=Non dwe mwens pase 256 karaktè +coreapps.printer.error.ipAddressTooLong=IP adrès dwe 50 karaktè oubyen mwens. +coreapps.printer.error.ipAddressInvalid=IP adrès pa valab +coreapps.printer.error.ipAddressInUse=Adrès IP deziyen pou yon lòt enprimant +coreapps.printer.error.portInvalid=Pò pa valab +coreapps.printer.error.nameDuplicate=Yon lòt enprimant gentan gen non sa a +coreapps.printer.defaultPrinterTable.loginLocation.label=Lokasyon pou antre nan sistèm nan +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Non (Lokasyon) pou Enprimant Kat Idantifikasyon +coreapps.printer.defaultPrinterTable.labelPrinter.label=Non (Lokasyon) pou Enprimant Etikèt +coreapps.printer.defaultPrinterTable.emptyOption.label=Okenn + +coreapps.provider.details=Detay Founisè Swen +coreapps.provider.interactsWithPatients=Kominike avek pasyan (klinikman oswa administrativman) +coreapps.provider.identifier=Idantifikasyon +coreapps.provider.createProviderAccount=Kreye Kont Founisè Swen +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Detay pou Kont Itilizatè +coreapps.user.username=Non Itilizatè +coreapps.user.username.error=Non Itilizatè pa valab. Li dwe ant 2 ak 50 karaktè. Sèlman lèt, chif, ".", "-", e "_" aksepte. +coreapps.user.password=Modpas +coreapps.user.confirmPassword=Konfime modpas +coreapps.user.Capabilities=Wòl yo +coreapps.user.Capabilities.required=Wòl yo mandatwa. Chwazi omwen yon sèl. +coreapps.user.enabled=Aktive +coreapps.user.privilegeLevel=Nivo Privilèj +coreapps.user.createUserAccount=Kreye Kont Itilizatè +coreapps.user.changeUserPassword=Chanje Modpas Itilizatè +coreapps.user.secretQuestion=Kesyon Sekrè +coreapps.user.secretAnswer=Repons Sekrè +coreapps.user.secretAnswer.required=Yon repons sekrè nesesè lè ou presize yon kesyon +coreapps.user.defaultLocale=Lokal nòmal +coreapps.user.duplicateUsername=Non itilizatè seleksyonne gentan sèvi +coreapps.user.duplicateProviderIdentifier=Idantifikasyon seleksyonne gentan sèvi + +coreapps.mergePatientsLong=Fizyone Dosye Elektwonik Pasyan Yo +coreapps.mergePatientsShort=Fizyone Pasyan +coreapps.mergePatients.selectTwo=Seleksyonne de pasyan pou amalgame... +coreapps.mergePatients.enterIds=Silvouplè antre Nimewo Idantifikasyon pasyan yo pou 2 dosye elektwonik nap fizyone yo. +coreapps.mergePatients.chooseFirstLabel=Idantifikasyon Pasyan +coreapps.mergePatients.chooseSecondLabel=Idantifikasyon Pasyan +coreapps.mergePatients.dynamicallyFindPatients=Ou kapab tou chèche pasyan yo pou fizyone, pa non oswa id +coreapps.mergePatients.success=Dosye yo fizyone! Gade pasyan ou vle a. +coreapps.mergePatients.error.samePatient=Ou dwe chwazi dosye de pasyan ki diferan +coreapps.mergePatients.confirmationQuestion=Chwazi dosye ou vle a. +coreapps.mergePatients.confirmationSubtext=Fizyoneman an pa ka defèt! +coreapps.mergePatients.checkRecords = Silvouplè verifye dosye yo avan ou kontinye. +coreapps.mergePatients.choosePreferred.question=Chwazi dosye prefere pou pasyan an +coreapps.mergePatients.choosePreferred.description=Tout done yo (Nimewo Idantifikasyon malad yo, Nimewo Idantifikasyon Dosye Papye yo, vizit yo, randevou yo, preskripsyon yo) pral fè yon sèl nan dosye ou pi renmen an. +coreapps.mergePatients.allDataWillBeCombined=Tout done (vizit, rankont, obsevasyon, komand, elatriye) pral mete ansanm nan yon sèl dosye. +coreapps.mergePatients.overlappingVisitsWillBeJoined=Dosye sa yo gen vizit ki kwaze -- vizit sa yo pral mete ansanm. +coreapps.mergePatients.performMerge=Fè Amalgamasyon +coreapps.mergePatients.section.names=Siyati, Non +coreapps.mergePatients.section.demographics=Enfòmasyon demografik +coreapps.mergePatients.section.primaryIdentifiers=Nimewo Idantifikasyon (yo) +coreapps.mergePatients.section.extraIdentifiers=Idantifikatè adisyonèl (yo) +coreapps.mergePatients.section.addresses=Adrès (yo) +coreapps.mergePatients.section.lastSeen=Denye fwa nou we li +coreapps.mergePatients.section.activeVisit=Vizit Aktiv +coreapps.mergePatients.section.dataSummary=Vizit yo +coreapps.mergePatients.section.dataSummary.numVisits={0} vizit (yo) +coreapps.mergePatients.section.dataSummary.numEncounters={0} rankont (yo) +coreapps.mergePatients.patientNotFound=Sistèm nan pat jwenn pasyan an +coreapps.mergePatients.unknownPatient.message=Eske w vle amalgame dosye tanpore a nan dosye pèmanan an? +coreapps.mergePatients.unknownPatient.error=Pa kapab amalgame yon dosye pèmanan nan yon dosye enkoni +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Amalgame yon lot Dosye Pasyan + +coreapps.testPatient.registration = Anrejistre yon pasyan pou teste sistèm nan + +coreapps.searchPatientHeading=Chèche yon pasyan (eskane kat la, pa Nimewo Idantifikasyon oubyen Non li) +coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Premye +coreapps.search.previous=Presedan +coreapps.search.next=Suivan +coreapps.search.last=Dènye +coreapps.search.noMatchesFound=Nou pat ka jwenn okenn dosye ki koreponn +coreapps.search.noData=Pa gen done ki disponib +coreapps.search.identifier=Idantifikatè +coreapps.search.name=Non +coreapps.search.info=Montre _START_ a _END_ nan _TOTAL_ antre +coreapps.search.label.recent=Resan +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Te gen yon erè pandan nou tap chache pasyan yo + +coreapps.findPatient.which.heading=Ki pasyan? +coreapps.findPatient.allPatients=Tout Pasyan +coreapps.findPatient.search=Chache +# coreapps.findPatient.registerPatient.label=Register a Patient + +coreapps.activeVisits.title=Vizit Aktiv +coreapps.activeVisits.checkIn=Tcheke +coreapps.activeVisits.lastSeen=Dènye fwa yon founisè swejn te konsilte l +coreapps.activeVisits.alreadyExists=Pasyan sa a deja gen yon vizit aktiv + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Tcheke +coreapps.retrospectiveCheckin.location.label=Zòn +coreapps.retrospectiveCheckin.checkinDate.label=Dat ou tcheke a +coreapps.retrospectiveCheckin.checkinDate.day.label=Jou +coreapps.retrospectiveCheckin.checkinDate.month.label=Mwa +coreapps.retrospectiveCheckin.checkinDate.year.label=Ane +coreapps.retrospectiveCheckin.checkinDate.hour.label=È +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minit +coreapps.retrospectiveCheckin.paymentReason.label=Rezon +coreapps.retrospectiveCheckin.paymentAmount.label=Kantite +coreapps.retrospectiveCheckin.receiptNumber.label=Nimewo Resi +coreapps.retrospectiveCheckin.success=Anrejistreman fini +coreapps.retrospectiveCheckin.visitType.label=Tip de Vizit + +coreapps.formValidation.messages.requiredField=Espas sa pa dwe rete vid +coreapps.formValidation.messages.requiredField.label=obligatwa +coreapps.formValidation.messages.dateField=Ou dwe bay yon dat ki valid +coreapps.formValidation.messages.integerField=Li dwe yon nonb antye +coreapps.formValidation.messages.numberField=Li dwe yon chif +coreapps.formValidation.messages.numericRangeLow={0} pou pi piti +coreapps.formValidation.messages.numericRangeHigh={0} pou pi plis + +coreapps.simpleFormUi.confirm.question=Konfime soumisyon an? +coreapps.simpleFormUi.confirm.title=Konfime +coreapps.simpleFormUi.error.emptyForm=Silvouplè mete pou pi piti yon obsèvasyon + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=liv +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Nòt Konsiltasyon +coreapps.ed.consult.title=Nòt Ijans +coreapps.consult.addDiagnosis=Ajoute dyagnostik prezime osinon konfime (obligatwa): +coreapps.consult.addDiagnosis.placeholder=Chwazi dyagnostik primè yo avan, apre sa chwazi dyagnostik segondè yo. +coreapps.consult.freeTextComments=Nòt Klinik +coreapps.consult.primaryDiagnosis=Dyagnostik primè +coreapps.consult.primaryDiagnosis.notChosen=Yo pa chwazi li +coreapps.consult.secondaryDiagnoses=Dyagnostik segondè +coreapps.consult.secondaryDiagnoses.notChosen=Okenn +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Pa gen kòd +coreapps.consult.synonymFor=alyas +coreapps.consult.successMessage=Nòt Konsiltasyon an anrejistre pou {0} +coreapps.ed.consult.successMessage=Nòt Ijans sovgade pou {0} +coreapps.consult.disposition=Dispozisyon +coreapps.consult.trauma.choose=Chwazi tip twoma +coreapps.consult.priorDiagnoses.add=Dyagnostik ki avan yo. + +coreapps.encounterDiagnoses.error.primaryRequired=Pou pi piti, dwe gen yon dyagnostik primè + +coreapps.visit.createQuickVisit.title=Kòmanse yon vizit +coreapps.visit.createQuickVisit.successMessage={0} te kòmanse yon vizit + +coreapps.deletePatient.title=Efase Pasyan: {0} + +coreapps.Diagnosis.Order.PRIMARY=Primè +coreapps.Diagnosis.Order.SECONDARY=Segondè + +coreapps.Diagnosis.Certainty.CONFIRMED=Konfime +coreapps.Diagnosis.Certainty.PRESUMED=Prezime + +coreapps.editHtmlForm.breadcrumb=Korije: {0} +coreapps.editHtmlForm.successMessage=te mete {0} pou {1} + +coreapps.clinicianfacing.radiology=Radyoloji +coreapps.clinicianfacing.notes=Nòt +coreapps.clinicianfacing.surgery=Chiriji +coreapps.clinicianfacing.showMoreInfo=Montre plis enfòmasyon +coreapps.clinicianfacing.visits=Vizit yo +coreapps.clinicianfacing.recentVisits=Vizit Ki Resan +coreapps.clinicianfacing.allergies=Alèji +coreapps.clinicianfacing.prescribedMedication=Medikaman Preskri +coreapps.clinicianfacing.vitals=Siy Vito +coreapps.clinicianfacing.diagnosis=Dyagnostik +coreapps.clinicianfacing.diagnoses=Dyagnostik yo +coreapps.clinicianfacing.inpatient=Pasyon Entène +coreapps.clinicianfacing.outpatient=Pasyan Ekstèn +coreapps.clinicianfacing.recordVitals=Anrejistre Siy Vito Yo +coreapps.clinicianfacing.writeConsultNote=Ekri Nòt Konsiltasyon an +coreapps.clinicianfacing.writeEdNote=Ekri Nòt Ijans +coreapps.clinicianfacing.orderXray=Komande Radyografi +coreapps.clinicianfacing.orderCTScan=Komande Eskanè CT +coreapps.clinicianfacing.writeSurgeryNote=Ekri Nòt Chirijikal +coreapps.clinicianfacing.requestPaperRecord=Mande Dosye Papye +coreapps.clinicianfacing.printCardLabel=Enprime Etikèt Pou Kat +coreapps.clinicianfacing.printChartLabel=Enprime Etikèt Pou Dosye +coreapps.clinicianfacing.lastVitalsDateLabel=Dènye Siy Vito: {0} +coreapps.clinicianfacing.active=Aktif +coreapps.clinicianfacing.activeVisitActions=Aksyon Vizit Aktyèl Yo +coreapps.clinicianfacing.overallActions=Aksyon Jeneral Yo +coreapps.clinicianfacing.noneRecorded=Okenn + +coreapps.vitals.confirmPatientQuestion=Eske se pasyan sa a ou bezwen an? +coreapps.vitals.confirm.yes=Wi, anrejistre Siy Vito yo +coreapps.vitals.confirm.no=Non, chèche yon lòt pasyan +coreapps.vitals.vitalsThisVisit=Ògàn vital ki anrejistre pandan vizit sa a +coreapps.vitals.when=Kilè +coreapps.vitals.where=Kote +coreapps.vitals.enteredBy=Te antre pa +coreapps.vitals.minutesAgo=depi {0} minit +coreapps.vitals.noVisit=Yo dwe tcheke pasyan sa a avan nou anrejistre siy vito li yo. Voye pasyan an nan gichè kote pou yo tcheke l' la souple. +coreapps.vitals.noVisit.findAnotherPatient=Chache yon lòt pasyan + +coreapps.noAccess=Kont itilizatè ou a pa gen privilèj oblije wè paj sa a + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Vizit Ki Resan +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_hy.properties b/api/bin/src/main/resources/messages_hy.properties new file mode 100644 index 000000000..9268f2353 --- /dev/null +++ b/api/bin/src/main/resources/messages_hy.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +# coreapps.findPatient.result.view=View +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +# coreapps.gender=Gender +# coreapps.gender.M=Male +# coreapps.gender.F=Female +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +# coreapps.cancel=Cancel +# coreapps.return=Return +# coreapps.delete=Delete +# coreapps.okay=Okay +# coreapps.view=View +# coreapps.edit=Edit +# coreapps.add=Add +# coreapps.save=Save +# coreapps.next=Next +# coreapps.continue=Continue +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +# coreapps.no=No +# coreapps.yes=Yes +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +# coreapps.by=by +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +# coreapps.location=Location +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +# coreapps.actions=Actions + +# coreapps.birthdate=Birthdate +# coreapps.age=Age +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +# coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +# coreapps.patientDashBoard.date=Date +# coreapps.patientDashBoard.startTime=Start Time +# coreapps.patientDashBoard.location=Location +# coreapps.patientDashBoard.time=Time +# coreapps.patientDashBoard.type=Type +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +# coreapps.person.name=Name +# coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +# coreapps.printer.name=Name +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +# coreapps.printer.type=Type +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +# coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +# coreapps.user.username=Username +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +# coreapps.user.password=Password +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +# coreapps.user.secretQuestion=Secret Question +# coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +# coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +# coreapps.search.first=First +# coreapps.search.previous=Previous +# coreapps.search.next=Next +# coreapps.search.last=Last +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +# coreapps.search.identifier=Identifier +# coreapps.search.name=Name +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +# coreapps.retrospectiveCheckin.location.label=Location +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +# coreapps.retrospectiveCheckin.paymentReason.label=Reason +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_id_ID.properties b/api/bin/src/main/resources/messages_id_ID.properties new file mode 100644 index 000000000..622c6469d --- /dev/null +++ b/api/bin/src/main/resources/messages_id_ID.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Modul Inti Apps +coreapps.patientDashboard.description=Dasbor Aplikasi Pasien +coreapps.patientDashboard.extension.visits.description=Aksi Kunjungan +coreapps.patientDashboard.actionsForInactiveVisit=Perhatian! Aksi ini adalah untuk kunjungan yang telah lalu: +coreapps.patientDashboard.extension.actions.description=Aksi Pasien Umum + +coreapps.activeVisits.app.label=Kunjungan Aktif +coreapps.activeVisits.app.description=Daftar pasien yang aktif berkunjung + +coreapps.findPatient.app.label=Temukan Rekam Data Pasien +coreapps.findPatient.search.placeholder=Cari berdasarkan ID atau Nama +coreapps.findPatient.search.button=Cari +coreapps.findPatient.result.view=Lihat +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=telah digunakan +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=tidak lulus validasi +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=harus dalam format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Tanggal Mulai +coreapps.stopDate.label=Tanggal akhir + +coreapps.retrospectiveVisit.changeDate.label=Ubah Tanggal +coreapps.retrospectiveVisit.addedVisitMessage=Kunjungan lalu berhasil ditambah +coreapps.retrospectiveVisit.conflictingVisitMessage=Tanggal yang anda pilih bertentangan dengan kunjungan lain. Klik untuk menavigasi kunjungan: + +coreapps.task.createRetrospectiveVisit.label=Tambah Kunjungan Lalu +coreapps.task.editVisitDate.label=Edit Tanggal +coreapps.editVisitDate.visitSavedMessage=Tanggal kunjungan berhasil diperbarui +coreapps.task.deleteVisit.label=Hapus kunjungan +coreapps.task.deleteVisit.notAllowed=Pengguna tidak memiliki izin untuk menghapus kunjungan +coreapps.task.deleteVisit.successMessage=Kunjungan telah dihapus +coreapps.task.deleteVisit.message=Apakah anda yakin ingin menghapus kunjungan ini? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=Kunjungan Berakhir +coreapps.task.endVisit.notAllowed=Pengguna tidak memiliki izin untuk mengakhiri kunjungan +coreapps.task.endVisit.successMessage=Kunjungan telah selesai +coreapps.task.endVisit.message=Apakah anda yakin ingin mengakhiri kunjungan ini? + +coreapps.task.mergeVisits.label=Gabung kunjungan +coreapps.task.mergeVisits.instructions=Pilih kunjungan yang ingin anda gabungkan bersama. (Kunjungan harus berurutan) +coreapps.task.mergeVisits.mergeSelectedVisits=Gabung Pilihan Kunjungan +coreapps.task.mergeVisits.success=Kunjungan berhasil digabung +coreapps.task.mergeVisits.error=Gagal menggabungkan kunjungan + +coreapps.task.deletePatient.label=Hapus Pasien +coreapps.task.deletePatient.notAllowed=Pengguna tidak memiliki izin untuk menghapus pasien +coreapps.task.deletePatient.deletePatientSuccessful=Pasien telah berhasil dihapus +coreapps.task.deletePatient.deleteMessageEmpty=Alasan tidak dapat kosong +coreapps.task.deletePatient.deletePatientUnsuccessful=Gagal untuk menghapus pasien + +coreapps.task.relationships.label=Relasi +coreapps.relationships.add.header=Tambah {0} +coreapps.relationships.add.choose=Pilih {0} +coreapps.relationships.add.confirm=Konfirmasi relasi baru: +coreapps.relationships.add.thisPatient=(pasien ini) +coreapps.relationships.delete.header=Hapus relasi +coreapps.relationships.delete.title=Hapus relasi ini? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Pengelolaan Data +coreapps.dataManagement.codeDiagnosis.title=Kode diagnosa +coreapps.dataManagement.codeDiagnosis.success=Diagnosa telah berhasil dikode +coreapps.dataManagement.codeDiagnosis.failure=Gagal mengkode diagnosa +coreapps.dataManagement.replaceNonCoded=Ganti diagnosa non-kode dari {1} untuk pasien {2} +coreapps.dataManagement.searchCoded=Ketik kode diagnosa + +coreapps.logout=Keluar + +coreapps.merge=Gabung +coreapps.gender=Jenis Kelamin +coreapps.gender.M=Laki - Laki +coreapps.gender.F=Perempuan +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Jenis Kelamin Tidak Diketahui +coreapps.confirm=Konfirmasi +coreapps.cancel=Batal +coreapps.return=Kembali +coreapps.delete=Hapus +coreapps.okay=Okay +# coreapps.view=View +coreapps.edit=Edit +coreapps.add=Penambahan +coreapps.save=Simpan +coreapps.next=Berikutnya +coreapps.continue=Lanjutkan +coreapps.none=Tidak ada +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Tidak +coreapps.yes=Ya +coreapps.optional=Pilihan +coreapps.noCancel=Tidak, batalkan +coreapps.yesContinue=Ya, lanjutkan +coreapps.by=oleh +coreapps.in=di +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Pasien +coreapps.location=Lokasi +coreapps.time=Waktu +coreapps.general=Umum + +coreapps.chooseOne=pilih salah satu + +coreapps.actions=Aksi + +coreapps.birthdate=Tanggal Lahir +coreapps.age=Usia +coreapps.ageYears={0} tahun +coreapps.ageMonths={0} bulan +coreapps.ageDays={0} hari +coreapps.unknownAge=umur tidak diketahui + +coreapps.app.archivesRoom.label=Arsip +coreapps.app.findPatient.label=Cari Pasien +coreapps.app.activeVisits.label=Kunjungan Aktif +coreapps.app.systemAdministration.label=Sistem Administrasi +coreapps.app.dataManagement.label=Manajemen Data +coreapps.app.retrospectiveCheckin.label=Retrospektif Cek-Masuk +coreapps.app.dataArchives.label=Data-Arsip +coreapps.app.sysAdmin.label=SysAdmin +coreapps.app.clinical.label=Klinis +coreapps.app.system.administration.myAccount.label=Akun Saya +coreapps.app.inpatients.label=Pasien Rawat Inap +coreapps.app.system.administration.label=Sistem Administrasi + +coreapps.app.awaitingAdmission.name = Menunggu Daftar Penerimaan +coreapps.app.awaitingAdmission.label=Menunggu Pendaftaran +coreapps.app.awaitingAdmission.title=Pasien Menunggu Pendaftaran +coreapps.app.awaitingAdmission.filterByAdmittedTo=Saring berdasarkan dari Admisi Ke Ruang Inap +coreapps.app.awaitingAdmission.filterByCurrent=Saring berdasarkan Ruang Inap Sekarang +coreapps.app.awaitingAdmission.admitPatient=Pasien Admisi +coreapps.app.awaitingAdmission.diagnosis=Diagnosa +coreapps.app.awaitingAdmission.patientCount=Total Jumlah Pasien +coreapps.app.awaitingAdmission.currentWard=Ruang Inap Sekarang +coreapps.app.awaitingAdmission.admissionLocation=Admisi Ke Ruang Inap +coreapps.app.awaitingAdmission.provider=Penyedia Layanan + +coreapps.task.startVisit.label=Kunjungan Mulai +coreapps.task.startVisit.message=Apakah anda yakin ingin memulai kunjungan untuk {0} sekarang? +coreapps.task.deletePatient.message=Apakah anda yakin ingin HAPUS pasien {0} +coreapps.task.retrospectiveCheckin.label=Retrospektif Cek-Masuk +coreapps.task.accountManagement.label=Kelola Akun +coreapps.task.enterHtmlForm.label.default=Form: {0} +coreapps.task.enterHtmlForm.successMessage=Masuk {0} untuk {1} +coreapps.task.requestPaperRecord.label=Permintaan Kertas Rekam Medis +coreapps.task.printIdCardLabel.label=Cetak Label Kartu +coreapps.task.printPaperRecordLabel.label=Cetak Label Grafik +coreapps.task.myAccount.changePassword.label = Ubah Katasandi + +coreapps.error.systemError=Terjadi kesalahan yang tidak diduga. Segera hubungi Administrator Sistem anda. +coreapps.error.foundValidationErrors=Terjadi masalah pada data yang anda masukkan, silahkan cek bidang yang disorot + +coreapps.emrContext.sessionLocation=Lokasi{0} +coreapps.activeVisit= Kunjungan Aktif +coreapps.activeVisit.time= Bermula dari {0} +coreapps.visitDetails=Bermula dari {0} - Berakhir pada {1} +coreapps.visitDetailsLink=Lihat detil kunjungan +coreapps.activeVisitAtLocation=Kunjungan Aktif dari: {0} + +coreapps.noActiveVisit=Tidak ada kunjungan aktif +coreapps.noActiveVisit.description=Pasien ini tidak di dalam kunjungan aktif. Jika pasien yang hadir sekarang, anda dapat memulai sebagai kunjungan baru. Jika anda ingin melihat atau mengedit detil dari kunjungan sebelumnya, pilih salah satu dari daftar sampai ke kiri. + +coreapps.deadPatient = Pasien telah meninggal - {0} - {1} +coreapps.deadPatient.description=Pasien telah meninggal. Jika anda ingin melihat atau mengedit detil dari kunjungan sebelumnya, pilih kunjungan dari daftar sampai ke kiri. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=dari {0} +coreapps.onDatetime=pada {0} + +coreapps.inpatients.title=Pasien Rawat Inap Saat Ini +coreapps.inpatients.firstAdmitted=Admisi Pertama +coreapps.inpatients.currentWard=Ruangan Saat Ini +coreapps.inpatients.patientCount=Jumlah Total Pasien +coreapps.inpatients.filterByCurrentWard=Saring berdasarkan ruang inap sekarang: + +coreapps.archivesRoom.surname.label=Nama keluarga +coreapps.archivesRoom.newRecords.label=Cetak Rekam Data Baru +coreapps.archivesRoom.existingRecords.label=Cari Rekam Data +coreapps.archivesRoom.returnRecords.label=Kembali Rekam Data +coreapps.archivesRoom.requestedBy.label=Kirim ke +coreapps.archivesRoom.requestedAt.label=Diminta pada +coreapps.archivesRoom.pullRequests.label=Tarik Antrian Rekam Data +coreapps.archivesRoom.newRequests.label=Antrian Rekam Data Baru +coreapps.archivesRoom.recordsToMerge.done.label=Selesai Gabung +coreapps.archivesRoom.assignedPullRequests.label=Dalam penelusuran +coreapps.archivesRoom.assignedCreateRequests.label=Rekam Data sedang dibuat +coreapps.archivesRoom.mergingRecords.label=Gabung Kertas Rekam Data +coreapps.archivesRoom.pullSelected=Tarik +coreapps.archivesRoom.printSelected=Cetak +coreapps.archivesRoom.sendingRecords.label=Mengirim rekam data +coreapps.archivesRoom.returningRecords.label=Mengembalikan rekam data +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Pindai kartu atau masukkan Pasien ID. Cth: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=Berkas ID +coreapps.archivesRoom.recordsToMerge.label=Rekam data untuk digabung +coreapps.archivesRoom.reprint = Cetak Ulang +coreapps.archivesRoom.selectRecords.label=Pilih pasien untuk dicetak +coreapps.archivesRoom.printRecords.label=Klik cetak rekam data +coreapps.archivesRoom.sendRecords.label=Pindai rekam data untuk dikirim +coreapps.archivesRoom.selectRecordsPull.label=Pilih rekam data untuk ditarik +coreapps.archivesRoom.clickRecordsPull.label=Klik untuk menarik rekam data +coreapps.archivesRoom.cancelRequest.title=Batalkan Permintaan Kertas Rekam Data +coreapps.archivesRoom.printedLabel.message=Cetak label untuk rekam data {0} +coreapps.archivesRoom.createRequests.message=Label telah dicetak. Buat rekam data yang telah dipilih +coreapps.archivesRoom.pullRequests.message=Label telah dicetak. Temukan rekam data yang telah dipilih +coreapps.archivesRoom.recordReturned.message=Rekam data kembali! +coreapps.archivesRoom.pleaseConfirmCancel.message=Apakah anda yakin untuk menghapus permintaan dari antrian? +coreapps.archivesRoom.at=dari +coreapps.archivesRoom.sentTo=dikirim ke +coreapps.archivesRoom.cancel=Batal +coreapps.archivesRoom.error.unableToAssignRecords=Tidak dapat memakai rekam data yang dipilih +coreapps.archivesRoom.error.paperRecordNotRequested=Rekam data {0} tidak diminta +coreapps.archivesRoom.error.paperRecordAlreadySent=Rekam data {0} telah dikirim ke {1} dengan {2} +coreapps.archivesRoom.error.unableToPrintLabel=Tidak dapat mencetak label. Silahkan periksa apakah anda telah log-in pada lokasi yang tepat. Jika kesalahan tetap terjadi, segera hubungi administrator sistem anda. +coreapps.archivesRoom.error.noPaperRecordExists=Tidak ada kertas rekam data dengan identifikasi tersebut + +coreapps.systemAdministration=Sistem Administrasi +coreapps.myAccount = Akun Saya +coreapps.myAccount.changePassword = Ubah Katasandi +coreapps.createAccount=Buat Akun +coreapps.editAccount=Edit Akun +coreapps.account.saved=Penyimpanan akun berhasil + + +coreapps.account.details = Detil Akun Pengguna +coreapps.account.oldPassword = Kata sandi Lama +coreapps.account.newPassword = Kata sandi Baru +coreapps.account.changePassword.fail = Terjadi kesalahan pada saat mencoba merubah kata sandi anda. Kata sandi anda yang lama masih berlaku. Silahkan, coba kembali +coreapps.account.changePassword.success = Kata sandi berhasil diperbarui. +coreapps.account.changePassword.oldPassword.required = Kata sandi lama tidak muncul sebagai yang sah +coreapps.account.changePassword.newPassword.required = Kata sandi baru harus memiliki paling sedikit 8 karakter +coreapps.account.changePassword.newAndConfirmPassword.required = Kata Sandi Baru dan Konfirmasi diperlukan +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Dua bidang tidak sama, silahkan periksa dan coba kembali + +coreapps.account.error.save.fail=Gagal untuk menyimpan rincian akun +coreapps.account.requiredFields=Harus membuat antara pengguna atau penyedia +coreapps.account.error.passwordDontMatch=Kata sandi tidak sesuai +coreapps.account.error.passwordError= Format kata sandi salah. +coreapps.account.passwordFormat=Format, paling tidak: 8 karakter +coreapps.account.locked.title=Akun Terkunci +coreapps.account.locked.description=Akun ini dikunci untuk beberapa menit, karena seseorang memasukkan kata sandi yang salah berkali-kali. Biasanya ini terjadi karena pengguna salah ketik atau lupa kata sandi, tetapi kami mengunci akun jikalau seseorang yang jahat mencoba masuk ke akun tersebut. +coreapps.account.locked.button=Buka Kunci Akun +coreapps.account.unlocked.successMessage=Akun Tidak Dikunci +coreapps.account.unlock.failedMessage=Gagal untuk membuka kunci akun +coreapps.account.providerRole.label=Tipe Penyedia +coreapps.account.providerIdentifier.label=Identitas Penyedia + +coreapps.patient.identifier=ID Pasien +coreapps.patient.paperRecordIdentifier=ID Berkas +coreapps.patient.identifier.add=Penambahan +coreapps.patient.identifier.type=Jenis Identifikasi +coreapps.patient.identifier.value=Nilai Identifikasi +coreapps.patient.temporaryRecord =Rekam data sementara ini adalah untuk pasien yang tidak teridentifikasi +coreapps.patient.notFound=Pasien tidak ditemukan + +coreapps.patientHeader.name = nama +coreapps.patientHeader.givenname=nama +coreapps.patientHeader.familyname=nama keluarga +coreapps.patientHeader.patientId = ID Pasien +coreapps.patientHeader.showcontactinfo=Tampil Kontak Info +coreapps.patientHeader.hidecontactinfo=Sembunyi Kontak Info +coreapps.patientHeader.activeVisit.at=Kunjungan Aktif - {0} +coreapps.patientHeader.activeVisit.inpatient=Pasien Rawat Inap di {0} +coreapps.patientHeader.activeVisit.outpatient=Pasien Rawat Jalan + +coreapps.patientDashBoard.visits=Kunjungan +coreapps.patientDashBoard.noVisits= Belum ada kunjungan. +coreapps.patientDashBoard.noDiagnosis= Belum ada diagnosa. +coreapps.patientDashBoard.activeSince= aktif sejak +coreapps.patientDashBoard.contactinfo=Kontak Informasi +coreapps.patientDashBoard.date=Tanggal +coreapps.patientDashBoard.startTime=Waktu Mulai +coreapps.patientDashBoard.location=Lokasi +coreapps.patientDashBoard.time=Waktu +coreapps.patientDashBoard.type=Tipe +coreapps.patientDashBoard.showDetails=tampilkan rincian +coreapps.patientDashBoard.hideDetails=sembunyikan rincian +coreapps.patientDashBoard.order = Pesan +coreapps.patientDashBoard.provider=Penyedia Layanan +coreapps.patientDashBoard.visitDetails=Rincian Kunjungan +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Pertemuan +coreapps.patientDashBoard.actions=Aksi +coreapps.patientDashBoard.accessionNumber=Nomor Aksesi +coreapps.patientDashBoard.orderNumber=Nomor Pesanan +coreapps.patientDashBoard.requestPaperRecord.title=Permintaan Kertas Rekam Data +coreapps.patientDashBoard.editPatientIdentifier.title=Edit Idenditas Pasien +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Identitas Pasien telah disimpan +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Tidak ada nilai baru untuk disimpan +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Gagal menyimpan Identitas Pasien. Silahkan periksa dan coba kembali. +coreapps.patientDashBoard.deleteEncounter.title=Hapus Pertemuan +coreapps.patientDashBoard.deleteEncounter.message=Apakah anda yakin ingin menghapus pertemuan ini dari kunjungan? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Pengguna tidak memiliki izin untuk menghapus pertemuan +coreapps.patientDashBoard.deleteEncounter.successMessage=Pertemuan telah dihapus +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Mohon konfirmasi kalau anda ingin kertas rekam data pasien ini dikirim kepada anda: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Permintaan Kertas Rekam Data Dikirim +coreapps.patientDashBoard.noAccess=Anda tidak memiliki hak akses untuk melihat dasbor pasien + +coreapps.patientDashBoard.createDossier.title=Buat berkas pasien +coreapps.patientDashBoard.createDossier.where=Dimana anda ingin berkas pasien dibuat? +coreapps.patientDashBoard.createDossier.successMessage=Nomor berkas berhasil dibuat + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Diagnosa Primer +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Diagnosa Sekunder +coreapps.patientDashBoard.printLabels.successMessage=Label berhasil dicetak pada lokasi: + +coreapps.deletedPatient.breadcrumbLabel=Pasien telah dihapus +coreapps.deletedPatient.title=Pasien ini telah dihapus +coreapps.deletedPatient.description=Hubungi administrator sistem jika ini kesalahan + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Rincian Orang +coreapps.person.givenName=Nama Depan +coreapps.person.familyName=Nama keluarga +coreapps.person.name=Nama +coreapps.person.address=Alamat +coreapps.person.telephoneNumber=Nomor Telepon + +coreapps.printer.managePrinters=Mengatur Pencetak +coreapps.printer.defaultPrinters=Konfigurasi Pencetak Utama +coreapps.printer.add=Tambah pencetak baru +coreapps.printer.edit=Edit Pencetak +coreapps.printer.name=Nama +coreapps.printer.ipAddress=Alamat IP +coreapps.printer.port=Port +coreapps.printer.type=Tipe +coreapps.printer.physicalLocation=Lokasi Fisik +coreapps.printer.ID_CARD=ID kartu +coreapps.printer.LABEL=Label +coreapps.printer.saved=Simpan pencetak berhasil +coreapps.printer.defaultUpdate=Simpan pencetak utama {0} untuk {1} +coreapps.printer.error.defaultUpdate=Terjadi kesalahan ketika memperbarui pencetak utama +coreapps.printer.error.save.fail=Gagal menyimpan pencetak +coreapps.printer.error.nameTooLong=Nama harus kurang dari 256 karakter +coreapps.printer.error.ipAddressTooLong=Alamat IP harus 50 karakter atau kurang +coreapps.printer.error.ipAddressInvalid=Alamat IP tidak sah +coreapps.printer.error.ipAddressInUse=Alamat IP telah digunakan untuk pencetak lain +coreapps.printer.error.portInvalid=Port tidak sah +coreapps.printer.error.nameDuplicate=Pencetak lain telah menggunakan nama ini +coreapps.printer.defaultPrinterTable.loginLocation.label=Lokasi Login +coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Kartu Nama Pencetak (Lokasi) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Nama Pencetak (Lokasi) +coreapps.printer.defaultPrinterTable.emptyOption.label=Tidak ada + +coreapps.provider.details=Rincian Penyedia +coreapps.provider.interactsWithPatients=Interaksi dengan pasien (Klinis atau administratif) +coreapps.provider.identifier=Identitas +coreapps.provider.createProviderAccount=Buat Akun Penyedia +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Akun Rincian Pengguna +coreapps.user.username=Nama Pengguna +coreapps.user.username.error=Nama Pengguna tidak sah. Harus antara 2 sampai 50 karakter. Hanya huruf, angka, ".", "-", dan "_" yang diperbolehkan. +coreapps.user.password=Kata Sandi +coreapps.user.confirmPassword=Konfiramsi Kata Sandi +coreapps.user.Capabilities=Peran +coreapps.user.Capabilities.required=Peran adalah wajib. Pilih paling tidak satu +coreapps.user.enabled=Diaktifkan +coreapps.user.privilegeLevel=Tingkatan Hak Akses +coreapps.user.createUserAccount=Buat Akun Pengguna +coreapps.user.changeUserPassword=Ganti Kata Sandi Pengguna +coreapps.user.secretQuestion=Pertanyaan Rahasia +coreapps.user.secretAnswer=Jawaban Rahasia +coreapps.user.secretAnswer.required=Jawaban rahasia diperlukan ketika anda membuat pertanyaan +coreapps.user.defaultLocale=Bahasa Lokal +coreapps.user.duplicateUsername=Username yang telah dipilih sudah digunakan +coreapps.user.duplicateProviderIdentifier=Identitas penyedia yang telah dipilih sudah digunakan + +coreapps.mergePatientsLong=Gabung Rekam Data Elektronik Pasien +coreapps.mergePatientsShort=Gabung Pasien +coreapps.mergePatients.selectTwo=Pilih dua pasien untuk digabung... +coreapps.mergePatients.enterIds=Silahkan memasukkan ID Pasien dari dua rekam data elektronik untuk digabung +coreapps.mergePatients.chooseFirstLabel=ID Pasien +coreapps.mergePatients.chooseSecondLabel=ID Pasien +coreapps.mergePatients.dynamicallyFindPatients=Anda dapat mencari pasien untuk digabung secara dinamik, menggunakan nama atau id +coreapps.mergePatients.success=Rekam data digabung! Lihat pasien pilihan. +coreapps.mergePatients.error.samePatient=Anda harus memilih dua rekam data pasien yang berbeda +coreapps.mergePatients.confirmationQuestion=Pilih rekam data pilihan. +coreapps.mergePatients.confirmationSubtext=Penggabungan tidak dapat dilakukan! +coreapps.mergePatients.checkRecords = Silahkan periksa rekam data sebelum melanjutkan. +coreapps.mergePatients.choosePreferred.question=Pilih rekam data pasien pilihan +coreapps.mergePatients.choosePreferred.description=Semua data (ID Pasien, ID Kertas Rekam Data, kunjungan, pertemuan, pesanan) akan digabung menjadi rekam data pilihan +coreapps.mergePatients.allDataWillBeCombined=Semua data (kunjungan, pertemuan, observasi, pesanan, dll) akan dikombinasi menjadi satu rekam data. +coreapps.mergePatients.overlappingVisitsWillBeJoined=Rekam data ini memliki kunjungan yang bertimpa-maka kunjungan tersebut akan digabung bersama. +coreapps.mergePatients.performMerge=Melakukan Penggabungan +coreapps.mergePatients.section.names=Nama Keluarga, Nama Depan +coreapps.mergePatients.section.demographics=Demografi +coreapps.mergePatients.section.primaryIdentifiers=Identitas +coreapps.mergePatients.section.extraIdentifiers=Pengenal Tambahan +coreapps.mergePatients.section.addresses=Alamat +coreapps.mergePatients.section.lastSeen=Terakhir Dilihat +coreapps.mergePatients.section.activeVisit=Kunjungan Aktif +coreapps.mergePatients.section.dataSummary=Kunjungan +coreapps.mergePatients.section.dataSummary.numVisits={0} kunjungan +coreapps.mergePatients.section.dataSummary.numEncounters={0} ditemukan +coreapps.mergePatients.patientNotFound=Pasien tidak ditemukan +coreapps.mergePatients.unknownPatient.message=Apakah anda ingin menggabungkan rekam data sementara kedalam rekam data permanen? +coreapps.mergePatients.unknownPatient.error=Tidak dapat menggabungkan rekam data permanen kedalam data yang tidak dikenal +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Gabung ke Rekam Data Pasien lain + +coreapps.testPatient.registration = Daftar tes pasien + +coreapps.searchPatientHeading=Cari untuk pasien (pindai kartu, secara ID atau nama): +coreapps.searchByNameOrIdOrScan=Cth: Y2A4G4 + +coreapps.search.first=Nama Depan +coreapps.search.previous=Sebelum +coreapps.search.next=Berikutnya +coreapps.search.last=Nama Belakang +coreapps.search.noMatchesFound=Tidak ada rekam data yang sama ditemukan +coreapps.search.noData=Tidak ada Data +coreapps.search.identifier=Identitas +coreapps.search.name=Nama +coreapps.search.info=Tampilkan _MULAI_ sampai _AKHIR_ dari _TOTAL_ masuk +coreapps.search.label.recent=Terbaru +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Terjadi kesalahan ketika mencari pasien + +coreapps.findPatient.which.heading=Pasien yang mana? +coreapps.findPatient.allPatients=Semua Pasien +coreapps.findPatient.search=Cari +# coreapps.findPatient.registerPatient.label=Register a Patient + +coreapps.activeVisits.title=Kunjungan Aktif +coreapps.activeVisits.checkIn=Cek-masuk +coreapps.activeVisits.lastSeen=Terakhir dilihat +coreapps.activeVisits.alreadyExists=Pasien ini telah memiliki kunjungan aktif + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Cek-masuk +coreapps.retrospectiveCheckin.location.label=Lokasi +coreapps.retrospectiveCheckin.checkinDate.label=Tanggal Cek-masuk +coreapps.retrospectiveCheckin.checkinDate.day.label=Hari +coreapps.retrospectiveCheckin.checkinDate.month.label=Bulan +coreapps.retrospectiveCheckin.checkinDate.year.label=Tahun +coreapps.retrospectiveCheckin.checkinDate.hour.label=Jam +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Menit +coreapps.retrospectiveCheckin.paymentReason.label=Alasan +coreapps.retrospectiveCheckin.paymentAmount.label=Jumlah +coreapps.retrospectiveCheckin.receiptNumber.label=Nomor Struk +coreapps.retrospectiveCheckin.success=Cek-masuk rekam data +coreapps.retrospectiveCheckin.visitType.label=Tipe dari kunjungan + +coreapps.formValidation.messages.requiredField=Bidang ini tidak boleh kosong +coreapps.formValidation.messages.requiredField.label=wajib +coreapps.formValidation.messages.dateField=Anda perlu memberitahukan tanggal yang sah +coreapps.formValidation.messages.integerField=Harus dalam keseluruhan angka +coreapps.formValidation.messages.numberField=Harus dalam angka +coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +coreapps.formValidation.messages.numericRangeHigh=Maksimum: {0} + +coreapps.simpleFormUi.confirm.question=Konfirmasi pengajuan? +coreapps.simpleFormUi.confirm.title=Pasti +coreapps.simpleFormUi.error.emptyForm=Silahkan memasukkan paling tidak satu observasi + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Catatan Konsultasi +coreapps.ed.consult.title=Catatan ED +coreapps.consult.addDiagnosis=Tambah praduga atau kepastian diagnosa (wajib): +coreapps.consult.addDiagnosis.placeholder=Pilih diagnosa primer terlebih dahulu, kemudian diagnosa sekunder +coreapps.consult.freeTextComments=Catatan Klinis +coreapps.consult.primaryDiagnosis=Diagnosa Primer: +coreapps.consult.primaryDiagnosis.notChosen=Tidak dipilih +coreapps.consult.secondaryDiagnoses=Diagnosa Sekunder: +coreapps.consult.secondaryDiagnoses.notChosen=Tidak ada +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Non-Kode +coreapps.consult.synonymFor=alias +coreapps.consult.successMessage=Simpan Catatan Konsultasi untuk {0} +coreapps.ed.consult.successMessage=Simpan Catatan ED untuk {0} +coreapps.consult.disposition=Kesediaan +coreapps.consult.trauma.choose=Pilih jenis trauma +coreapps.consult.priorDiagnoses.add=Diagnosa Sebelumnya + +coreapps.encounterDiagnoses.error.primaryRequired=Paling sedikit satu diagnosa harus menjadi primer + +coreapps.visit.createQuickVisit.title=Mulai kunjungan +coreapps.visit.createQuickVisit.successMessage={0} mulai kunjungan + +coreapps.deletePatient.title=Hapus Pasien: {0} + +coreapps.Diagnosis.Order.PRIMARY=Primer +coreapps.Diagnosis.Order.SECONDARY=Sekunder + +coreapps.Diagnosis.Certainty.CONFIRMED=Telah Dikonfirmasi +coreapps.Diagnosis.Certainty.PRESUMED=Praduga + +coreapps.editHtmlForm.breadcrumb=Edit: {0} +coreapps.editHtmlForm.successMessage=Edit oleh {0} untuk {1} + +coreapps.clinicianfacing.radiology=Radiologi +coreapps.clinicianfacing.notes=Catatan +coreapps.clinicianfacing.surgery=Operasi +coreapps.clinicianfacing.showMoreInfo=Tampilkan info lebih lanjut +coreapps.clinicianfacing.visits=Kunjungan +coreapps.clinicianfacing.recentVisits=Kunjungan Baru +coreapps.clinicianfacing.allergies=Alergi +coreapps.clinicianfacing.prescribedMedication=Resep Obat +coreapps.clinicianfacing.vitals=Vital +coreapps.clinicianfacing.diagnosis=Diagnosa +coreapps.clinicianfacing.diagnoses=Mendiagnosa +coreapps.clinicianfacing.inpatient=Pasien Rawat Inap +coreapps.clinicianfacing.outpatient=Pasien Rawat Jalan +coreapps.clinicianfacing.recordVitals=Rekam Data Vital +coreapps.clinicianfacing.writeConsultNote=Tulis Catatan Konsultasi +coreapps.clinicianfacing.writeEdNote=Tulis Catatan ED +coreapps.clinicianfacing.orderXray=Pesan X-Ray +coreapps.clinicianfacing.orderCTScan=Pesan CT Scan +coreapps.clinicianfacing.writeSurgeryNote=Tulis Catatan Operasi +coreapps.clinicianfacing.requestPaperRecord=Permintaan Kertas Rekam Data +coreapps.clinicianfacing.printCardLabel=Cetak Label Kartu +coreapps.clinicianfacing.printChartLabel=Cetak Label Grafik +coreapps.clinicianfacing.lastVitalsDateLabel=Vital Terakhir: {0} +coreapps.clinicianfacing.active=Aktif +coreapps.clinicianfacing.activeVisitActions=Aksi Kunjungan Sekarang +coreapps.clinicianfacing.overallActions=Aksi Umum +coreapps.clinicianfacing.noneRecorded=Tidak ada + +coreapps.vitals.confirmPatientQuestion=Apakah ini pasien yang benar? +coreapps.vitals.confirm.yes=Ya, Rekam Data Vital +coreapps.vitals.confirm.no=Tidak, Temukan Pasien Lain +coreapps.vitals.vitalsThisVisit=Rekam data vital telah dilakukan pada kunjungan ini +coreapps.vitals.when=Kapan +coreapps.vitals.where=Dimana +coreapps.vitals.enteredBy=Dimasukkan oleh +coreapps.vitals.minutesAgo={0} menit yang lalu +coreapps.vitals.noVisit=Pasien harus cek-masuk terlebih dahulu sebelum rekam data vital dilakukan. Kirim pasien ke konter cek-masuk. +coreapps.vitals.noVisit.findAnotherPatient=Temukan Pasien Lain + +coreapps.noAccess=Akun pengguna anda tidak memiliki hak akses untuk melihat halaman ini + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Kunjungan Baru +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_it.properties b/api/bin/src/main/resources/messages_it.properties new file mode 100644 index 000000000..2bb1cbe9d --- /dev/null +++ b/api/bin/src/main/resources/messages_it.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=Cerca +coreapps.findPatient.result.view=Vista +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +coreapps.task.relationships.label=Relazioni +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +coreapps.gender=Sesso +coreapps.gender.M=Maschio +coreapps.gender.F=Femmina +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +coreapps.cancel=Cancella +# coreapps.return=Return +coreapps.delete=Elimina +# coreapps.okay=Okay +# coreapps.view=View +coreapps.edit=Modifica +coreapps.add=Aggiungi +coreapps.save=Salva +coreapps.next=Successivo +coreapps.continue=Continua +coreapps.none=Nessuno +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +# coreapps.no=No +coreapps.yes=Si +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +coreapps.by=da +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Paziente +coreapps.location=Localita' +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +coreapps.actions=Azioni + +coreapps.birthdate=Data di nascita +coreapps.age=Eta' +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=Fornitore + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=a +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Cancella +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = Vecchia Password +coreapps.account.newPassword = Nuova Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Aggiungi +coreapps.patient.identifier.type=tipo di identificatore +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +coreapps.patientDashBoard.date=Data +# coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=Localita' +# coreapps.patientDashBoard.time=Time +coreapps.patientDashBoard.type=Tipo +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +coreapps.patientDashBoard.order = Ordine +coreapps.patientDashBoard.provider=Fornitore +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Visite +coreapps.patientDashBoard.actions=Azioni +coreapps.patientDashBoard.accessionNumber=Numero di adesione +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +coreapps.person.name=Nome +coreapps.person.address=Indirizzo +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=Nome +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=Tipo +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=Nessuno + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=Identificatore +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Nome utente +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Password +coreapps.user.confirmPassword=Conferma la password +coreapps.user.Capabilities=Ruoli +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Domanda segreta +coreapps.user.secretAnswer=Risposta Segreta +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +coreapps.user.defaultLocale=Locale predefinito +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=Demografia +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Primo +coreapps.search.previous=Precedente +coreapps.search.next=Successivo +# coreapps.search.last=Last +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +coreapps.search.identifier=Identificatore +coreapps.search.name=Nome +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=Cerca +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Localita' +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=Motivo +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=Nessuno +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Allergie +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=Nessuno + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_ku.properties b/api/bin/src/main/resources/messages_ku.properties new file mode 100644 index 000000000..9268f2353 --- /dev/null +++ b/api/bin/src/main/resources/messages_ku.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +# coreapps.findPatient.result.view=View +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +# coreapps.gender=Gender +# coreapps.gender.M=Male +# coreapps.gender.F=Female +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +# coreapps.cancel=Cancel +# coreapps.return=Return +# coreapps.delete=Delete +# coreapps.okay=Okay +# coreapps.view=View +# coreapps.edit=Edit +# coreapps.add=Add +# coreapps.save=Save +# coreapps.next=Next +# coreapps.continue=Continue +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +# coreapps.no=No +# coreapps.yes=Yes +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +# coreapps.by=by +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +# coreapps.location=Location +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +# coreapps.actions=Actions + +# coreapps.birthdate=Birthdate +# coreapps.age=Age +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +# coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +# coreapps.patientDashBoard.date=Date +# coreapps.patientDashBoard.startTime=Start Time +# coreapps.patientDashBoard.location=Location +# coreapps.patientDashBoard.time=Time +# coreapps.patientDashBoard.type=Type +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +# coreapps.person.name=Name +# coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +# coreapps.printer.name=Name +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +# coreapps.printer.type=Type +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +# coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +# coreapps.user.username=Username +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +# coreapps.user.password=Password +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +# coreapps.user.secretQuestion=Secret Question +# coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +# coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +# coreapps.search.first=First +# coreapps.search.previous=Previous +# coreapps.search.next=Next +# coreapps.search.last=Last +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +# coreapps.search.identifier=Identifier +# coreapps.search.name=Name +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +# coreapps.retrospectiveCheckin.location.label=Location +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +# coreapps.retrospectiveCheckin.paymentReason.label=Reason +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_lt.properties b/api/bin/src/main/resources/messages_lt.properties new file mode 100644 index 000000000..f1eee14e4 --- /dev/null +++ b/api/bin/src/main/resources/messages_lt.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +# coreapps.findPatient.result.view=View +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Duomenų valdymas +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +coreapps.logout=Atsijungti + +# coreapps.merge=Merge +coreapps.gender=Lytis +coreapps.gender.M=Vyras +coreapps.gender.F=Moteris +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Lytis nežinoma +coreapps.confirm=Patvirtinti +coreapps.cancel=Atšaukti +# coreapps.return=Return +coreapps.delete=Ištrinti +coreapps.okay=Gerai +# coreapps.view=View +# coreapps.edit=Edit +coreapps.add=Pridėti +# coreapps.save=Save +coreapps.next=Kitas +# coreapps.continue=Continue +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Ne +coreapps.yes=Taip +# coreapps.optional=Optional +coreapps.noCancel=Ne, atšaukti +coreapps.yesContinue=Taip, tęsti +# coreapps.by=by +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +coreapps.location=Vieta +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +coreapps.actions=Veiksmai + +coreapps.birthdate=Gimimo data +coreapps.age=Amžius +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +coreapps.app.systemAdministration.label=Sistemos administravimas +coreapps.app.dataManagement.label=Duomenų valdymas +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +coreapps.app.system.administration.label=Sistemos administravimas + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +coreapps.task.accountManagement.label=Tvarkyti paskyras +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +coreapps.deadPatient = Pacientas yra miręs - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +coreapps.archivesRoom.surname.label=Pavardė +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Atšaukti +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +coreapps.systemAdministration=Sistemos administravimas +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +coreapps.createAccount=Sukurti paskyrą +coreapps.editAccount=Redaguoti paskyrą +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = Senas slaptažodis +coreapps.account.newPassword = Naujas slaptažodis +coreapps.account.changePassword.fail = Kažkas įvyko, bandant pakeisti jūsų slaptažodį. Jūsų senas slaptažodis vis dar galioja. Prašome bandyti dar kartą +coreapps.account.changePassword.success = Slaptažodis sėkmingai atnaujintas. +coreapps.account.changePassword.oldPassword.required = Atrodo, kad senas slaptažodis nėra teisingas +coreapps.account.changePassword.newPassword.required = Naujas slaptažodis privalo būti bent 8 simbolių +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +coreapps.account.error.passwordDontMatch=Slaptažodžiai nesutampa +coreapps.account.error.passwordError= Neteisingas slaptažodžio formatas +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +coreapps.patient.identifier=Paciento ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Pridėti +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +coreapps.patient.notFound=Pacientas nerastas + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +coreapps.patientHeader.familyname=pavardė +coreapps.patientHeader.patientId = Paciento ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +coreapps.patientDashBoard.contactinfo=Kontaktinė informacija +coreapps.patientDashBoard.date=Data +# coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=Vieta +# coreapps.patientDashBoard.time=Time +coreapps.patientDashBoard.type=Tipas +coreapps.patientDashBoard.showDetails=rodyti išsamesnę informaciją +coreapps.patientDashBoard.hideDetails=slėpti išsamesnę informaciją +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +coreapps.patientDashBoard.actions=Veiksmai +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +coreapps.person.givenName=Vardas +coreapps.person.familyName=Pavardė +coreapps.person.name=Vardas +coreapps.person.address=Adresas +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +coreapps.printer.add=Pridėti naują spausdintuvą +coreapps.printer.edit=Redaguoti spausdintuvą +coreapps.printer.name=Vardas +coreapps.printer.ipAddress=IP adresas +# coreapps.printer.port=Port +coreapps.printer.type=Tipas +coreapps.printer.physicalLocation=Fizinė vieta +# coreapps.printer.ID_CARD=ID card +coreapps.printer.LABEL=Etiketė +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +coreapps.printer.error.defaultUpdate=Atnaujinant numatytąjį spausdintuvą, įvyko klaida +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +coreapps.printer.error.ipAddressInvalid=IP adresas neteisingas +coreapps.printer.error.ipAddressInUse=IP adresas buvo priskirtas kitam spausdintuvui +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +# coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Naudotojo vardas +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Slaptažodis +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +coreapps.user.enabled=Įjungta +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Slaptas klausimas +coreapps.user.secretAnswer=Slaptas atsakymas +coreapps.user.secretAnswer.required=Slaptas atsakymas yra reikalingas, kai nurodote klausimą +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +coreapps.mergePatients.chooseFirstLabel=Paciento ID +coreapps.mergePatients.chooseSecondLabel=Paciento ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +coreapps.mergePatients.section.names=Pavardė, Vardas +coreapps.mergePatients.section.demographics=Demografija +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +coreapps.mergePatients.section.addresses=Adresas(-ai) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +coreapps.mergePatients.patientNotFound=Pacientas nerastas +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Pirmas +coreapps.search.previous=Ankstesnis +coreapps.search.next=Kitas +coreapps.search.last=Paskutinis +coreapps.search.noMatchesFound=Jokių atitinkančių įrašų nerasta +# coreapps.search.noData=No Data Available +# coreapps.search.identifier=Identifier +coreapps.search.name=Vardas +coreapps.search.info=Rodoma nuo _START_ iki _END_ iš _TOTAL_ įrašų +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Vieta +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=Diena +coreapps.retrospectiveCheckin.checkinDate.month.label=Mėnesis +coreapps.retrospectiveCheckin.checkinDate.year.label=Metai +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=Priežastis +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +coreapps.simpleFormUi.confirm.question=Patvirtinti pateikimą? +coreapps.simpleFormUi.confirm.title=Patvirtinti +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min. +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +coreapps.vitals.when=Kada +coreapps.vitals.where=Kur +# coreapps.vitals.enteredBy=Entered by +coreapps.vitals.minutesAgo=prieš {0} minutes(-čių) +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_pl.properties b/api/bin/src/main/resources/messages_pl.properties new file mode 100644 index 000000000..5dc544790 --- /dev/null +++ b/api/bin/src/main/resources/messages_pl.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Moduł głównej aplikacji +coreapps.patientDashboard.description=Aplikacja Panel pacjenta +coreapps.patientDashboard.extension.visits.description=Wizyty - zdarzenia +coreapps.patientDashboard.actionsForInactiveVisit=Uwaga! Te zdarzenia dotyczą wizyty z przeszłości: +coreapps.patientDashboard.extension.actions.description=Ogólne zdarzenia związane z pacjentem + +coreapps.activeVisits.app.label=Aktywne Wizyty +coreapps.activeVisits.app.description=Wyświetla pacjentów z aktywnymi wizytami + +coreapps.findPatient.app.label=Wyszukaj Kartę Pacjenta +coreapps.findPatient.search.placeholder=Wyszukaj po identyfikatorze lub nazwisku +coreapps.findPatient.search.button=Wyszukaj +coreapps.findPatient.result.view=Wyświetl +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=już użyte +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=nie przeszedł walidacji +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=musi być w formacie +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Data początkowa +coreapps.stopDate.label=Data końcowa + +coreapps.retrospectiveVisit.changeDate.label=Data zmiany +coreapps.retrospectiveVisit.addedVisitMessage=Odbyta wizyta została dodana. +coreapps.retrospectiveVisit.conflictingVisitMessage=Wybrana data koliduje z inną wizytą(ami). Kliknij, aby przejść do wizyty: + +coreapps.task.createRetrospectiveVisit.label=Dodaj odbytą wizytę +coreapps.task.editVisitDate.label=Edytuj datę +coreapps.editVisitDate.visitSavedMessage=Termin wizyty zaktualizowano pomyslnie +coreapps.task.deleteVisit.label=Usuń wizytę +coreapps.task.deleteVisit.notAllowed=Użytkownik nie ma uprawnień do usuwania wizyt +coreapps.task.deleteVisit.successMessage=Wizyta została usunięta +coreapps.task.deleteVisit.message=Na pewno chcesz usunąć tę wizytę? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=Zakończ wizytę +coreapps.task.endVisit.notAllowed=Użytkownik nie ma uprawnień do zakończenia wizyty +coreapps.task.endVisit.successMessage=Wizyta została zakończona +coreapps.task.endVisit.message=Na pewno zakończyć tę wizytę? + +coreapps.task.mergeVisits.label=Połącz wizyty +coreapps.task.mergeVisits.instructions=Wybierz wizyty do połączenia (muszą następować bezpośrednio po sobie). +coreapps.task.mergeVisits.mergeSelectedVisits=Połącz wybrane wizyty +coreapps.task.mergeVisits.success=Wizyty połaczono pomyślnie +coreapps.task.mergeVisits.error=Połączenie wizyt nieudane + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +coreapps.task.deletePatient.deleteMessageEmpty=Powód musi byc wprowadzony +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +coreapps.task.relationships.label=Relacje +coreapps.relationships.add.header=Dodaj {0} +coreapps.relationships.add.choose=Wybierz {0} +coreapps.relationships.add.confirm=Potwierdź nową relację: +coreapps.relationships.add.thisPatient=(ten pacjent) +coreapps.relationships.delete.header=Usuń relację +coreapps.relationships.delete.title=Usunąć tę relację? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Zarządzanie danymi +coreapps.dataManagement.codeDiagnosis.title=Kod rozpoznania +coreapps.dataManagement.codeDiagnosis.success=Kod rozpoznania wprowadzono poprawnie +coreapps.dataManagement.codeDiagnosis.failure=Błąd wprowadzania kodu rozpoznania +coreapps.dataManagement.replaceNonCoded=Zmień rozpoznanie bez kodu, {1}, u pacjenta {2}, na +coreapps.dataManagement.searchCoded=Wprowadź rozpoznanie z kodem + +coreapps.logout=Wyloguj + +coreapps.merge=Połącz +coreapps.gender=Płeć +coreapps.gender.M=Mężczyzna +coreapps.gender.F=Kobieta +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Nieznana płeć +coreapps.confirm=Potwierdź +coreapps.cancel=Anuluj +# coreapps.return=Return +coreapps.delete=Usuń +coreapps.okay=OK +# coreapps.view=View +coreapps.edit=Edytuj +coreapps.add=Dodaj +coreapps.save=Zapisz +coreapps.next=Następny +coreapps.continue=Kontynuuj +coreapps.none=Brak +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Nie +coreapps.yes=Tak +coreapps.optional=Opcja +coreapps.noCancel=Nie, anuluj +coreapps.yesContinue=Tak, kontynuuj +coreapps.by=przez +coreapps.in=w +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Pacjent +coreapps.location=Lokalizacja +coreapps.time=Czas +coreapps.general=Ogólne + +coreapps.chooseOne=wybierz jeden z + +coreapps.actions=Zdarzenia + +coreapps.birthdate=Data urodzenia +coreapps.age=Wiek +coreapps.ageYears={0} lat +coreapps.ageMonths={0} miesięcy +coreapps.ageDays={0} dni +coreapps.unknownAge=nieznany wiek + +coreapps.app.archivesRoom.label=Archiwum +coreapps.app.findPatient.label=Wyszukaj pacjenta +coreapps.app.activeVisits.label=Aktywne Wizyty +coreapps.app.systemAdministration.label=Administracja systemem +coreapps.app.dataManagement.label=Zarządzanie danymi +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +coreapps.app.dataArchives.label=Dane archiwalne +coreapps.app.sysAdmin.label=Aministrator +coreapps.app.clinical.label=Kliniczny +coreapps.app.system.administration.myAccount.label=Moje konto +coreapps.app.inpatients.label=Hospitalizowani +coreapps.app.system.administration.label=Administracja systemem + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +coreapps.app.awaitingAdmission.title=Pacjenci oczekujący na przyjęcie +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +coreapps.app.awaitingAdmission.admitPatient=Skieruj pacjenta +coreapps.app.awaitingAdmission.diagnosis=Rozpoznanie +coreapps.app.awaitingAdmission.patientCount=Całkowita liczba pacjentów +coreapps.app.awaitingAdmission.currentWard=Bieżący oddział +coreapps.app.awaitingAdmission.admissionLocation=Skieruj do oddziału +coreapps.app.awaitingAdmission.provider=Personel + +coreapps.task.startVisit.label=Rozpocznij wizytę +coreapps.task.startVisit.message=Na pewno chcesz teraz rozpocząć wizytę {0}? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +coreapps.task.accountManagement.label=Zarządzaj kontami +coreapps.task.enterHtmlForm.label.default=Formularz: {0} +coreapps.task.enterHtmlForm.successMessage=Wprowadzono {0} w {1} +coreapps.task.requestPaperRecord.label=Zażądaj karty papierowej +coreapps.task.printIdCardLabel.label=Wydrukuj etykietę karty +coreapps.task.printPaperRecordLabel.label=Wydrukuj etykietę wykresu +coreapps.task.myAccount.changePassword.label = Zmień hasło + +coreapps.error.systemError=Wystąpił nieoczekiwany błąd. Proszę skontaktować się z Administratorem systemu. +coreapps.error.foundValidationErrors=Wystąpił problem związany z wprowadzonymi danymi, prosze zweryfikować podświetlone pola. + +coreapps.emrContext.sessionLocation=Lokalizacja: {0} +coreapps.activeVisit= Aktywne wizyty +coreapps.activeVisit.time= Rozpoczęto o {0} +coreapps.visitDetails=Rozpoczęto o {0} - Zakończono o {1} +coreapps.visitDetailsLink=Wyświetl szczegóły tej wizyty +coreapps.activeVisitAtLocation=Aktywne wizyty od: {0} + +coreapps.noActiveVisit=Brak aktywnych wizyt +coreapps.noActiveVisit.description=Ten pacjent nie jest na aktywnej wizycie. Jeżeli jest obecny możesz rozpocząć nową wizytę. Jeżeli chcesz wyświetlić lub edytować poprzednie wizyty, wybierz jedną z listy po lewej stronie. + +coreapps.deadPatient = Ten pacjent zmarł - {0} - {1} +coreapps.deadPatient.description=Ten pacjent zmarł. Jeżeli chcesz wyświetlić lub edytować poprzednie wizyty, wybierz jedną z listy po lewej stronie. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=na {0} +coreapps.onDatetime=na {0} + +coreapps.inpatients.title=Aktualnie hospitalizowani +coreapps.inpatients.firstAdmitted=Przyjęty po raz pierwszy +coreapps.inpatients.currentWard=Bieżący oddział +coreapps.inpatients.patientCount=Całkowita liczba pacjentów +coreapps.inpatients.filterByCurrentWard=Filtruj według aktywnego oddziału: + +coreapps.archivesRoom.surname.label=Nazwisko +coreapps.archivesRoom.newRecords.label=Wydrukuj nową kartę +coreapps.archivesRoom.existingRecords.label=Wyszukaj kartę +coreapps.archivesRoom.returnRecords.label=Pokaż karty +coreapps.archivesRoom.requestedBy.label=Wyślij do +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +coreapps.archivesRoom.recordsToMerge.done.label=Połączenie zakończone +coreapps.archivesRoom.assignedPullRequests.label=W trakcie wyszukiwania +coreapps.archivesRoom.assignedCreateRequests.label=Karty zostały utworzone +coreapps.archivesRoom.mergingRecords.label=Połacz karty papierowe +coreapps.archivesRoom.pullSelected=Pobierz +coreapps.archivesRoom.printSelected=Drukuj +coreapps.archivesRoom.sendingRecords.label=Wysyłanie kart +coreapps.archivesRoom.returningRecords.label=Zwracanie kart +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Zeskanuj kartę lub wprowadź ID pacjenta. Przykład: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=ID teczki +coreapps.archivesRoom.recordsToMerge.label=Karty do połączenia +coreapps.archivesRoom.reprint = Wydrukuj ponownie +coreapps.archivesRoom.selectRecords.label=Wybierz karty do wydruku +coreapps.archivesRoom.printRecords.label=Kliknij żeby wydrukować karty +coreapps.archivesRoom.sendRecords.label=Zeskanuj karty do wysłania +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +coreapps.archivesRoom.cancelRequest.title=Anuluj zapotrzebowanie na karty papierowe +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +coreapps.archivesRoom.pullRequests.message=Etykiety wydrukowane. Znajdź wybrane karty +coreapps.archivesRoom.recordReturned.message=Kartoteki zostały wyszukane! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=w +coreapps.archivesRoom.sentTo=wysłane do +coreapps.archivesRoom.cancel=Anuluj +coreapps.archivesRoom.error.unableToAssignRecords=Nie można przypisać wybranych kartotek +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +coreapps.archivesRoom.error.paperRecordAlreadySent=Karta {0} została już wysłana do {1} w {2} +coreapps.archivesRoom.error.unableToPrintLabel=Nie można wydrukować etykiety. Proszę sprawdź czy jesteś zalogowany we właściwym miejscu. Jeśli błąd nadal występuje, skontaktuj się z administratorem. +coreapps.archivesRoom.error.noPaperRecordExists=Nie istnieje karta z takim identyfikatorem + +coreapps.systemAdministration=Administracja systemem +coreapps.myAccount = Moje konto +coreapps.myAccount.changePassword = Zmień hasło +coreapps.createAccount=Utwórz konto +coreapps.editAccount=Edytuj konto +coreapps.account.saved=Konto zapisane pomyslnie + + +coreapps.account.details = Szczegółowe dane użytkownika +coreapps.account.oldPassword = Stare hasło +coreapps.account.newPassword = Nowe hasło +coreapps.account.changePassword.fail = Nie udało się zmienić hasła. Twoje dotychczasowe hasło jest nadal ważne. Spróbuj ponownie. +coreapps.account.changePassword.success = Hasło zaktualizowano pomyślnie +coreapps.account.changePassword.oldPassword.required = Stare hasło jest nieprawidłowe +coreapps.account.changePassword.newPassword.required = Nowe hasło musi mieć co najmniej 8 znaków +coreapps.account.changePassword.newAndConfirmPassword.required = Nowe hasło wraz z potwierdzonym są wymagane +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Te dwa pola nie są równe, proszę sprawdzić ponownie + +coreapps.account.error.save.fail=Zapis szczegółów konta nieudany +coreapps.account.requiredFields=Musisz stworzyć uzytkownika lub dostawcę +coreapps.account.error.passwordDontMatch=Hasło nie pasuje +coreapps.account.error.passwordError= Nieprawidłowy format hasła. +coreapps.account.passwordFormat=Format: co najmniej 8 znaków. +coreapps.account.locked.title=Konto zablokowane +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +coreapps.account.locked.button=Odblokuj konto +coreapps.account.unlocked.successMessage=Kondo odblokowane +coreapps.account.unlock.failedMessage=Niepowodzenie odblokowania konta +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +coreapps.patient.identifier=ID pacjenta +coreapps.patient.paperRecordIdentifier=ID teczki +coreapps.patient.identifier.add=Dodaj +coreapps.patient.identifier.type=Typ identyfikatora +coreapps.patient.identifier.value=Wartość identyfikatora +coreapps.patient.temporaryRecord =To tymczasowy rekord niezidentyfikowanego pacjenta +coreapps.patient.notFound=Pacjent nie znaleziony + +coreapps.patientHeader.name = nazwisko +coreapps.patientHeader.givenname=nazwisko +coreapps.patientHeader.familyname=nazwisko +coreapps.patientHeader.patientId = ID pacjenta +coreapps.patientHeader.showcontactinfo=Wyświetl informacje o kontakcie +coreapps.patientHeader.hidecontactinfo=Ukryj informacje o kontakcie +coreapps.patientHeader.activeVisit.at=Aktywne wizyty - {0} +coreapps.patientHeader.activeVisit.inpatient=Hospitalizowany o {0} +coreapps.patientHeader.activeVisit.outpatient=Ambulatoryjny + +coreapps.patientDashBoard.visits=Wizyty +coreapps.patientDashBoard.noVisits= Jeszcze nie ma wizyt. +coreapps.patientDashBoard.noDiagnosis= Jeszcze nie ma rozpoznania. +coreapps.patientDashBoard.activeSince= aktywny od +coreapps.patientDashBoard.contactinfo=Dan kontaktowe +coreapps.patientDashBoard.date=Data +coreapps.patientDashBoard.startTime=Czas rozpoczecia +coreapps.patientDashBoard.location=Lokalizacja +coreapps.patientDashBoard.time=Czas +coreapps.patientDashBoard.type=Typ +coreapps.patientDashBoard.showDetails=pokaż szczegóły +coreapps.patientDashBoard.hideDetails=ukryj szczegóły +coreapps.patientDashBoard.order = Zlecenie +coreapps.patientDashBoard.provider=Personel +coreapps.patientDashBoard.visitDetails=Szczegóły wizyty +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Badania +coreapps.patientDashBoard.actions=Zdarzenia +coreapps.patientDashBoard.accessionNumber=Numer przyjęcia +coreapps.patientDashBoard.orderNumber=Numer zlecenia +coreapps.patientDashBoard.requestPaperRecord.title=Zażądaj karty papierowej +coreapps.patientDashBoard.editPatientIdentifier.title=Edytuj identyfikator pacjenta +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Identyfikator pacjenta zapisany +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Brak wartości do zapisania +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Zapis identyfikatora pacjenta zakończony niepowodzeniem. Proszę sprawdzic i spróbować ponownie. +coreapps.patientDashBoard.deleteEncounter.title=Usuń badanie +coreapps.patientDashBoard.deleteEncounter.message=Na pewno chcesz usunąć to badanie z wizyty? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Użytkownik nie ma uprawnień do usunięcia badania +coreapps.patientDashBoard.deleteEncounter.successMessage=Badanie zostało usunięte +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Rozpoznanie zasadnicze +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Rozpoznanie współistniejące +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +coreapps.person.givenName=Imię +coreapps.person.familyName=Nazwisko +coreapps.person.name=Nazwa +coreapps.person.address=Adres +coreapps.person.telephoneNumber=Numer telefonu + +coreapps.printer.managePrinters=Zarządzaj drukarkami +coreapps.printer.defaultPrinters=Konfiguruj domyślne drukarki +coreapps.printer.add=Dodaj drukarkę +coreapps.printer.edit=Edytuj drukarkę +coreapps.printer.name=Nazwa +coreapps.printer.ipAddress=Adres IP +coreapps.printer.port=Port +coreapps.printer.type=Typ +coreapps.printer.physicalLocation=Lokalizacja fizyczna +coreapps.printer.ID_CARD=Identyfikator +coreapps.printer.LABEL=Etykieta +coreapps.printer.saved=Zapisano drukarkę +coreapps.printer.defaultUpdate=Z +coreapps.printer.error.defaultUpdate=Błąd w ustawieniu drukarki domyslnej +coreapps.printer.error.save.fail=Nie zapisano drukarki +coreapps.printer.error.nameTooLong=Nazwa musi być krótsza niż 256 znaków +coreapps.printer.error.ipAddressTooLong=Adres IP musi mieć 50 lub mniej znaków +coreapps.printer.error.ipAddressInvalid=Nieprawidłowy adres IP +coreapps.printer.error.ipAddressInUse=Adres IP przypisany do innej drukarki +coreapps.printer.error.portInvalid=Nieprawidłowy port +coreapps.printer.error.nameDuplicate=Nazwa przypisana do innej drukarki +coreapps.printer.defaultPrinterTable.loginLocation.label=Lokalizacja logowania +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Nazwa drukarki identyfikatorów (Lokalizacja) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Nazwa drukarki etykiet (Lokalizacja) +coreapps.printer.defaultPrinterTable.emptyOption.label=Brak + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=Numer identyfikacyjny +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Szczegółowe dane użytkownika +coreapps.user.username=Nazwa użytkownika +coreapps.user.username.error=Nazwa użytkownika musi zawierać od 2 do 50 znaków. Dopuszczalne są litery, cyfry oraz znaki ".", "-" oraz "_". +coreapps.user.password=Hasło +coreapps.user.confirmPassword=Potwierdź hasło +coreapps.user.Capabilities=Role +coreapps.user.Capabilities.required=Role są wymagane, proszę wybrać przynajmniej jedną +coreapps.user.enabled=Włączone +coreapps.user.privilegeLevel=Poziom uprawnień +coreapps.user.createUserAccount=Utwórz konto użytkownika +coreapps.user.changeUserPassword=Zmień hasło użytkownika +coreapps.user.secretQuestion=Pytanie zabezpieczające +coreapps.user.secretAnswer=Odpowiedź na pytanie zabezpieczające +coreapps.user.secretAnswer.required=Odpowiedź jest wymagana, jeśli zostało wprowadzone pytanie zabezpieczające +coreapps.user.defaultLocale=Domyślne ustawienia językowe +coreapps.user.duplicateUsername=Wybrana nazwa użytkownika jest już używana +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +coreapps.mergePatientsLong=Połącz elektroniczne dane pacjenta +coreapps.mergePatientsShort=Połącz pacjenta +coreapps.mergePatients.selectTwo=Wybierz dwóch pacjentów do połączenia +coreapps.mergePatients.enterIds=Wprowaź identyfikatory pacjenta, obu łączonych rekordów +coreapps.mergePatients.chooseFirstLabel=ID pacjenta +coreapps.mergePatients.chooseSecondLabel=ID pacjenta +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +coreapps.mergePatients.choosePreferred.description=Wszystkie dane (ID pacjenta, ID dokumentacji papierowej, wizyty, badania, zlecenia) zostaną połączone w preferowany rekord. +coreapps.mergePatients.allDataWillBeCombined=Wszystkie dane (ID pacjenta, ID dokumentacji papierowej, wizyty, badania, zlecenia) zostaną połączone w jeden rekord. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +coreapps.mergePatients.section.names=Nazwisko, imię +coreapps.mergePatients.section.demographics=Dane demograficzne +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +coreapps.mergePatients.section.activeVisit=Aktywne wizyty +coreapps.mergePatients.section.dataSummary=Wizyty +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +coreapps.mergePatients.section.dataSummary.numEncounters={0} badania +coreapps.mergePatients.patientNotFound=Pacjent nie znaleziony +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +coreapps.searchPatientHeading=Wyszukaj pacjenta (zeskanuj kartę, podaj numer lub nazwisko) +coreapps.searchByNameOrIdOrScan=Na przykład: Y2A4G4 + +coreapps.search.first=Pierwszy +coreapps.search.previous=Poprzedni +coreapps.search.next=Następny +coreapps.search.last=Ostatni +coreapps.search.noMatchesFound=Nie znaleziono pasujących rekordów +coreapps.search.noData=Brak danych +coreapps.search.identifier=Numer identyfikacyjny +coreapps.search.name=Nazwa +coreapps.search.info=Wyświetlam od _START_ do _END_ z _TOTAL_ rekordów +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +coreapps.findPatient.allPatients=Wszyscy pacjenci +coreapps.findPatient.search=Wyszukaj +# coreapps.findPatient.registerPatient.label=Register a Patient + +coreapps.activeVisits.title=Aktywne Wizyty +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Lokalizacja +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=Dzień +coreapps.retrospectiveCheckin.checkinDate.month.label=Miesiąc +coreapps.retrospectiveCheckin.checkinDate.year.label=Rok +coreapps.retrospectiveCheckin.checkinDate.hour.label=Godzina +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minuty +coreapps.retrospectiveCheckin.paymentReason.label=Powód +coreapps.retrospectiveCheckin.paymentAmount.label=Ilość +coreapps.retrospectiveCheckin.receiptNumber.label=Numer recepty +# coreapps.retrospectiveCheckin.success=Check-In recorded +coreapps.retrospectiveCheckin.visitType.label=Typ wizyty + +# coreapps.formValidation.messages.requiredField=This field can't be blank +coreapps.formValidation.messages.requiredField.label=wymagane +coreapps.formValidation.messages.dateField=Wymagana prawidłowa data +coreapps.formValidation.messages.integerField=Wymagana liczba całkowita +coreapps.formValidation.messages.numberField=Wymagana liczba +coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +coreapps.formValidation.messages.numericRangeHigh=Maksimum: {0} + +coreapps.simpleFormUi.confirm.question=Potwierdzasz wprowadzenie? +coreapps.simpleFormUi.confirm.title=Potwierdź +coreapps.simpleFormUi.error.emptyForm=Proszę o wprowadzenie przynajmniej jednego symptomu + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +coreapps.consult.addDiagnosis=Wprowadź wstępne lub potwierdzone rozpoznania (wymagane): +coreapps.consult.addDiagnosis.placeholder=Wybierz rozpoznanie zasadniecze, nastepnie współistniejące +# coreapps.consult.freeTextComments=Clinical Note +coreapps.consult.primaryDiagnosis=Rozpoznanie zasadnicze: +coreapps.consult.primaryDiagnosis.notChosen=Nie wybrano +coreapps.consult.secondaryDiagnoses=Rozpoznania współistniejące: +coreapps.consult.secondaryDiagnoses.notChosen=Brak +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Brak kodu +coreapps.consult.synonymFor=pseudonim +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +coreapps.consult.priorDiagnoses.add=Wcześniejsze rozpoznania + +coreapps.encounterDiagnoses.error.primaryRequired=Przynajmniej jedno rozpoznanie musi być zasadnicze + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +coreapps.Diagnosis.Order.PRIMARY=Zasadnicze +coreapps.Diagnosis.Order.SECONDARY=Współistniejące + +coreapps.Diagnosis.Certainty.CONFIRMED=Potwierdzone +coreapps.Diagnosis.Certainty.PRESUMED=Wstępne + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +coreapps.editHtmlForm.successMessage=Edytowano {0} przez {1} + +coreapps.clinicianfacing.radiology=Radiologia +coreapps.clinicianfacing.notes=Notatki +coreapps.clinicianfacing.surgery=Chirurgia +coreapps.clinicianfacing.showMoreInfo=Pokaż więcej informacji +coreapps.clinicianfacing.visits=Wizyty +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Alergie +coreapps.clinicianfacing.prescribedMedication=Zapisane leki +coreapps.clinicianfacing.vitals=Dane życiowe +coreapps.clinicianfacing.diagnosis=Rozpoznanie +coreapps.clinicianfacing.diagnoses=Rozpoznania +coreapps.clinicianfacing.inpatient=Hospitalizowany +coreapps.clinicianfacing.outpatient=Ambulatoryjny +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +coreapps.clinicianfacing.orderXray=Zleć prześwietlenie rentgenowskie +coreapps.clinicianfacing.orderCTScan=Zleć tomografię komputerową +coreapps.clinicianfacing.writeSurgeryNote=Wypełnij notatkę chirurgiczną +coreapps.clinicianfacing.requestPaperRecord=Zażądaj karty papierowej +coreapps.clinicianfacing.printCardLabel=Wydrukuj etykietę karty +coreapps.clinicianfacing.printChartLabel=Wydrukuj etykietę wykresu +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Aktywny +coreapps.clinicianfacing.activeVisitActions=Zdarzenia związane z bieżącą wizytą +coreapps.clinicianfacing.overallActions=Ogólnie zdarzenia +coreapps.clinicianfacing.noneRecorded=Brak + +coreapps.vitals.confirmPatientQuestion=Czy to własciwy pacjent? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +coreapps.vitals.confirm.no=Nie, wyszukaj kolejnego pacjenta +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +coreapps.vitals.when=Kiedy +coreapps.vitals.where=Gdzie +coreapps.vitals.enteredBy=Wprowadzone przez +coreapps.vitals.minutesAgo={0} minut temu +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +coreapps.vitals.noVisit.findAnotherPatient=Wyszukaj kolejnego pacjenta + +coreapps.noAccess=Twoje konto nie posiada uprawnień do wyświetlenia tej strony + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_pt.properties b/api/bin/src/main/resources/messages_pt.properties new file mode 100644 index 000000000..4cd03e5e5 --- /dev/null +++ b/api/bin/src/main/resources/messages_pt.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Módulo do Aplicativo Básico +coreapps.patientDashboard.description=Aplicação de painel de paciente +coreapps.patientDashboard.extension.visits.description=Acções de Visita +coreapps.patientDashboard.actionsForInactiveVisit=Atenção! Essas acções são para uma visita passada: +coreapps.patientDashboard.extension.actions.description=Acções Gerais do Paciente + +coreapps.activeVisits.app.label=Visitas Activas +coreapps.activeVisits.app.description=Lista os pacientes que têm consultas ativas + +coreapps.findPatient.app.label=Encontre Registo de Paciente +coreapps.findPatient.search.placeholder=Pesquise por ID ou Nome +coreapps.findPatient.search.button=Pesquise +coreapps.findPatient.result.view=Ver +coreapps.age.months={0} Mês(ses) +coreapps.age.days={0} Dia(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=já está em uso +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=não passou na validação +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=deve estar no formato +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Data Inicial +coreapps.stopDate.label=Data Final + +coreapps.retrospectiveVisit.changeDate.label=Alterar Data +coreapps.retrospectiveVisit.addedVisitMessage=Visita passada adicionada com sucesso +coreapps.retrospectiveVisit.conflictingVisitMessage=A data selecionada é conflitante com outra(s) visita(s). Click para navegar para uma visita: + +coreapps.task.createRetrospectiveVisit.label=Adicionar Visita Passada +coreapps.task.editVisitDate.label=Editar Data +coreapps.editVisitDate.visitSavedMessage=Datas de visitas actualizadas com sucesso +coreapps.task.deleteVisit.label=Excluir visita +coreapps.task.deleteVisit.notAllowed=O utilizador não tem permissão para excluir visita +coreapps.task.deleteVisit.successMessage=Visita foi excluída +coreapps.task.deleteVisit.message=Deseja realmente excluir esta visita? + +coreapps.task.endVisit.warningMessage=Por favor termine todas as visitas antes de começar uma nova visita +coreapps.task.visitType.start.warning=Já existe(m) visita(s) ativa para {0} +coreapps.task.editVisit.label=Editar Visita +coreapps.task.visitType.label=Selecionar Tipo de Visita +coreapps.task.existingDate.label=Data de Existência +coreapps.visit.updateVisit.successMessage=Visita atualizada + +coreapps.task.endVisit.label=Finalizar Visita +coreapps.task.endVisit.notAllowed=Usuário não tem permissão para finalizar visita +coreapps.task.endVisit.successMessage=Visita finalizada +coreapps.task.endVisit.message=Você tem certeza que deseja finalizar esta visita? + +coreapps.task.mergeVisits.label=Unir Visitas +coreapps.task.mergeVisits.instructions=Selecione as visitas que deseja unir. (Elas precisam ser adjacentes) +coreapps.task.mergeVisits.mergeSelectedVisits=Unir Visitas Selecionadas +coreapps.task.mergeVisits.success=Visitas unidas com sucesso +coreapps.task.mergeVisits.error=Falha ao unir visitas + +coreapps.task.deletePatient.label=Eliminar Paciente +coreapps.task.deletePatient.notAllowed=O utilizador não tem permissão para eliminar o paciente +coreapps.task.deletePatient.deletePatientSuccessful=O paciente foi eliminado com sucesso +coreapps.task.deletePatient.deleteMessageEmpty=O motivo não pode estar em branco +coreapps.task.deletePatient.deletePatientUnsuccessful=Não foi possível eliminar o paciente + +coreapps.task.relationships.label=Relacionamentos +coreapps.relationships.add.header=Adicionar {0} +coreapps.relationships.add.choose=Escolha um(a) {0} +coreapps.relationships.add.confirm=Confirmar novo relacionamento: +coreapps.relationships.add.thisPatient=(este paciente) +coreapps.relationships.delete.header=Apagar relacionamento +coreapps.relationships.delete.title=Apagar este relacionamento? +# coreapps.relationships.find=Find + + +coreapps.dataManagement.title=Administração de Dados +coreapps.dataManagement.codeDiagnosis.title=Codificar diagnóstico +coreapps.dataManagement.codeDiagnosis.success=O diagnóstico foi codificado com sucesso +coreapps.dataManagement.codeDiagnosis.failure=Falha ao codificar o diagnóstico +coreapps.dataManagement.replaceNonCoded=Substituir diagnóstico não codificado {1} do(a) paciente {2} por +coreapps.dataManagement.searchCoded=Digite um diagnóstico codificado + +coreapps.logout=Sair + +coreapps.merge=Unir +coreapps.gender=Sexo +coreapps.gender.M=Masculino +coreapps.gender.F=Feminino +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Sexo Desconhecido +coreapps.confirm=Confirmar +coreapps.cancel=Cancelar +coreapps.return=Voltar +coreapps.delete=Apagar +coreapps.okay=Ok +coreapps.view=Ver +coreapps.edit=Editar +coreapps.add=Adicionar +coreapps.save=Gravar +coreapps.next=Seguinte +coreapps.continue=Continuar +coreapps.none=Nenhum +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Não +coreapps.yes=Sim +coreapps.optional=Opcional +coreapps.noCancel=Não, cancelar +coreapps.yesContinue=Sim, continue +coreapps.by=por +coreapps.in=em +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Paciente +coreapps.location=Localização +coreapps.time=Tempo +coreapps.general=Geral + +coreapps.chooseOne=escolhe um + +coreapps.actions=Acções + +coreapps.birthdate=Data de Nascimento +coreapps.age=Idade +coreapps.ageYears={0} ano(s) +coreapps.ageMonths={0} mês(es) +coreapps.ageDays={0} dia(s) +coreapps.unknownAge=idade desconhecida + +coreapps.app.archivesRoom.label=Arquivos +coreapps.app.findPatient.label=Procurar Paciente +coreapps.app.activeVisits.label=Visitas Activas +coreapps.app.systemAdministration.label=Administração do Sistema +coreapps.app.dataManagement.label=Administração de Dados +coreapps.app.retrospectiveCheckin.label=Check-In Retroativo +coreapps.app.dataArchives.label=Arquivo de Dados +coreapps.app.sysAdmin.label=SysAdmin +coreapps.app.clinical.label=Clínico +coreapps.app.system.administration.myAccount.label=Minha Conta +coreapps.app.inpatients.label=Impacientes +coreapps.app.system.administration.label=Administração do Sistema + +coreapps.app.awaitingAdmission.name = Aguardando Lista de Admissão +coreapps.app.awaitingAdmission.label=Aguardando Admissão +coreapps.app.awaitingAdmission.title=Pacientes Aguardando Admissão +coreapps.app.awaitingAdmission.filterByAdmittedTo=Filtrar por Admissão para Enfermaria +coreapps.app.awaitingAdmission.filterByCurrent=Filtrar por Pacientes na Enfermaria +coreapps.app.awaitingAdmission.admitPatient=Admitir Paciente +coreapps.app.awaitingAdmission.diagnosis=Diagnóstico +coreapps.app.awaitingAdmission.patientCount=Número Total de Pacientes +coreapps.app.awaitingAdmission.currentWard=Pacientes na Enfermaria +coreapps.app.awaitingAdmission.admissionLocation=Admissão para Enfermaria +coreapps.app.awaitingAdmission.provider=Provedor + +coreapps.task.startVisit.label=Iniciar Visita +coreapps.task.startVisit.message=Você tem certeza que deseja iniciar uma visita para {0} agora? +coreapps.task.deletePatient.message=Tem a certeza que quer ELIMINAR o paciente {0} +coreapps.task.retrospectiveCheckin.label=Check-In Retroativo +coreapps.task.accountManagement.label=Gerenciar Contas +coreapps.task.enterHtmlForm.label.default=Formulário: {0} +coreapps.task.enterHtmlForm.successMessage=Entrados {0} para {1} +coreapps.task.requestPaperRecord.label=Solicitar Registro em Papel +coreapps.task.printIdCardLabel.label=Imprimir Etiqueta de Cartão +coreapps.task.printPaperRecordLabel.label=Imprimir Etiqueta de Cartão +coreapps.task.myAccount.changePassword.label = Trocar Senha + +coreapps.error.systemError=Ocorreu um erro inesperado. Por favor contate o Administrador do Sistema. +coreapps.error.foundValidationErrors=Há um problema com os dados informados, por favor cheque o(s) campo(s) destacado(s) + +coreapps.emrContext.sessionLocation=Localização: {0} +coreapps.activeVisit= Visita Activa +coreapps.activeVisit.time= Iniciou em {0} +coreapps.visitDetails=Iniciou em {0} - Terminou em {1} +coreapps.visitDetailsLink=Visualizar detalhes da visita +coreapps.activeVisitAtLocation=Visita ativa em: {0} + +coreapps.noActiveVisit=Sem visitas ativas +coreapps.noActiveVisit.description=O paciente não está em um visita ativa. Se o paciente estiver presente, você pode iniciar uma nova visita. Se deseja visualizar ou editar detalhes de uma visita anterior, escolha uma visita a partir da lista à esquerda. + +coreapps.deadPatient = O paciente obitou - {0} - {1} +coreapps.deadPatient.description=O paciente obitou. Se deseja visualizar ou editar detalhes de uma visita anterior, escolha uma visita a partir da lista à esquerda. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +coreapps.atLocation=em {0} +coreapps.onDatetime=em {0} + +coreapps.inpatients.title=Pacientes Internados +coreapps.inpatients.firstAdmitted=Primeira Admissão +coreapps.inpatients.currentWard=Pacientes na Enfermaria +coreapps.inpatients.patientCount=Total de Pacientes +coreapps.inpatients.filterByCurrentWard=Filtrar por Pacientes na Enfermaria: + +coreapps.archivesRoom.surname.label=Sobrenome +coreapps.archivesRoom.newRecords.label=Imprimir Novo Registro +coreapps.archivesRoom.existingRecords.label=Encontre Registro +coreapps.archivesRoom.returnRecords.label=Devolver Registos +coreapps.archivesRoom.requestedBy.label=Enviar para +coreapps.archivesRoom.requestedAt.label=Requerido em +coreapps.archivesRoom.pullRequests.label=Puxar Fila de Registo +coreapps.archivesRoom.newRequests.label=Nova Fila de Registo +coreapps.archivesRoom.recordsToMerge.done.label=União Concluída +coreapps.archivesRoom.assignedPullRequests.label=Em pesquisa +coreapps.archivesRoom.assignedCreateRequests.label=Registros Sendo Criados +coreapps.archivesRoom.mergingRecords.label=Mesclar Registros em Papel +coreapps.archivesRoom.pullSelected=Extrair +coreapps.archivesRoom.printSelected=Imprimir +coreapps.archivesRoom.sendingRecords.label=Enviando registros +coreapps.archivesRoom.returningRecords.label=Retornando Registros +coreapps.archivesRoom.typeOrIdentifyBarCode.label=Escaneie um cartão ou entre com ID do Paciente. Ex: Y2A4G4 +coreapps.archivesRoom.recordNumber.label=Número de Prontuário +coreapps.archivesRoom.recordsToMerge.label=Registros para unir +coreapps.archivesRoom.reprint = Reimpressão +coreapps.archivesRoom.selectRecords.label=Selecione os registros para impressão +coreapps.archivesRoom.printRecords.label=Clique para imprimir registros +coreapps.archivesRoom.sendRecords.label=Escaneie registros para enviar +coreapps.archivesRoom.selectRecordsPull.label=Selecione os registos a serem extraídos +coreapps.archivesRoom.clickRecordsPull.label=Clique para extrair os registos +coreapps.archivesRoom.cancelRequest.title=Cancelar solicitação de prontuário físico +coreapps.archivesRoom.printedLabel.message=Imprimir etiqueta para registro {0} +coreapps.archivesRoom.createRequests.message=Etiquetas impressas. Criar registros selecionados +coreapps.archivesRoom.pullRequests.message=Etiquetas impressas. Procurar registro selecionados +coreapps.archivesRoom.recordReturned.message=Registro encontrado! +coreapps.archivesRoom.pleaseConfirmCancel.message=Tem certeza que deseja apagar este requerimento da fila? +coreapps.archivesRoom.at=em +coreapps.archivesRoom.sentTo=enviado para +coreapps.archivesRoom.cancel=Cancelar +coreapps.archivesRoom.error.unableToAssignRecords=Não foi possível atribuir os registro(s) selecionado(s) +coreapps.archivesRoom.error.paperRecordNotRequested=Registro {0} não foi solicitado +coreapps.archivesRoom.error.paperRecordAlreadySent=Registro {0} foi enviado para {1} em {2} +coreapps.archivesRoom.error.unableToPrintLabel=Erro de impressão. Por favor, verifique se você está logado no domínio. Se o erro persistir, contate o administrador do sistema. +coreapps.archivesRoom.error.noPaperRecordExists=Não há prontuário físico com esta identificação + +coreapps.systemAdministration=Administração do Sistema +coreapps.myAccount = Minha Conta +coreapps.myAccount.changePassword = Trocar Senha +coreapps.createAccount=Criar Conta +coreapps.editAccount=Editar Conta +coreapps.account.saved=Conta gravada com sucesso + + +coreapps.account.details = Detalhes da Conta de Usuário +coreapps.account.oldPassword = Antiga Senha +coreapps.account.newPassword = Nova Senha +coreapps.account.changePassword.fail = Algo deu errado ao trocar sua senha. Sua senha ainda é válida. Por favor, tente novamente +coreapps.account.changePassword.success = Senha atualizada com sucesso. +coreapps.account.changePassword.oldPassword.required = Antiga senha não parece ser válida +coreapps.account.changePassword.newPassword.required = A nova senha precisa ter pelo menos 8 caracteres +coreapps.account.changePassword.newAndConfirmPassword.required = A nova senha e sua confirmação são obrigatórias +coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = Os dois campos não correspondem, por favor verifique e tente novamente + +coreapps.account.error.save.fail=Falha ao gravar detalhes da conta +coreapps.account.requiredFields=É necessário criar usuário ou fornecedor +coreapps.account.error.passwordDontMatch=As senhas não correspondem +coreapps.account.error.passwordError= Formato da senha incorreto. +coreapps.account.passwordFormat=Formato, pelo menos: 8 caracteres +coreapps.account.locked.title=Conta Bloqueada +coreapps.account.locked.description=Esta conta está bloqueada por alguns minutos pois alguém tentou entrar uma senha errada muitas vezes. Isso geralmente significa que o usuário digitou uma senha errada ou esqueceu sua senha, mas nós bloqueamos a conta no caso de alguém com más intenções estar tentando invadir o sistema. +coreapps.account.locked.button=Desbloquear Conta +coreapps.account.unlocked.successMessage=Conta Desbloqueada +coreapps.account.unlock.failedMessage=Falha ao desbloquear conta +coreapps.account.providerRole.label=Tipo do Provedor +coreapps.account.providerIdentifier.label=Identificador do Provedor + +coreapps.patient.identifier=ID do Paciente +coreapps.patient.paperRecordIdentifier=Número de Prontuário +coreapps.patient.identifier.add=Adicionar +coreapps.patient.identifier.type=Tipo de Identificador +coreapps.patient.identifier.value=Valor do Identificador +coreapps.patient.temporaryRecord =Este é um registro temporário para um paciente sem identificação +coreapps.patient.notFound=Paciente não encontrado + +coreapps.patientHeader.name = nome +coreapps.patientHeader.givenname=nome +coreapps.patientHeader.familyname=sobrenome +coreapps.patientHeader.patientId = ID do Paciente +coreapps.patientHeader.showcontactinfo=Exibir Informações de Contacto +coreapps.patientHeader.hidecontactinfo=Ocultar Informações de Contacto +coreapps.patientHeader.activeVisit.at=Visita Ativa - {0} +coreapps.patientHeader.activeVisit.inpatient=Paciente hospitalizado em {0} +coreapps.patientHeader.activeVisit.outpatient=Ambulatório + +coreapps.patientDashBoard.visits=Visitas +coreapps.patientDashBoard.noVisits= Não há visitas. +coreapps.patientDashBoard.noDiagnosis= Não há diagnósticos. +coreapps.patientDashBoard.activeSince= ativo desde +coreapps.patientDashBoard.contactinfo=Informações de Contacto +coreapps.patientDashBoard.date=Data +coreapps.patientDashBoard.startTime=Tempo de Início +coreapps.patientDashBoard.location=Localização +coreapps.patientDashBoard.time=Tempo +coreapps.patientDashBoard.type=Tipo +coreapps.patientDashBoard.showDetails=mostrar detalhes +coreapps.patientDashBoard.hideDetails=ocultar detalhes +coreapps.patientDashBoard.order = Solicitação +coreapps.patientDashBoard.provider=Fornecedor +coreapps.patientDashBoard.visitDetails=Detalhes da Visita +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Consultas +coreapps.patientDashBoard.actions=Acção +coreapps.patientDashBoard.accessionNumber=Numero de Acesso +coreapps.patientDashBoard.orderNumber=Número de Requisição +coreapps.patientDashBoard.requestPaperRecord.title=Solicitar Registro em Papel +coreapps.patientDashBoard.editPatientIdentifier.title=Editar Identificador de Paciente +coreapps.patientDashBoard.editPatientIdentifier.successMessage=Identificador de Paciente gravado +coreapps.patientDashBoard.editPatientIdentifier.warningMessage=Não há valores novos para gravar +coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Falha ao gravar Identificador do Paciente. Por favor verifique e tente novamente. +coreapps.patientDashBoard.deleteEncounter.title=Apagar Consulta +coreapps.patientDashBoard.deleteEncounter.message=Deseja realmente excluir esta consulta desta visita? +coreapps.patientDashBoard.deleteEncounter.notAllowed=Usuário não tem permissão para apagar consulta +coreapps.patientDashBoard.deleteEncounter.successMessage=A Consulta foi apagada +coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Por favor, confirme se você deseja que o prontuário físico deste paciente seja enviado para você: +coreapps.patientDashBoard.requestPaperRecord.successMessage=Solicitação de prontuário físico enviada +coreapps.patientDashBoard.noAccess=Você não tem os privilégios necessários para visualizar o painel do paciente. + +coreapps.patientDashBoard.createDossier.title=Criar número de prontuário +coreapps.patientDashBoard.createDossier.where=Onde você gostaria de criar o prontuário do paciente? +coreapps.patientDashBoard.createDossier.successMessage=Número de prontuário criado com sucesso + +coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Diagnóstico Primário +coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Diagnóstico Secundário +coreapps.patientDashBoard.printLabels.successMessage=Etiquetas impressas com sucesso em: + +coreapps.deletedPatient.breadcrumbLabel=Paciente Apagado +coreapps.deletedPatient.title=Este paciente foi apagado. +coreapps.deletedPatient.description=Contate o administrador do sistema se isto for um erro + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +coreapps.person.details=Detalhes da Pessoa +coreapps.person.givenName=Primeiro Nome +coreapps.person.familyName=Sobrenome +coreapps.person.name=Nome +coreapps.person.address=Avenida/Rua/Casa +coreapps.person.telephoneNumber=Número de Telefone + +coreapps.printer.managePrinters=Administração de Impressoras +coreapps.printer.defaultPrinters=Configurar Impressoras Padrões +coreapps.printer.add=Adicionar nova impressora +coreapps.printer.edit=Editar Impressora +coreapps.printer.name=Nome +coreapps.printer.ipAddress=Endereço IP +coreapps.printer.port=Porta +coreapps.printer.type=Tipo +coreapps.printer.physicalLocation=Localização física +coreapps.printer.ID_CARD=Identidade +coreapps.printer.LABEL=Etiqueta +coreapps.printer.saved=Impressora gravada com sucesso +coreapps.printer.defaultUpdate=Gravada a impressora padrão {0} para {1} +coreapps.printer.error.defaultUpdate=Ocorreu um erro ao atualizar a impressora padrão +coreapps.printer.error.save.fail=Falha ao gravar impressora +coreapps.printer.error.nameTooLong=O nome precisa ter menos de 256 caracteres +coreapps.printer.error.ipAddressTooLong=Endereço IP precisa ter menos de 50 caracteres +coreapps.printer.error.ipAddressInvalid=Endereço IP inválido +coreapps.printer.error.ipAddressInUse=Este endereço IP está atribuído para outra impressora +coreapps.printer.error.portInvalid=Porta inválida +coreapps.printer.error.nameDuplicate=Outra impressora já possui este nome +coreapps.printer.defaultPrinterTable.loginLocation.label=Local de Login +coreapps.printer.defaultPrinterTable.idCardPrinter.label=Nome da Impressora de Cartões de Identidade (localização) +coreapps.printer.defaultPrinterTable.labelPrinter.label=Nome da Impressora de Etiquetas (localização) +coreapps.printer.defaultPrinterTable.emptyOption.label=Nenhum + +coreapps.provider.details=Detalhes do Fornecedor +coreapps.provider.interactsWithPatients=Interage com pacientes (Clinica ou administrativamente) +coreapps.provider.identifier=Identificador +coreapps.provider.createProviderAccount=Criar Conta para Fornecedor +# coreapps.provider.search=Search for a person(by name) + +coreapps.user.account.details=Detalhes da Conta de Usuário +coreapps.user.username=Sobrenome +coreapps.user.username.error=Nome do utilizador é inválido. Nome deve conter entre 2 a 50 caracteres. Somente letras, digitos, ".", "-", e "_" são permitidos. +coreapps.user.password=Senha +coreapps.user.confirmPassword=Confirmar a Senha +coreapps.user.Capabilities=Regras +coreapps.user.Capabilities.required=Regras são obrigatórias. Escolha ao menos uma +coreapps.user.enabled=Ativado +coreapps.user.privilegeLevel=Nível de Privilégio +coreapps.user.createUserAccount=Criar Conta de Usuário +coreapps.user.changeUserPassword=Trocar Senha de Usuário +coreapps.user.secretQuestion=Pergunta Secreta +coreapps.user.secretAnswer=Resposta Secreta +coreapps.user.secretAnswer.required=Uma resposta secreta é obrigatória quando há uma pergunta secreta definida +coreapps.user.defaultLocale=Região Padrão +coreapps.user.duplicateUsername=O nome de usuário já está em uso +coreapps.user.duplicateProviderIdentifier=O i + +coreapps.mergePatientsLong=Mesclar Registros de Pacientes +coreapps.mergePatientsShort=Mesclar Pacientes +coreapps.mergePatients.selectTwo=Selecione dois pacientes para unir +coreapps.mergePatients.enterIds=Por favor, digite o número de identificação do paciente para mesclar os dois registros. +coreapps.mergePatients.chooseFirstLabel=ID do Paciente +coreapps.mergePatients.chooseSecondLabel=ID do Paciente +coreapps.mergePatients.dynamicallyFindPatients=Você pode buscar de forma dinâmica pacientes para mesclar, por nome ou identidade +coreapps.mergePatients.success=Registros unidos! Visualizando paciente preferencial. +coreapps.mergePatients.error.samePatient=Você precisa escolher dois registros de pacientes diferentes +coreapps.mergePatients.confirmationQuestion=Selecione o registro preferido. +coreapps.mergePatients.confirmationSubtext=A união não pode ser desfeita! +coreapps.mergePatients.checkRecords = Por favor verifique os registros antes de continuar. +coreapps.mergePatients.choosePreferred.question=Escolha o registro de paciente preferido. +coreapps.mergePatients.choosePreferred.description=Todos os dados(IDs do Doente, Registo de IDS em Papel, visitas, encontros, ordens) serão integrados no registo preferido. +coreapps.mergePatients.allDataWillBeCombined=Todos os dados (visitas, encontros, observações, ordens) serão combinadas em apenas um registro. +coreapps.mergePatients.overlappingVisitsWillBeJoined=Estes registros têm visitas sobrepostas que serão mescladas. +coreapps.mergePatients.performMerge=Executar União +coreapps.mergePatients.section.names=Sobrenome, Primeiro Nome +coreapps.mergePatients.section.demographics=Demografia +coreapps.mergePatients.section.primaryIdentifiers=Identificador(es) +coreapps.mergePatients.section.extraIdentifiers=Identificador(es) Adicional(is) +coreapps.mergePatients.section.addresses=Endereço(s) +coreapps.mergePatients.section.lastSeen=Visto pela Última vez +coreapps.mergePatients.section.activeVisit=Visita Activa +coreapps.mergePatients.section.dataSummary=Visitas +coreapps.mergePatients.section.dataSummary.numVisits={0} visita(s) +coreapps.mergePatients.section.dataSummary.numEncounters={0} consulta(s) +coreapps.mergePatients.patientNotFound=Paciente não encontrado +coreapps.mergePatients.unknownPatient.message=Você quer unir o registro temporário com o registro permanente? +coreapps.mergePatients.unknownPatient.error=Não é possível unir um registro permanente com um desconhecido +coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Unir com outro Registro de Paciente + +coreapps.testPatient.registration = Cadastrar um paciente de teste + +coreapps.searchPatientHeading=Buscar um paciente (escaneie cartão, por ID ou nome): +coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Primeiro +coreapps.search.previous=Anterior +coreapps.search.next=Seguinte +coreapps.search.last=Último +coreapps.search.noMatchesFound=Nenhum registro correspondente foi encontrado +coreapps.search.noData=Não há Dados Disponíveis +coreapps.search.identifier=Identificador +coreapps.search.name=Nome +coreapps.search.info=A mostrar entradas _START_ até ao _END_ de _TOTAL_ +coreapps.search.label.recent=Recente +# coreapps.search.label.onlyInMpi=From MPI +coreapps.search.error=Ocorreu um erro ao buscar pacientes + +coreapps.findPatient.which.heading=Quais pacientes? +coreapps.findPatient.allPatients=Todos os Pacientes +coreapps.findPatient.search=Pesquise +# coreapps.findPatient.registerPatient.label=Register a Patient + +coreapps.activeVisits.title=Visitas Activas +coreapps.activeVisits.checkIn=Check-In +coreapps.activeVisits.lastSeen=Visto pela Última vez +coreapps.activeVisits.alreadyExists=Este paciente já possui uma visita activa. + +# used by legacy retro form +coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Localização +coreapps.retrospectiveCheckin.checkinDate.label=Data de Check-In +coreapps.retrospectiveCheckin.checkinDate.day.label=Dia +coreapps.retrospectiveCheckin.checkinDate.month.label=Mês +coreapps.retrospectiveCheckin.checkinDate.year.label=Ano +coreapps.retrospectiveCheckin.checkinDate.hour.label=Hora +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutos +coreapps.retrospectiveCheckin.paymentReason.label=Motivo +coreapps.retrospectiveCheckin.paymentAmount.label=Quantidade +coreapps.retrospectiveCheckin.receiptNumber.label=Número de Recibo +coreapps.retrospectiveCheckin.success=Check-in registrado +coreapps.retrospectiveCheckin.visitType.label=Tipo de visita + +coreapps.formValidation.messages.requiredField=Este campo não pode ser vazio. +coreapps.formValidation.messages.requiredField.label=obrigatório +coreapps.formValidation.messages.dateField=Informe uma data válida +coreapps.formValidation.messages.integerField=Precisa ser um número inteiro +coreapps.formValidation.messages.numberField=Precisa ser um número +coreapps.formValidation.messages.numericRangeLow=Mínimo: {0} +coreapps.formValidation.messages.numericRangeHigh=Máximo: {0} + +coreapps.simpleFormUi.confirm.question=Confirma a submissão? +coreapps.simpleFormUi.confirm.title=Confirmar +coreapps.simpleFormUi.error.emptyForm=Por favor entre com uma observação + +coreapps.units.meters=m +coreapps.units.centimeters=cm +coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/min +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +coreapps.units.lbs=lbs +coreapps.units.inches=pol + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +coreapps.clinic.consult.title=Nota de Consulta +coreapps.ed.consult.title=Nota do Dep. de Emergência +coreapps.consult.addDiagnosis=Adicionar diagnósticos suspeitos ou confirmados (obrigatório): +coreapps.consult.addDiagnosis.placeholder=Escolha um diagnóstico primário, e então os diagnósticos secundários +coreapps.consult.freeTextComments=Nota Clínica +coreapps.consult.primaryDiagnosis=Diagnóstico Primário: +coreapps.consult.primaryDiagnosis.notChosen=Não escolhido +coreapps.consult.secondaryDiagnoses=Diagnósticos Secundários: +coreapps.consult.secondaryDiagnoses.notChosen=Nenhum +# coreapps.consult.codedButNoCode={0} code unknown +coreapps.consult.nonCoded=Não-Codificado +coreapps.consult.synonymFor=a.k.a. +coreapps.consult.successMessage=Nota de Consulta Guardada para {0} +coreapps.ed.consult.successMessage=Nota do Dep. de Emergência guardada para {0} +coreapps.consult.disposition=Disposição +coreapps.consult.trauma.choose=Escolha um tipo de trauma +coreapps.consult.priorDiagnoses.add=Diagnósticos Anteriores + +coreapps.encounterDiagnoses.error.primaryRequired=Pelo menos um diagnóstico precisa ser primário + +coreapps.visit.createQuickVisit.title=Iniciar uma visita +coreapps.visit.createQuickVisit.successMessage={0} iniciou uma visita + +coreapps.deletePatient.title=Eliminar o Paciente: {0} + +coreapps.Diagnosis.Order.PRIMARY=Primário +coreapps.Diagnosis.Order.SECONDARY=Secundário + +coreapps.Diagnosis.Certainty.CONFIRMED=Confirmado +coreapps.Diagnosis.Certainty.PRESUMED=Suspeito + +coreapps.editHtmlForm.breadcrumb=Editar: {0} +coreapps.editHtmlForm.successMessage=Editado {0} para {1} + +coreapps.clinicianfacing.radiology=Radiologia +coreapps.clinicianfacing.notes=Notas +coreapps.clinicianfacing.surgery=Cirurgia +coreapps.clinicianfacing.showMoreInfo=Exibir mais informações +coreapps.clinicianfacing.visits=Visitas +coreapps.clinicianfacing.recentVisits=Visitas Recentes +coreapps.clinicianfacing.allergies=Alergias +coreapps.clinicianfacing.prescribedMedication=Medicamentos Prescritos +coreapps.clinicianfacing.vitals=Sinais Vitais +coreapps.clinicianfacing.diagnosis=Diagnóstico +coreapps.clinicianfacing.diagnoses=Diagnósticos +coreapps.clinicianfacing.inpatient=Paciente hospitalizado +coreapps.clinicianfacing.outpatient=Ambulatório +coreapps.clinicianfacing.recordVitals=Registrar Sinais Vitais +coreapps.clinicianfacing.writeConsultNote=Escrever Anotação de Consulta +coreapps.clinicianfacing.writeEdNote=Escrever Nota do Dep. de Emergência +coreapps.clinicianfacing.orderXray=Solicitar Raio-X +coreapps.clinicianfacing.orderCTScan=Solicitar CT-Scan +coreapps.clinicianfacing.writeSurgeryNote=Escrever Anotação de Cirurgia +coreapps.clinicianfacing.requestPaperRecord=Solicitar Registro em Papel +coreapps.clinicianfacing.printCardLabel=Imprimir Etiqueta de Cartão +coreapps.clinicianfacing.printChartLabel=Imprimir Etiqueta de Gráfico +coreapps.clinicianfacing.lastVitalsDateLabel=Últimos Sinais Vitais: {0} +coreapps.clinicianfacing.active=Ativo +coreapps.clinicianfacing.activeVisitActions=Ações de Visita Atuais +coreapps.clinicianfacing.overallActions=Ações Gerais +coreapps.clinicianfacing.noneRecorded=Nenhum + +coreapps.vitals.confirmPatientQuestion=Este é o paciente correto? +coreapps.vitals.confirm.yes=Sim, registrar Sinais Vitais +coreapps.vitals.confirm.no=Não, encontrar outro paciente +coreapps.vitals.vitalsThisVisit=Sinais Vitais aferidos nesta visita +coreapps.vitals.when=Quando +coreapps.vitals.where=Onde +coreapps.vitals.enteredBy=Registrada Por +coreapps.vitals.minutesAgo={0} minuto(s) atrás +coreapps.vitals.noVisit=Este paciente precisa fazer check-in antes de aferir seus sinais vistais. Por favor, envie o paciente para o balcão de check-in. +coreapps.vitals.noVisit.findAnotherPatient=Encontrar outro paciente + +coreapps.noAccess=Sua conta de usuário não tem privilégios para visualizar esta página. + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +coreapps.clinicianfacing.recentVisits=Visitas Recentes +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_ru.properties b/api/bin/src/main/resources/messages_ru.properties new file mode 100644 index 000000000..1ec655d4c --- /dev/null +++ b/api/bin/src/main/resources/messages_ru.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +coreapps.title=Модуль основных приложений +coreapps.patientDashboard.description=Панель пациента +coreapps.patientDashboard.extension.visits.description=Действия для визитов +coreapps.patientDashboard.actionsForInactiveVisit=Внимание! Следующие действия относятся к прошлому визиту: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +coreapps.activeVisits.app.label=Активные визиты +coreapps.activeVisits.app.description=Список пациентов с активными визитами + +coreapps.findPatient.app.label=Найти данные пациента +coreapps.findPatient.search.placeholder=Поиск по ID или имени +coreapps.findPatient.search.button=Поиск +coreapps.findPatient.result.view=Просмотр +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=уже используется +coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=не прошла проверку +coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=должен быть в формате +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=дата начала +coreapps.stopDate.label=дата окончания + +coreapps.retrospectiveVisit.changeDate.label=дата изменения +coreapps.retrospectiveVisit.addedVisitMessage=Визит задним числом успешно добавлен +coreapps.retrospectiveVisit.conflictingVisitMessage=Выбранные даты конфликтуют с другим(и) визитами. Кликните для перехода к визиту: + +coreapps.task.createRetrospectiveVisit.label=Добавить визит задним числом +coreapps.task.editVisitDate.label=Редактировать дату +coreapps.editVisitDate.visitSavedMessage=Даты визитов успешно обновлены +coreapps.task.deleteVisit.label=Удалить визит +coreapps.task.deleteVisit.notAllowed=У данного пользователя не хватает прав для удаления визита +coreapps.task.deleteVisit.successMessage=Визит удален +coreapps.task.deleteVisit.message=Вы уверены что хотите удалить этот визит? + +coreapps.task.endVisit.warningMessage=Пожалуйста, завершите все визиты перед началом нового +coreapps.task.visitType.start.warning=Уже существует активный визит(-ы) для {0} +coreapps.task.editVisit.label=Изменить визит +coreapps.task.visitType.label=Выберите тип визита +# coreapps.task.existingDate.label=Existing Date +coreapps.visit.updateVisit.successMessage=Обновленный визит + +coreapps.task.endVisit.label=Завершить визит +coreapps.task.endVisit.notAllowed=У данного пользователя не хватает прав для завершения визита +coreapps.task.endVisit.successMessage=Визит завершен +coreapps.task.endVisit.message=Вы уверены что хотите завершить этот визит? + +coreapps.task.mergeVisits.label=Объединить визиты +coreapps.task.mergeVisits.instructions=Выберите визиты, которые вы хотите объединить. (Они должны идти подряд) +coreapps.task.mergeVisits.mergeSelectedVisits=Объединить выбранные визиты +coreapps.task.mergeVisits.success=Визиты успешно объединены +coreapps.task.mergeVisits.error=Не удалось объединить визиты + +coreapps.task.deletePatient.label=Удалить пациента +coreapps.task.deletePatient.notAllowed=У пользователя нет возможности удалить пациента +coreapps.task.deletePatient.deletePatientSuccessful=Пациент был успешно удален +coreapps.task.deletePatient.deleteMessageEmpty=Причина не может быть пустой +coreapps.task.deletePatient.deletePatientUnsuccessful=Не удалось удалить пациента + +coreapps.task.relationships.label=Отношения +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +coreapps.relationships.add.confirm=Подтвердить новое отношение: +coreapps.relationships.add.thisPatient=(этот пациент) +coreapps.relationships.delete.header=Удалить отношение +coreapps.relationships.delete.title=Удалить это отношение? +coreapps.relationships.find=Найти + + +coreapps.dataManagement.title=Управление информацией +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +coreapps.logout=Выйти + +coreapps.merge=Объединить +coreapps.gender=Пол +coreapps.gender.M=Мужской +coreapps.gender.F=Женский +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +coreapps.gender.null=Неизвестный пол +coreapps.confirm=Подтвердить +coreapps.cancel=Отменить +coreapps.return=Вернуться +coreapps.delete=Удалить +coreapps.okay=Ок +coreapps.view=Просмотреть +coreapps.edit=Редактировать +coreapps.add=Добавить +coreapps.save=Сохранить +coreapps.next=Следующий +coreapps.continue=Продолжить +coreapps.none=Нисколько +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=Нет +coreapps.yes=Да +coreapps.optional=Необязательно +coreapps.noCancel=Нет, отменить +coreapps.yesContinue=Да, продолжить +# coreapps.by=by +coreapps.in=в +# coreapps.at=at +coreapps.on=на +coreapps.to=к +coreapps.date=Дата +coreapps.close=Закрыть +# coreapps.enroll=Enroll +# coreapps.present=Present +coreapps.showMore=показать больше +coreapps.showLess=показать меньше + +coreapps.patient=Пациент +coreapps.location=Расположение +coreapps.time=Время +coreapps.general=Общее + +coreapps.chooseOne=выберите один + +coreapps.actions=Действия + +coreapps.birthdate=Дата рождения +coreapps.age=Возраст +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +coreapps.unknownAge=неизвестный возраст + +coreapps.app.archivesRoom.label=Архивы +coreapps.app.findPatient.label=Найти пациента +coreapps.app.activeVisits.label=Активные визиты +coreapps.app.systemAdministration.label=Системное Администрирование +coreapps.app.dataManagement.label=Управление информацией +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +coreapps.app.system.administration.myAccount.label=Мой аккаунт +# coreapps.app.inpatients.label=Inpatients +coreapps.app.system.administration.label=Системное Администрирование + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +coreapps.app.awaitingAdmission.diagnosis=Диагноз +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=Лицо, проводящее лечение + +coreapps.task.startVisit.label=Начать визит +coreapps.task.startVisit.message=Вы уверены, что хотите начать визит с {0} сейчас? +coreapps.task.deletePatient.message=Вы уверены, что хотите УДАЛИТЬ пациента {0}? +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +coreapps.task.accountManagement.label=Управление аккаунтами +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +coreapps.task.myAccount.changePassword.label = Изменить пароль + +coreapps.error.systemError=Произошла неожиданная ошибка. Пожалуйста, свяжитесь с вашим системным администратором. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +coreapps.activeVisit= Текущий визит +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +coreapps.noActiveVisit=Текущий визит отсутствует +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +coreapps.markPatientDead.label=Отметить пациента умершим +coreapps.markPatientDead.dateOfDeath=Дата смерти +coreapps.markPatientDead.dateOfDeath.errorMessage=Пожалуйста, укажите дату смерти +coreapps.markPatientDead.causeOfDeath=Причина смерти +coreapps.markPatientDead.causeOfDeath.selectTitle=Укажите причину смерти +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +coreapps.markPatientDead.causeOfDeath.errorMessage=Пожалуйста, укажите причину смерти +coreapps.markPatientDead.submitValue=Сохранить изменения + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +coreapps.archivesRoom.surname.label=Фамилия +# coreapps.archivesRoom.newRecords.label=Print New Record +coreapps.archivesRoom.existingRecords.label=Найти запись +# coreapps.archivesRoom.returnRecords.label=Return Records +coreapps.archivesRoom.requestedBy.label=Отправить +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +coreapps.archivesRoom.recordsToMerge.done.label=Объединено +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +coreapps.archivesRoom.printSelected=Печать +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=в +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Отменить +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +coreapps.systemAdministration=Системное Администрирование +coreapps.myAccount = Мой аккаунт +coreapps.myAccount.changePassword = Изменить пароль +coreapps.createAccount=Создать аккаунт +coreapps.editAccount=Отредактировать аккаунт +coreapps.account.saved=Аккаунт успешно сохранен + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = Старый пароль +coreapps.account.newPassword = Новый пароль +coreapps.account.changePassword.fail = Что-то пошло не так во время попытки изменения пароля. Ваш старый пароль всё ещё в силе. Пожалуйста, попробуйте еще раз +coreapps.account.changePassword.success = Пароль успешно обновлен +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +coreapps.account.changePassword.newPassword.required = Новый пароль должен быть не меньше 8 символов +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +coreapps.account.error.passwordDontMatch=Пароли не совпадают +coreapps.account.error.passwordError= Неверный формат пароля +# coreapps.account.passwordFormat=Format, at least: 8 characters +coreapps.account.locked.title=Заблокированный аккаунт +coreapps.account.locked.description=Этот аккаунт заблокирован на несколько минут, потому что кто-то ввел неверный пароль слишком много раз. Обычно это означает, что пользователь ошибся или забыл свой пароль, но мы блокируем аккаунт на случай, если кто-то специально пытается его взломать. +coreapps.account.locked.button=Разблокировать аккаунт +coreapps.account.unlocked.successMessage=Аккаунт разблокирован +coreapps.account.unlock.failedMessage=Не удалось разблокировать аккаунт +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Добавить +coreapps.patient.identifier.type=Тип идентификатора +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +coreapps.patient.notFound=Пациент не найден + +coreapps.patientHeader.name = имя +coreapps.patientHeader.givenname=имя +coreapps.patientHeader.familyname=фамилия +# coreapps.patientHeader.patientId = Patient ID +coreapps.patientHeader.showcontactinfo=Показать контактную информацию +coreapps.patientHeader.hidecontactinfo=Скрыть контактную информацию +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +coreapps.patientDashBoard.visits=Посещения +coreapps.patientDashBoard.noVisits= Пока что визитов нет +coreapps.patientDashBoard.noDiagnosis= Пока что диагнозов нет +# coreapps.patientDashBoard.activeSince= active since +coreapps.patientDashBoard.contactinfo=Контактная информация +coreapps.patientDashBoard.date=Дата +coreapps.patientDashBoard.startTime=Время начала +coreapps.patientDashBoard.location=Расположение +coreapps.patientDashBoard.time=Время +coreapps.patientDashBoard.type=Тип +coreapps.patientDashBoard.showDetails=показать детали +coreapps.patientDashBoard.hideDetails=скрыть детали +# coreapps.patientDashBoard.order = Order +coreapps.patientDashBoard.provider=Лицо, проводящее лечение +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +coreapps.patientDashBoard.actions=Действия +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +coreapps.deletedPatient.breadcrumbLabel=Удаленный пациент +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +coreapps.person.givenName=Имя +coreapps.person.familyName=Фамилия +coreapps.person.name=Имя +coreapps.person.address=Адрес +coreapps.person.telephoneNumber=Номер телефона + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=Имя +coreapps.printer.ipAddress=IP адрес +# coreapps.printer.port=Port +coreapps.printer.type=Тип +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +coreapps.printer.error.nameTooLong=Имя должно быть меньше, чем 256 символов +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=Нисколько + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=Регистрационный номер +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Имя пользователя +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Пароль +coreapps.user.confirmPassword=Подтвердить пароль +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +coreapps.user.changeUserPassword=Изменить пароль пользователя +coreapps.user.secretQuestion=Секретный вопрос +coreapps.user.secretAnswer=Секретный ответ +coreapps.user.secretAnswer.required=Секретный ответ обязателен, если вы указали вопрос +# coreapps.user.defaultLocale=Default Locale +coreapps.user.duplicateUsername=Выбранное имя пользователя уже используется +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +coreapps.mergePatientsLong=Объединить электронные записи пациента +coreapps.mergePatientsShort=Объединить пациента +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +coreapps.mergePatients.confirmationSubtext=Объединение не может быть отменено! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +coreapps.mergePatients.section.names=Фамилия, Имя +# coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +coreapps.mergePatients.section.addresses=Адрес(ы) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +coreapps.mergePatients.section.dataSummary=Посещения +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +coreapps.mergePatients.patientNotFound=Пациент не найден +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Имя +coreapps.search.previous=Предыдущий +coreapps.search.next=Следующий +coreapps.search.last=Фамилия +# coreapps.search.noMatchesFound=No matching records found +coreapps.search.noData=Нет доступной информации +coreapps.search.identifier=Регистрационный номер +coreapps.search.name=Имя +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +coreapps.findPatient.which.heading=Какие пациенты? +coreapps.findPatient.allPatients=Все пациенты +coreapps.findPatient.search=Поиск +coreapps.findPatient.registerPatient.label=Зарегистрировать пациента + +coreapps.activeVisits.title=Активные визиты +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=Расположение +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=День +coreapps.retrospectiveCheckin.checkinDate.month.label=Месяц +coreapps.retrospectiveCheckin.checkinDate.year.label=Год +coreapps.retrospectiveCheckin.checkinDate.hour.label=Час +coreapps.retrospectiveCheckin.checkinDate.minutes.label=Минуты +coreapps.retrospectiveCheckin.paymentReason.label=Причина +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +coreapps.formValidation.messages.requiredField=Это поле не может быть пустым +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +coreapps.formValidation.messages.numberField=Должно быть числом +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +coreapps.simpleFormUi.confirm.title=Подтвердить +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=м +coreapps.units.centimeters=см +coreapps.units.millimeters=мм +coreapps.units.kilograms=кг +# coreapps.units.degreesCelsius=�C +coreapps.units.perMinute=/мин +coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +coreapps.consult.primaryDiagnosis=Основной диагноз: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=Нисколько +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +coreapps.consult.priorDiagnoses.add=Предыдущие диагнозы + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +coreapps.visit.createQuickVisit.title=Начать визит +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +coreapps.Diagnosis.Certainty.CONFIRMED=Подтверждено +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +coreapps.clinicianfacing.notes=Заметки +coreapps.clinicianfacing.surgery=Операция +coreapps.clinicianfacing.showMoreInfo=Показать больше информации +coreapps.clinicianfacing.visits=Посещения +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Аллергии +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +coreapps.clinicianfacing.vitals=Измерения +coreapps.clinicianfacing.diagnosis=Диагноз +coreapps.clinicianfacing.diagnoses=Диагнозы +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +coreapps.clinicianfacing.recordVitals=Записать измерения +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +coreapps.clinicianfacing.orderXray=Заказать рентген +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Текущий +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=Нисколько + +coreapps.vitals.confirmPatientQuestion=Это нужный пациент? +coreapps.vitals.confirm.yes=Да, записать измерения +coreapps.vitals.confirm.no=Нет, найти другого пациента +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +coreapps.vitals.when=Когда +coreapps.vitals.where=Где +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +coreapps.vitals.noVisit.findAnotherPatient=Найти другого пациента + +coreapps.noAccess=У аккаунта пользователя нет необходимых привилегий для просмотра этой страницы + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +coreapps.clickToEditObs.empty=Добавить заметку +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +coreapps.dashboardwidgets.programstatus.history=История +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +coreapps.dashboardwidgets.programstatistics.loading=Загрузка... +coreapps.dashboardwidgets.programstatistics.error=Ошибка + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +coreapps.conditionui.message.success=Сохраненные изменения +coreapps.conditionui.message.fail=Не получилось сохранить изменения +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +coreapps.conditionui.undo=Отменить удаление +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_si.properties b/api/bin/src/main/resources/messages_si.properties new file mode 100644 index 000000000..780be3bde --- /dev/null +++ b/api/bin/src/main/resources/messages_si.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +coreapps.findPatient.search.button=සොයනවා +coreapps.findPatient.result.view=දකිනවා +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +coreapps.startDate.label=Start Date +coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +coreapps.task.endVisit.label=හමුවීව අවසන් කරන්න +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +coreapps.gender=Gender +coreapps.gender.M=Male +coreapps.gender.F=Female +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +coreapps.cancel=Cancel +# coreapps.return=Return +coreapps.delete=අයින් කරන්න +# coreapps.okay=Okay +# coreapps.view=View +coreapps.edit=Edit +coreapps.add=Add +coreapps.save=සුරකින්න +coreapps.next=ඊලඟ +coreapps.continue=ඉදිරියට යන්න +coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +coreapps.no=නැහැ +coreapps.yes=ඔව් +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +coreapps.by=විසින් +coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +coreapps.patient=Patient +coreapps.location=ස්ථානය +coreapps.time=වේලාව +# coreapps.general=General + +# coreapps.chooseOne=choose one + +coreapps.actions=ක්‍රියාවන් + +coreapps.birthdate=Birthdate +coreapps.age=Age +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +coreapps.app.awaitingAdmission.provider=සපයන්නා + +coreapps.task.startVisit.label=හමුවීම ආරම්භ කරන්න +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +coreapps.activeVisit= සක්‍රීය හමුවීම +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +coreapps.archivesRoom.at=ඇත්තේ +# coreapps.archivesRoom.sentTo=sent to +coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +coreapps.account.oldPassword = පෙර මුරපදය +coreapps.account.newPassword = නව මුරපදය +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +coreapps.patient.identifier.add=Add +coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +coreapps.patientDashBoard.visits=හමුවීම් +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +coreapps.patientDashBoard.date=දිනය +# coreapps.patientDashBoard.startTime=Start Time +coreapps.patientDashBoard.location=ස්ථානය +coreapps.patientDashBoard.time=වේලාව +coreapps.patientDashBoard.type=වර්ගය +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +coreapps.patientDashBoard.order = Order +coreapps.patientDashBoard.provider=සපයන්නා +coreapps.patientDashBoard.visitDetails=හමුවීමේ විස්තර +# coreapps.patientDashBoard.encounter=Encounter +coreapps.patientDashBoard.encounters=Encounters +coreapps.patientDashBoard.actions=ක්‍රියාවන් +coreapps.patientDashBoard.accessionNumber=පරිග්‍රහණ අංකය +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +coreapps.person.name=නම +coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=නම +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +coreapps.printer.type=වර්ගය +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=හඳුන්වනය +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +coreapps.user.username=Username +coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +coreapps.user.password=Password +coreapps.user.confirmPassword=Confirm Password +coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +coreapps.user.secretQuestion=Secret Question +coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +coreapps.mergePatients.section.activeVisit=සක්‍රීය හමුවීම +coreapps.mergePatients.section.dataSummary=හමුවීම් +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=First +coreapps.search.previous=පෙර +coreapps.search.next=ඊලඟ +coreapps.search.last=අවසාන +coreapps.search.noMatchesFound=කිසිදු ගැලපෙන වාර්තාවක් නැත +# coreapps.search.noData=No Data Available +coreapps.search.identifier=හඳුන්වනය +coreapps.search.name=නම +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +coreapps.findPatient.search=සොයනවා +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +coreapps.retrospectiveCheckin.location.label=ස්ථානය +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +coreapps.retrospectiveCheckin.paymentReason.label=හේතුව +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +coreapps.units.meters=m +coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +coreapps.clinicianfacing.visits=හමුවීම් +# coreapps.clinicianfacing.recentVisits=Recent Visits +coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_sw.properties b/api/bin/src/main/resources/messages_sw.properties new file mode 100644 index 000000000..e1062dc41 --- /dev/null +++ b/api/bin/src/main/resources/messages_sw.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +# coreapps.findPatient.result.view=View +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +# coreapps.gender=Gender +coreapps.gender.M=Mume +coreapps.gender.F=Mke +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +coreapps.confirm=Hakikisha +# coreapps.cancel=Cancel +# coreapps.return=Return +# coreapps.delete=Delete +# coreapps.okay=Okay +# coreapps.view=View +# coreapps.edit=Edit +# coreapps.add=Add +coreapps.save=hifadhi +# coreapps.next=Next +# coreapps.continue=Continue +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +# coreapps.no=No +# coreapps.yes=Yes +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +# coreapps.by=by +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +# coreapps.location=Location +# coreapps.time=Time +# coreapps.general=General + +coreapps.chooseOne=Chagua moja + +# coreapps.actions=Actions + +coreapps.birthdate=Siku ya kuzaliwa +coreapps.age=Umri +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +coreapps.archivesRoom.surname.label=Jina la ukoo +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +# coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +# coreapps.patientDashBoard.date=Date +# coreapps.patientDashBoard.startTime=Start Time +# coreapps.patientDashBoard.location=Location +# coreapps.patientDashBoard.time=Time +# coreapps.patientDashBoard.type=Type +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +coreapps.person.familyName=Jina la ukoo +coreapps.person.name=Jina +# coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=Jina +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +# coreapps.printer.type=Type +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +coreapps.provider.identifier=kitambulishi +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +# coreapps.user.username=Username +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +# coreapps.user.password=Password +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +# coreapps.user.secretQuestion=Secret Question +# coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +# coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +coreapps.search.first=Kwanza +# coreapps.search.previous=Previous +# coreapps.search.next=Next +coreapps.search.last=Mwisho +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +coreapps.search.identifier=kitambulishi +coreapps.search.name=Jina +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +# coreapps.retrospectiveCheckin.location.label=Location +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +coreapps.retrospectiveCheckin.checkinDate.day.label=Siku +coreapps.retrospectiveCheckin.checkinDate.month.label=Mwezi +coreapps.retrospectiveCheckin.checkinDate.year.label=Mwaka +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +# coreapps.retrospectiveCheckin.paymentReason.label=Reason +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +coreapps.simpleFormUi.confirm.title=Hakikisha +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/messages_te.properties b/api/bin/src/main/resources/messages_te.properties new file mode 100644 index 000000000..ab33debc1 --- /dev/null +++ b/api/bin/src/main/resources/messages_te.properties @@ -0,0 +1,669 @@ +# +# The contents of this file are subject to the OpenMRS Public License +# Version 1.0 (the "License"); you may not use this file except in +# compliance with the License. You may obtain a copy of the License at +# http://license.openmrs.org +# +# Software distributed under the License is distributed on an "AS IS" +# basis, WITHOUT WARRANTY OF ANY KIND, either express or implied. See the +# License for the specific language governing rights and limitations +# under the License. +# +# Copyright (C) OpenMRS, LLC. All Rights Reserved. +# + +# coreapps.title=Core Apps Module +# coreapps.patientDashboard.description=Patient Dashboard Application +# coreapps.patientDashboard.extension.visits.description=Visit Actions +# coreapps.patientDashboard.actionsForInactiveVisit=Attention! These actions are for a past visit: +# coreapps.patientDashboard.extension.actions.description=General Patient Actions + +# coreapps.activeVisits.app.label=Active Visits +# coreapps.activeVisits.app.description=Lists patients who have active visits + +# coreapps.findPatient.app.label=Find Patient Record +# coreapps.findPatient.search.placeholder=Search by ID or Name +# coreapps.findPatient.search.button=Search +# coreapps.findPatient.result.view=View +# coreapps.age.months={0} Month(s) +# coreapps.age.days={0} Day(s) + +# coreapps.patientDashBoard.editPatientIdentifier.duplicateMessage=is already in use +# coreapps.patientDashBoard.editPatientIdentifier.invalidMessage=did not pass validation +# coreapps.patientDashBoard.editPatientIdentifier.invalidFormatMessage=must be in the format +# coreapps.patientdashboard.activeDrugOrders=Dispensed Medication + +# coreapps.startDate.label=Start Date +# coreapps.stopDate.label=End Date + +# coreapps.retrospectiveVisit.changeDate.label=Change Date +# coreapps.retrospectiveVisit.addedVisitMessage=Past visit successfully added +# coreapps.retrospectiveVisit.conflictingVisitMessage=The date you selected is conflicting with other visit(s). Click to navigate to a visit: + +# coreapps.task.createRetrospectiveVisit.label=Add Past Visit +# coreapps.task.editVisitDate.label=Edit date +# coreapps.editVisitDate.visitSavedMessage=Visit dates successfully updated +# coreapps.task.deleteVisit.label=Delete visit +# coreapps.task.deleteVisit.notAllowed=User does not have permission to delete visit +# coreapps.task.deleteVisit.successMessage=Visit has been deleted +# coreapps.task.deleteVisit.message=Are you sure you want to delete this visit? + +# coreapps.task.endVisit.warningMessage=Please end all visits before starting a new visit +# coreapps.task.visitType.start.warning=There is already active visit(s) for {0} +# coreapps.task.editVisit.label=Edit Visit +# coreapps.task.visitType.label=Select Visit Type +# coreapps.task.existingDate.label=Existing Date +# coreapps.visit.updateVisit.successMessage=Updated visit + +# coreapps.task.endVisit.label=End Visit +# coreapps.task.endVisit.notAllowed=User does not have permission to end visit +# coreapps.task.endVisit.successMessage=Visit has been ended +# coreapps.task.endVisit.message=Are you sure you want to end this visit? + +# coreapps.task.mergeVisits.label=Merge Visits +# coreapps.task.mergeVisits.instructions=Select the visits you want to merge together. (They must be consecutive) +# coreapps.task.mergeVisits.mergeSelectedVisits=Merge Selected Visits +# coreapps.task.mergeVisits.success=Visits merged successfully +# coreapps.task.mergeVisits.error=Failed to merge visits + +# coreapps.task.deletePatient.label=Delete Patient +# coreapps.task.deletePatient.notAllowed=User does not have permission to delete patient +# coreapps.task.deletePatient.deletePatientSuccessful=Patient has been deleted successfully +# coreapps.task.deletePatient.deleteMessageEmpty=Reason cannot be empty +# coreapps.task.deletePatient.deletePatientUnsuccessful=Failed to delete the patient + +# coreapps.task.relationships.label=Relationships +# coreapps.relationships.add.header=Add {0} +# coreapps.relationships.add.choose=Choose a {0} +# coreapps.relationships.add.confirm=Confirm new relationship: +# coreapps.relationships.add.thisPatient=(this patient) +# coreapps.relationships.delete.header=Delete relationship +# coreapps.relationships.delete.title=Delete this relationship? +# coreapps.relationships.find=Find + + +# coreapps.dataManagement.title=Data Management +# coreapps.dataManagement.codeDiagnosis.title=Code a diagnosis +# coreapps.dataManagement.codeDiagnosis.success=The diagnosis was coded successfully +# coreapps.dataManagement.codeDiagnosis.failure=Failed to code the diagnosis +# coreapps.dataManagement.replaceNonCoded=Replace non-coded diagnosis of {1} for patient {2} with +# coreapps.dataManagement.searchCoded=Type a coded diagnosis + +# coreapps.logout=Logout + +# coreapps.merge=Merge +# coreapps.gender=Gender +# coreapps.gender.M=Male +# coreapps.gender.F=Female +# coreapps.gender.U=Unknown +# coreapps.gender.O=Other +# coreapps.gender.null=Unknown Sex +# coreapps.confirm=Confirm +# coreapps.cancel=Cancel +# coreapps.return=Return +# coreapps.delete=Delete +# coreapps.okay=Okay +# coreapps.view=View +# coreapps.edit=Edit +# coreapps.add=Add +# coreapps.save=Save +# coreapps.next=Next +# coreapps.continue=Continue +# coreapps.none=None +# coreapps.none.inLastPeriod=None in the last {0} days +# coreapps.none.inLastTime=None in the last +# coreapps.days=days +# coreapps.no=No +# coreapps.yes=Yes +# coreapps.optional=Optional +# coreapps.noCancel=No, cancel +# coreapps.yesContinue=Yes, continue +# coreapps.by=by +# coreapps.in=in +# coreapps.at=at +# coreapps.on=on +# coreapps.to=to +# coreapps.date=Date +# coreapps.close=Close +# coreapps.enroll=Enroll +# coreapps.present=Present +# coreapps.showMore=show more +# coreapps.showLess=show less + +# coreapps.patient=Patient +# coreapps.location=Location +# coreapps.time=Time +# coreapps.general=General + +# coreapps.chooseOne=choose one + +# coreapps.actions=Actions + +# coreapps.birthdate=Birthdate +# coreapps.age=Age +# coreapps.ageYears={0} year(s) +# coreapps.ageMonths={0} month(s) +# coreapps.ageDays={0} days(s) +# coreapps.unknownAge=unknown age + +# coreapps.app.archivesRoom.label=Archives +# coreapps.app.findPatient.label=Find a Patient +# coreapps.app.activeVisits.label=Active Visits +# coreapps.app.systemAdministration.label=System Administration +# coreapps.app.dataManagement.label=Data Management +# coreapps.app.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.app.dataArchives.label=Data-Archives +# coreapps.app.sysAdmin.label=SysAdmin +# coreapps.app.clinical.label=Clinical +# coreapps.app.system.administration.myAccount.label=My Account +# coreapps.app.inpatients.label=Inpatients +# coreapps.app.system.administration.label=System Administration + +# coreapps.app.awaitingAdmission.name = Awaiting Admission List +# coreapps.app.awaitingAdmission.label=Awaiting Admission +# coreapps.app.awaitingAdmission.title=Patients Awaiting Admission +# coreapps.app.awaitingAdmission.filterByAdmittedTo=Filter by Admit To Ward +# coreapps.app.awaitingAdmission.filterByCurrent=Filter by Current Ward +# coreapps.app.awaitingAdmission.admitPatient=Admit Patient +# coreapps.app.awaitingAdmission.diagnosis=Diagnosis +# coreapps.app.awaitingAdmission.patientCount=Total Patient Count +# coreapps.app.awaitingAdmission.currentWard=Current Ward +# coreapps.app.awaitingAdmission.admissionLocation=Admit to Ward +# coreapps.app.awaitingAdmission.provider=Provider + +# coreapps.task.startVisit.label=Start Visit +# coreapps.task.startVisit.message=Are you sure you want to start a visit for {0} now? +# coreapps.task.deletePatient.message=Are you sure you want to DELETE the patient {0} +# coreapps.task.retrospectiveCheckin.label=Retrospective Check-In +# coreapps.task.accountManagement.label=Manage Accounts +# coreapps.task.enterHtmlForm.label.default=Form: {0} +# coreapps.task.enterHtmlForm.successMessage=Entered {0} for {1} +# coreapps.task.requestPaperRecord.label=Request Paper Record +# coreapps.task.printIdCardLabel.label=Print Card Label +# coreapps.task.printPaperRecordLabel.label=Print Chart Label +# coreapps.task.myAccount.changePassword.label = Change Password + +# coreapps.error.systemError=There has been an unexpected error. Please contact your System Administrator. +# coreapps.error.foundValidationErrors=There was a problem with the data you entered, please check the highlighted field(s) + +# coreapps.emrContext.sessionLocation=Location: {0} +# coreapps.activeVisit= Active Visit +# coreapps.activeVisit.time= Started at {0} +# coreapps.visitDetails=Started at {0} - Finished at {1} +# coreapps.visitDetailsLink=View this visit's details +# coreapps.activeVisitAtLocation=Active visit at: {0} + +# coreapps.noActiveVisit=No active visit +# coreapps.noActiveVisit.description=This patient is not in an active visit. If the patient is present you can start a new visit. If you wish to view or edit details of a previous visit, choose one from the list to the left. + +# coreapps.deadPatient = The patient is deceased - {0} - {1} +# coreapps.deadPatient.description=This patient is deceased. If you wish to view or edit details of a previous visit, choose a visit from the list on the left. +# coreapps.markPatientDead.label=Mark Patient Deceased +# coreapps.markPatientDead.dateOfDeath=Date of death +# coreapps.markPatientDead.dateOfDeath.errorMessage=Please select the date of death +# coreapps.markPatientDead.causeOfDeath=Cause of death +# coreapps.markPatientDead.causeOfDeath.selectTitle=Select Cause Of Death +# coreapps.markPatientDead.causeOfDeath.missingConcepts=You are missing concept Cause of death +# coreapps.markPatientDead.causeOfDeath.errorMessage=Please select the cause of death +# coreapps.markPatientDead.submitValue=Save Changes + +# coreapps.atLocation=at {0} +# coreapps.onDatetime=on {0} + +# coreapps.inpatients.title=Current Inpatients +# coreapps.inpatients.firstAdmitted=First Admitted +# coreapps.inpatients.currentWard=Current Ward +# coreapps.inpatients.patientCount=Total Patient Count +# coreapps.inpatients.filterByCurrentWard=Filter by current ward: + +# coreapps.archivesRoom.surname.label=Surname +# coreapps.archivesRoom.newRecords.label=Print New Record +# coreapps.archivesRoom.existingRecords.label=Find Record +# coreapps.archivesRoom.returnRecords.label=Return Records +# coreapps.archivesRoom.requestedBy.label=Send to +# coreapps.archivesRoom.requestedAt.label=Requested At +# coreapps.archivesRoom.pullRequests.label=Pull Record Queue +# coreapps.archivesRoom.newRequests.label=New Record Queue +# coreapps.archivesRoom.recordsToMerge.done.label=Completed Merge +# coreapps.archivesRoom.assignedPullRequests.label=Under search +# coreapps.archivesRoom.assignedCreateRequests.label=Records Being Created +# coreapps.archivesRoom.mergingRecords.label=Merge Paper Records +# coreapps.archivesRoom.pullSelected=Pull +# coreapps.archivesRoom.printSelected=Print +# coreapps.archivesRoom.sendingRecords.label=Sending records +# coreapps.archivesRoom.returningRecords.label=Returning records +# coreapps.archivesRoom.typeOrIdentifyBarCode.label=Scan card or enter Patient ID. Eg: Y2A4G4 +# coreapps.archivesRoom.recordNumber.label=Dossier ID +# coreapps.archivesRoom.recordsToMerge.label=Records to merge +# coreapps.archivesRoom.reprint = Reprint +# coreapps.archivesRoom.selectRecords.label=Select records to be printed +# coreapps.archivesRoom.printRecords.label=Click to print records +# coreapps.archivesRoom.sendRecords.label=Scan records to send +# coreapps.archivesRoom.selectRecordsPull.label=Select records to be pulled +# coreapps.archivesRoom.clickRecordsPull.label=Click to pull records +# coreapps.archivesRoom.cancelRequest.title=Cancel Paper Record Request +# coreapps.archivesRoom.printedLabel.message=Printed label for record {0} +# coreapps.archivesRoom.createRequests.message=Labels printed. Create selected records +# coreapps.archivesRoom.pullRequests.message=Labels printed. Find selected records +# coreapps.archivesRoom.recordReturned.message=Record returned! +# coreapps.archivesRoom.pleaseConfirmCancel.message=Are you sure that you want to delete this request from the queue? +# coreapps.archivesRoom.at=at +# coreapps.archivesRoom.sentTo=sent to +# coreapps.archivesRoom.cancel=Cancel +# coreapps.archivesRoom.error.unableToAssignRecords=Unable to assign the selected record(s) +# coreapps.archivesRoom.error.paperRecordNotRequested=Record {0} has not been requested +# coreapps.archivesRoom.error.paperRecordAlreadySent=Record {0} was already sent to {1} on {2} +# coreapps.archivesRoom.error.unableToPrintLabel=Unable to print label. Please check that you are logged in at the correct location. If the error continues contact your system administrator. +# coreapps.archivesRoom.error.noPaperRecordExists=No paper record exists with that identifier + +# coreapps.systemAdministration=System Administration +# coreapps.myAccount = My Account +# coreapps.myAccount.changePassword = Change Password +# coreapps.createAccount=Create Account +# coreapps.editAccount=Edit Account +# coreapps.account.saved=Saved account successfully + + +# coreapps.account.details = User Account Details +# coreapps.account.oldPassword = Old Password +# coreapps.account.newPassword = New Password +# coreapps.account.changePassword.fail = Something went wrong when trying to change your password. Your old password is still valid. Please, try again +# coreapps.account.changePassword.success = Password updated successfully. +# coreapps.account.changePassword.oldPassword.required = Old password does not appear to be valid +# coreapps.account.changePassword.newPassword.required = New password is required to have at least 8 characters +# coreapps.account.changePassword.newAndConfirmPassword.required = New and Confirm Passwords are required +# coreapps.account.changePassword.newAndConfirmPassword.DoesNotMatch = The two fields do not match, please check and try again + +# coreapps.account.error.save.fail=Failed to save account details +# coreapps.account.requiredFields=Must create either a user or a provider +# coreapps.account.error.passwordDontMatch=Passwords don't match +# coreapps.account.error.passwordError= Incorrect password format. +# coreapps.account.passwordFormat=Format, at least: 8 characters +# coreapps.account.locked.title=Locked Account +# coreapps.account.locked.description=This account is locked for a few minutes, because someone entered the wrong password too many times. Usually this just means the user has mistyped or forgotten their password, but we lock the account in case someone malicious is trying to break in. +# coreapps.account.locked.button=Unlock Account +# coreapps.account.unlocked.successMessage=Account Unlocked +# coreapps.account.unlock.failedMessage=Failed to unlock account +# coreapps.account.providerRole.label=Provider Type +# coreapps.account.providerIdentifier.label=Provider Identifier + +# coreapps.patient.identifier=Patient ID +# coreapps.patient.paperRecordIdentifier=Dossier ID +# coreapps.patient.identifier.add=Add +# coreapps.patient.identifier.type=Identifier Type +# coreapps.patient.identifier.value=Identifier Value +# coreapps.patient.temporaryRecord =This is a temporary record for an unidentified patient +# coreapps.patient.notFound=Patient not found + +# coreapps.patientHeader.name = name +# coreapps.patientHeader.givenname=name +# coreapps.patientHeader.familyname=surname +# coreapps.patientHeader.patientId = Patient ID +# coreapps.patientHeader.showcontactinfo=Show Contact Info +# coreapps.patientHeader.hidecontactinfo=Hide Contact Info +# coreapps.patientHeader.activeVisit.at=Active Visit - {0} +# coreapps.patientHeader.activeVisit.inpatient=Inpatient at {0} +# coreapps.patientHeader.activeVisit.outpatient=Outpatient + +# coreapps.patientDashBoard.visits=Visits +# coreapps.patientDashBoard.noVisits= No visits yet. +# coreapps.patientDashBoard.noDiagnosis= No diagnosis yet. +# coreapps.patientDashBoard.activeSince= active since +# coreapps.patientDashBoard.contactinfo=Contact Information +# coreapps.patientDashBoard.date=Date +coreapps.patientDashBoard.startTime=ప్రారంభ తేదీ +# coreapps.patientDashBoard.location=Location +# coreapps.patientDashBoard.time=Time +# coreapps.patientDashBoard.type=Type +# coreapps.patientDashBoard.showDetails=show details +# coreapps.patientDashBoard.hideDetails=hide details +# coreapps.patientDashBoard.order = Order +# coreapps.patientDashBoard.provider=Provider +# coreapps.patientDashBoard.visitDetails=Visit Details +# coreapps.patientDashBoard.encounter=Encounter +# coreapps.patientDashBoard.encounters=Encounters +# coreapps.patientDashBoard.actions=Actions +# coreapps.patientDashBoard.accessionNumber=Accession Number +# coreapps.patientDashBoard.orderNumber=Order Number +# coreapps.patientDashBoard.requestPaperRecord.title=Request Paper Record +# coreapps.patientDashBoard.editPatientIdentifier.title=Edit Patient Identifier +# coreapps.patientDashBoard.editPatientIdentifier.successMessage=Patient Identifier Saved +# coreapps.patientDashBoard.editPatientIdentifier.warningMessage=No new value to be saved +# coreapps.patientDashBoard.editPatientIdentifier.failureMessage=Failed to save Patient Identifier. Please check and try again. +# coreapps.patientDashBoard.deleteEncounter.title=Delete Encounter +# coreapps.patientDashBoard.deleteEncounter.message=Are you sure you want to delete this encounter from the visit? +# coreapps.patientDashBoard.deleteEncounter.notAllowed=User does not have permission to delete encounter +# coreapps.patientDashBoard.deleteEncounter.successMessage=Encounter has been deleted +# coreapps.patientDashBoard.requestPaperRecord.confirmTitle=Please confirm you want this patient's paper record sent to you: +# coreapps.patientDashBoard.requestPaperRecord.successMessage=Paper Record Request Sent +# coreapps.patientDashBoard.noAccess=You do not have the proper privileges to view the patient dashboard. + +# coreapps.patientDashBoard.createDossier.title=Create dossier number +# coreapps.patientDashBoard.createDossier.where=Where would you like the patient's dossier to be created? +# coreapps.patientDashBoard.createDossier.successMessage=Dossier number successfully created + +# coreapps.patientDashBoard.diagnosisQuestion.PRIMARY=Primary Diagnosis +# coreapps.patientDashBoard.diagnosisQuestion.SECONDARY=Secondary Diagnosis +# coreapps.patientDashBoard.printLabels.successMessage=Labels successfully printed at location: + +# coreapps.deletedPatient.breadcrumbLabel=Deleted Patient +# coreapps.deletedPatient.title=This patient has been deleted +# coreapps.deletedPatient.description=Contact a system administrator if this is a mistake + +# coreapps.patientNotFound.Description =Patient not found in the system +# coreapps.NoPatient.breadcrumbLabel=Patient not Found + +# coreapps.person.details=Person Details +# coreapps.person.givenName=First Name +# coreapps.person.familyName=Surname +coreapps.person.name=పేరు +# coreapps.person.address=Address +# coreapps.person.telephoneNumber=Telephone Number + +# coreapps.printer.managePrinters=Manage Printers +# coreapps.printer.defaultPrinters=Configure Default Printers +# coreapps.printer.add=Add new printer +# coreapps.printer.edit=Edit Printer +coreapps.printer.name=పేరు +# coreapps.printer.ipAddress=IP Address +# coreapps.printer.port=Port +# coreapps.printer.type=Type +# coreapps.printer.physicalLocation=Physical Location +# coreapps.printer.ID_CARD=ID card +# coreapps.printer.LABEL=Label +# coreapps.printer.saved=Saved printer successfully +# coreapps.printer.defaultUpdate=Saved default {0} printer for {1} +# coreapps.printer.error.defaultUpdate=An error occurred updating the default printer +# coreapps.printer.error.save.fail=Failed to save printer +# coreapps.printer.error.nameTooLong=Name must be less than 256 characters +# coreapps.printer.error.ipAddressTooLong=IP address must be 50 characters or less +# coreapps.printer.error.ipAddressInvalid=IP Address invalid +# coreapps.printer.error.ipAddressInUse=IP Address has been assigned to another printer +# coreapps.printer.error.portInvalid=Port invalid +# coreapps.printer.error.nameDuplicate=Another printer already has this name +# coreapps.printer.defaultPrinterTable.loginLocation.label=Login Location +# coreapps.printer.defaultPrinterTable.idCardPrinter.label=ID Card Printer Name (Location) +# coreapps.printer.defaultPrinterTable.labelPrinter.label=Label Printer Name (Location) +# coreapps.printer.defaultPrinterTable.emptyOption.label=None + +# coreapps.provider.details=Provider Details +# coreapps.provider.interactsWithPatients=Interacts with patients (Clinically or administratively) +# coreapps.provider.identifier=Identifier +# coreapps.provider.createProviderAccount=Create Provider Account +# coreapps.provider.search=Search for a person(by name) + +# coreapps.user.account.details=User Account Details +# coreapps.user.username=Username +# coreapps.user.username.error=Username is invalid. It must be between 2 and 50 characters. Only letters, digits, ".", "-", and "_" are allowed. +# coreapps.user.password=Password +# coreapps.user.confirmPassword=Confirm Password +# coreapps.user.Capabilities=Roles +# coreapps.user.Capabilities.required=Roles are mandatory. Choose at least one +# coreapps.user.enabled=Enabled +# coreapps.user.privilegeLevel=Privilege Level +# coreapps.user.createUserAccount=Create User Account +# coreapps.user.changeUserPassword=Change User Password +# coreapps.user.secretQuestion=Secret Question +# coreapps.user.secretAnswer=Secret Answer +# coreapps.user.secretAnswer.required=Secret answer is required when you specify a question +# coreapps.user.defaultLocale=Default Locale +# coreapps.user.duplicateUsername=The selected username is already in use +# coreapps.user.duplicateProviderIdentifier=The selected provider identifier is already in use + +# coreapps.mergePatientsLong=Merge Patient Electronic Records +# coreapps.mergePatientsShort=Merge Patient +# coreapps.mergePatients.selectTwo=Select two patients to merge... +# coreapps.mergePatients.enterIds=Please enter the Patient IDs of the two electronic records to merge. +# coreapps.mergePatients.chooseFirstLabel=Patient ID +# coreapps.mergePatients.chooseSecondLabel=Patient ID +# coreapps.mergePatients.dynamicallyFindPatients=You can also dynamically search for patients to merge, by name or id +# coreapps.mergePatients.success=Records merged! Viewing preferred patient. +# coreapps.mergePatients.error.samePatient=You must choose two different patient records +# coreapps.mergePatients.confirmationQuestion=Select the preferred record. +# coreapps.mergePatients.confirmationSubtext=Merging cannot be undone! +# coreapps.mergePatients.checkRecords = Please check records before continuing. +# coreapps.mergePatients.choosePreferred.question=Choose the preferred patient record +# coreapps.mergePatients.choosePreferred.description=All data (Patient IDs, Paper Record IDs, visits, encounters, orders) will be merged into the preferred record. +# coreapps.mergePatients.allDataWillBeCombined=All data (visits, encounters, observations, orders, etc) will be combined into one record. +# coreapps.mergePatients.overlappingVisitsWillBeJoined=These records have visits that overlap--those will be joined together. +# coreapps.mergePatients.performMerge=Perform Merge +# coreapps.mergePatients.section.names=Surname, First Name +# coreapps.mergePatients.section.demographics=Demographics +# coreapps.mergePatients.section.primaryIdentifiers=Identifier(s) +# coreapps.mergePatients.section.extraIdentifiers=Additional Identifier(s) +# coreapps.mergePatients.section.addresses=Address(es) +# coreapps.mergePatients.section.lastSeen=Last Seen +# coreapps.mergePatients.section.activeVisit=Active Visit +# coreapps.mergePatients.section.dataSummary=Visits +# coreapps.mergePatients.section.dataSummary.numVisits={0} visit(s) +# coreapps.mergePatients.section.dataSummary.numEncounters={0} encounter(s) +# coreapps.mergePatients.patientNotFound=Patient not found +# coreapps.mergePatients.unknownPatient.message=Do you want to merge the temporary record into the permanent one? +# coreapps.mergePatients.unknownPatient.error=Cannot merge a permanent record into an unknown one +# coreapps.mergePatients.mergeIntoAnotherPatientRecord.button=Merge into another Patient Record + +# coreapps.testPatient.registration = Register a test patient + +# coreapps.searchPatientHeading=Search for a patient (scan card, by ID or name): +# coreapps.searchByNameOrIdOrScan=Eg: Y2A4G4 + +# coreapps.search.first=First +# coreapps.search.previous=Previous +# coreapps.search.next=Next +# coreapps.search.last=Last +# coreapps.search.noMatchesFound=No matching records found +# coreapps.search.noData=No Data Available +# coreapps.search.identifier=Identifier +coreapps.search.name=పేరు +# coreapps.search.info=Showing _START_ to _END_ of _TOTAL_ entries +# coreapps.search.label.recent=Recent +# coreapps.search.label.onlyInMpi=From MPI +# coreapps.search.error=An error occurred while searching for patients + +# coreapps.findPatient.which.heading=Which patients? +# coreapps.findPatient.allPatients=All Patients +# coreapps.findPatient.search=Search +# coreapps.findPatient.registerPatient.label=Register a Patient + +# coreapps.activeVisits.title=Active Visits +# coreapps.activeVisits.checkIn=Check-In +# coreapps.activeVisits.lastSeen=Last Seen +# coreapps.activeVisits.alreadyExists=This patient already has an active visit + +# used by legacy retro form +# coreapps.retrospectiveCheckin.label=Check-In +# coreapps.retrospectiveCheckin.location.label=Location +# coreapps.retrospectiveCheckin.checkinDate.label=Check-in Date +# coreapps.retrospectiveCheckin.checkinDate.day.label=Day +# coreapps.retrospectiveCheckin.checkinDate.month.label=Month +# coreapps.retrospectiveCheckin.checkinDate.year.label=Year +# coreapps.retrospectiveCheckin.checkinDate.hour.label=Hour +# coreapps.retrospectiveCheckin.checkinDate.minutes.label=Minutes +# coreapps.retrospectiveCheckin.paymentReason.label=Reason +# coreapps.retrospectiveCheckin.paymentAmount.label=Amount +# coreapps.retrospectiveCheckin.receiptNumber.label=Receipt Number +# coreapps.retrospectiveCheckin.success=Check-In recorded +# coreapps.retrospectiveCheckin.visitType.label=Type of visit + +# coreapps.formValidation.messages.requiredField=This field can't be blank +# coreapps.formValidation.messages.requiredField.label=required +# coreapps.formValidation.messages.dateField=You need to inform a valid date +# coreapps.formValidation.messages.integerField=Must be a whole number +# coreapps.formValidation.messages.numberField=Must be a number +# coreapps.formValidation.messages.numericRangeLow=Minimum: {0} +# coreapps.formValidation.messages.numericRangeHigh=Maximum: {0} + +# coreapps.simpleFormUi.confirm.question=Confirm submission? +# coreapps.simpleFormUi.confirm.title=Confirm +# coreapps.simpleFormUi.error.emptyForm=Please enter at least one observation + +# coreapps.units.meters=m +# coreapps.units.centimeters=cm +# coreapps.units.millimeters=mm +# coreapps.units.kilograms=kg +# coreapps.units.degreesCelsius=�C +# coreapps.units.perMinute=/min +# coreapps.units.percent=% +# coreapps.units.degreesFahrenheit=�F +# coreapps.units.lbs=lbs +# coreapps.units.inches=in + +# in the reference application this is called Visit Note -- the term "consult" comes from Mirebalais +# coreapps.clinic.consult.title=Consult Note +# coreapps.ed.consult.title=ED Note +# coreapps.consult.addDiagnosis=Add presumed or confirmed diagnosis (required): +# coreapps.consult.addDiagnosis.placeholder=Choose primary diagnosis first, then secondary diagnoses +# coreapps.consult.freeTextComments=Clinical Note +# coreapps.consult.primaryDiagnosis=Primary Diagnosis: +# coreapps.consult.primaryDiagnosis.notChosen=Not chosen +# coreapps.consult.secondaryDiagnoses=Secondary Diagnoses: +# coreapps.consult.secondaryDiagnoses.notChosen=None +# coreapps.consult.codedButNoCode={0} code unknown +# coreapps.consult.nonCoded=Non-Coded +# coreapps.consult.synonymFor=a.k.a. +# coreapps.consult.successMessage=Saved Consult Note for {0} +# coreapps.ed.consult.successMessage=Saved ED Note for {0} +# coreapps.consult.disposition=Disposition +# coreapps.consult.trauma.choose=Choose trauma type +# coreapps.consult.priorDiagnoses.add=Previous Diagnoses + +# coreapps.encounterDiagnoses.error.primaryRequired=At least one diagnosis must be primary + +# coreapps.visit.createQuickVisit.title=Start a visit +# coreapps.visit.createQuickVisit.successMessage={0} started a visit + +# coreapps.deletePatient.title=Delete Patient: {0} + +# coreapps.Diagnosis.Order.PRIMARY=Primary +# coreapps.Diagnosis.Order.SECONDARY=Secondary + +# coreapps.Diagnosis.Certainty.CONFIRMED=Confirmed +# coreapps.Diagnosis.Certainty.PRESUMED=Presumed + +# coreapps.editHtmlForm.breadcrumb=Edit: {0} +# coreapps.editHtmlForm.successMessage=Edited {0} for {1} + +# coreapps.clinicianfacing.radiology=Radiology +# coreapps.clinicianfacing.notes=Notes +# coreapps.clinicianfacing.surgery=Surgery +# coreapps.clinicianfacing.showMoreInfo=Show more info +# coreapps.clinicianfacing.visits=Visits +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.allergies=Allergies +# coreapps.clinicianfacing.prescribedMedication=Prescribed Medication +# coreapps.clinicianfacing.vitals=Vitals +# coreapps.clinicianfacing.diagnosis=Diagnosis +# coreapps.clinicianfacing.diagnoses=Diagnoses +# coreapps.clinicianfacing.inpatient=Inpatient +# coreapps.clinicianfacing.outpatient=Outpatient +# coreapps.clinicianfacing.recordVitals=Record Vitals +# coreapps.clinicianfacing.writeConsultNote=Write Consult Note +# coreapps.clinicianfacing.writeEdNote=Write ED Note +# coreapps.clinicianfacing.orderXray=Order X-Ray +# coreapps.clinicianfacing.orderCTScan=Order CT Scan +# coreapps.clinicianfacing.writeSurgeryNote=Write Surgery Note +# coreapps.clinicianfacing.requestPaperRecord=Request Paper Record +# coreapps.clinicianfacing.printCardLabel=Print Card Label +# coreapps.clinicianfacing.printChartLabel=Print Chart Label +# coreapps.clinicianfacing.lastVitalsDateLabel=Last Vitals: {0} +# coreapps.clinicianfacing.active=Active +# coreapps.clinicianfacing.activeVisitActions=Current Visit Actions +# coreapps.clinicianfacing.overallActions=General Actions +# coreapps.clinicianfacing.noneRecorded=None + +# coreapps.vitals.confirmPatientQuestion=Is this the right patient? +# coreapps.vitals.confirm.yes=Yes, Record Vitals +# coreapps.vitals.confirm.no=No, Find Another Patient +# coreapps.vitals.vitalsThisVisit=Vitals recorded this visit +# coreapps.vitals.when=When +# coreapps.vitals.where=Where +# coreapps.vitals.enteredBy=Entered by +# coreapps.vitals.minutesAgo={0} minute(s) ago +# coreapps.vitals.noVisit=This patient must be checked-in before their vitals can be recorded. Send the patient to the check-in counter. +# coreapps.vitals.noVisit.findAnotherPatient=Find Another Patient + +# coreapps.noAccess=Your user account does not have privileges required to view this page + +# coreapps.expandAll=Expand all +# coreapps.collapseAll=Collapse all +# coreapps.programsDashboardWidget.label=PATIENT PROGRAMS +# coreapps.currentEnrollmentDashboardWidget.label=CURRENT ENROLLMENT +# coreapps.programSummaryDashboardWidget.label=PROGRAM SUMMARY +# coreapps.programHistoryDashboardWidget.label=PREVIOUS ENROLLMENT + +# coreapps.clickToEditObs.empty=Add a note +# coreapps.clickToEditObs.placeholder=Enter a note +# coreapps.clickToEditObs.saveError=There was a problem saving the patient note +# coreapps.clickToEditObs.loadError=There was a problem loading the patient note +# coreapps.clickToEditObs.deleteError=There was a problem deleting the patient note +# coreapps.clickToEditObs.saveSuccess=Patient note successfully saved +# coreapps.clickToEditObs.deleteSuccess=Patient note successfully deleted +# coreapps.clickToEditObs.delete.title=Delete patient note +# coreapps.clickToEditObs.delete.confirm=Are you sure that you want to delete this patient note? + +# coreapps.dashboardwidgets.programs.addProgram=Add Program +# coreapps.dashboardwidgets.programs.selectProgram=Select Program +# coreapps.dashboardwidgets.programs.current=Current + +# coreapps.dashboardwidgets.programstatus.enrollmentdate=Enrollment Date +# coreapps.dashboardwidgets.programstatus.enrollmentlocation=Enrollment Location +# coreapps.dashboardwidgets.programstatus.enrolled=Enrolled +# coreapps.dashboardwidgets.programstatus.completed=Completed +# coreapps.dashboardwidgets.programstatus.outcome=Outcome +# coreapps.dashboardwidgets.programstatus.history=History +# coreapps.dashboardwidgets.programstatus.transitionTo=Transition to +# coreapps.dashboardwidgets.programstatus.confirmDelete=Are you sure you want to delete this enrollment? +# coreapps.dashboardwidgets.programstatus.confirmWorkflowStateDelete=Are you sure you want to delete the most recent state? +# coreapps.dashboardwidgets.programstatus.notCurrentlyEnrolled=Not currently enrolled +# coreapps.dashboardwidgets.programstatus.programDeleted=Program deleted + +# coreapps.dashboardwidgets.relationships.confirmRemove=Are you sure you want to remove this relationship? +# coreapps.dashboardwidgets.relationships.add=Add new relationship +# coreapps.dashboardwidgets.relationships.whatType=What type of relationship? + +# coreapps.dashboardwidgets.programstatistics.everEnrolled=Ever enrolled +# coreapps.dashboardwidgets.programstatistics.currentlyEnrolled=Currently enrolled +# coreapps.dashboardwidgets.programstatistics.loading=Loading... +# coreapps.dashboardwidgets.programstatistics.error=Error + +# condition ui +# coreapps.conditionui.title=Condition UI Module +# coreapps.conditionui.refapp.title=ConditionUI Reference Application +# coreapps.conditionui.manage=Manage module +# coreapps.conditionui.conditions=Conditions +# coreapps.conditionui.manageConditions=Manage Conditions +# coreapps.conditionui.condition=Condition +# coreapps.conditionui.status=Status +# coreapps.conditionui.onsetdate=Onset Date +# coreapps.conditionui.lastUpdated=Last Updated +# coreapps.conditionui.addNewCondition=Add New Condition +# coreapps.conditionui.noKnownCondition=No Known Condition +# coreapps.conditionui.noKnownConditions=No Known Conditions +# coreapps.conditionui.newCondition=New Condition +# coreapps.conditionui.message.success=Saved changes +# coreapps.conditionui.message.fail=Failed to save changes +# coreapps.conditionui.message.duplicateCondition=Patient already has the {0} condition. Please cancel or save a new condition +# coreapps.conditionui.active=Make Active +# coreapps.conditionui.inactive=Make Inactive +# coreapps.conditionui.updateCondition.success=Condition Saved Successfully +# coreapps.conditionui.updateCondition.delete=Condition Deleted Successfully +# coreapps.conditionui.updateCondition.added=Condition Added Successfully +# coreapps.conditionui.updateCondition.edited=Condition Edited Successfully +# coreapps.conditionui.updateCondition.error=Error Saving condition +# coreapps.conditionui.updateCondition.onSetDate.error=End Date can't be before Onset Date +# coreapps.conditionui.removeCondition=Remove Condition +# coreapps.conditionui.removeCondition.message=Are you sure you want to remove {0} condition for this patient? +# coreapps.conditionui.editCondition=Edit Condition: {0} +# coreapps.conditionui.showVoided=Show Voided +# coreapps.conditionui.active.label=ACTIVE +# coreapps.conditionui.inactive.label=INACTIVE +# coreapps.conditionui.active.uiLabel=Active +# coreapps.conditionui.inactive.uiLabel=Inactive +# coreapps.conditionui.undo=Undo delete +# coreapps.conditionui.activeConditions=Active Conditions +# coreapps.conditionui.inactiveConditions=Inactive Conditions +# coreapps.clinicianfacing.latestObservations=LATEST OBSERVATIONS +# coreapps.clinicianfacing.healthTrendSummary=HEALTH TREND SUMMARY +# coreapps.clinicianfacing.recentVisits=Recent Visits +# coreapps.clinicianfacing.weightGraph=WEIGHT GRAPH +# coreapps.clinicianfacing.family=FAMILY diff --git a/api/bin/src/main/resources/moduleApplicationContext.xml b/api/bin/src/main/resources/moduleApplicationContext.xml new file mode 100644 index 000000000..47eddb19b --- /dev/null +++ b/api/bin/src/main/resources/moduleApplicationContext.xml @@ -0,0 +1,23 @@ + + + + + + + diff --git a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/CodedOrFreeTextAnswerListWidget.java b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/CodedOrFreeTextAnswerListWidget.java index 5275fb735..2a7ab28b9 100644 --- a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/CodedOrFreeTextAnswerListWidget.java +++ b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/CodedOrFreeTextAnswerListWidget.java @@ -101,7 +101,7 @@ public String generateHtml(FormEntryContext context) { } private String initialValueAsJson(List initialValue) { - if (initialValue == null || initialValue.size() == 0) { + if (initialValue == null || initialValue.isEmpty()) { return null; } diff --git a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesByObsElement.java b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesByObsElement.java index 43cf3c7c3..ed2412581 100644 --- a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesByObsElement.java +++ b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDiagnosesByObsElement.java @@ -198,10 +198,10 @@ public Collection validateSubmission(FormEntryContext conte try { List diagnoses = parseDiagnoses(submitted, null); - if (diagnoses.size() == 0 && required) { + if (diagnoses.isEmpty() && required) { return Collections.singleton(new FormSubmissionError(hiddenDiagnoses, "Required")); } - if (diagnoses.size() > 0) { + if (!diagnoses.isEmpty()) { // at least one diagnosis must be primary boolean foundPrimary = false; for (Diagnosis diagnosis : diagnoses) { diff --git a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDispositionTagHandler.java b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDispositionTagHandler.java index c91601cb1..f3d2d59bb 100644 --- a/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDispositionTagHandler.java +++ b/api/src/main/java/org/openmrs/module/coreapps/htmlformentry/EncounterDispositionTagHandler.java @@ -110,7 +110,7 @@ public boolean doStartTag(FormEntrySession session, PrintWriter out, Node parent } // determine if there are any additional observations we need to collect for this disposition - if (disposition.getAdditionalObs() != null && disposition.getAdditionalObs().size() > 0) { + if (disposition.getAdditionalObs() != null && !disposition.getAdditionalObs().isEmpty()) { controls.add(buildNewControl(disposition, disposition.getAdditionalObs())); } } @@ -118,13 +118,13 @@ public boolean doStartTag(FormEntrySession session, PrintWriter out, Node parent dispositionObs.setAttribute("answerConceptIds", answerConceptIds.toString()); dispositionObs.setAttribute("answerCodes", answerCodes.toString()); - if (controls != null && controls.size() > 0) { + if (controls != null && !controls.isEmpty()) { generateControlsElement(dispositionObs, controls); } dispositionObsGroup.appendChild(dispositionObs); - if (controls != null && controls.size() > 0) { + if (controls != null && !controls.isEmpty()) { generateAdditionalObsElements(dispositionObsGroup, controls, exisitingDispositionObsGroup); } diff --git a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/DiagnosesFragmentController.java b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/DiagnosesFragmentController.java index 07b553136..1411b7854 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/DiagnosesFragmentController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/DiagnosesFragmentController.java @@ -181,7 +181,7 @@ public FragmentActionResult codeDiagnosis(UiUtils ui, } } List newDiagnoses= diagnosisService.codeNonCodedDiagnosis(nonCodedObs, diagnosisList); - if ((newDiagnoses != null) && (newDiagnoses.size()>0) ){ + if ((newDiagnoses != null) && (!newDiagnoses.isEmpty()) ){ return new SuccessResult(ui.message("coreapps.dataManagement.codeDiagnosis.success")); } } diff --git a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/encounter/MostRecentEncounterFragmentController.java b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/encounter/MostRecentEncounterFragmentController.java index 3b2ac6017..7ce8d4af0 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/encounter/MostRecentEncounterFragmentController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/encounter/MostRecentEncounterFragmentController.java @@ -70,7 +70,7 @@ public void controller(FragmentConfiguration config, FragmentModel model, UiUtil model.addAttribute("definitionUiResource", definitionUiResource); - if (encounters.size() > 0) { + if (!encounters.isEmpty()) { model.addAttribute("encounter", encounters.get(encounters.size() - 1)); } else { model.addAttribute("encounter", null); diff --git a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/patientdashboard/VisitIncludesFragmentController.java b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/patientdashboard/VisitIncludesFragmentController.java index 18dca545d..ccfcdb23e 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/patientdashboard/VisitIncludesFragmentController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/fragment/controller/patientdashboard/VisitIncludesFragmentController.java @@ -61,7 +61,7 @@ public void controller(FragmentConfiguration config, model.addAttribute("patient", wrapper); List visitTypes = visitTypeHelper.getUnRetiredVisitTypes(); - if (visitType != null && visitTypes.size() > 0) { + if (visitType != null && !visitTypes.isEmpty()) { ListIterator iterator = visitTypes.listIterator(); while (iterator.hasNext() ) { if (!iterator.next().getUuid().equals(visitType)) { diff --git a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MarkPatientDeadPageController.java b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MarkPatientDeadPageController.java index b470bfe0a..846ec6f37 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MarkPatientDeadPageController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MarkPatientDeadPageController.java @@ -50,7 +50,7 @@ public void get(@SpringBean PageModel pageModel, } List visits = Context.getVisitService().getVisitsByPatient(patient); - if (visits.size() > 0) { + if (!visits.isEmpty()) { //Current order of visits returned by getVisitsByPatient() of VisitService has first in list as last visit pageModel.put("lastVisitDate", visits.get(0).getStartDatetime()); } else { @@ -111,7 +111,7 @@ private Collection getConceptAnswers(String conceptId) { */ private void closeActiveVisitsAfterDeath(Patient patient) { List visitList = Context.getVisitService().getActiveVisitsByPatient(patient); - if (visitList.size() <= 0) { + if (!visitList.isEmpty()) { for (Visit visit : visitList) { Context.getVisitService().endVisit(visit, patient.getDeathDate()); } diff --git a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MergeVisitsPageController.java b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MergeVisitsPageController.java index 01cfe46bb..d1f2be2cf 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MergeVisitsPageController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/MergeVisitsPageController.java @@ -62,7 +62,7 @@ public String post(@RequestParam("patientId") Patient patient, SimpleObject.create("patientId", patient.getId().toString() )); } - if (mergeVisits!=null && mergeVisits.size() > 0 ){ + if (mergeVisits!=null && !mergeVisits.isEmpty() ){ Visit mergedVisit = service.mergeConsecutiveVisits(mergeVisits, patient); if (mergedVisit != null){ request.getSession().setAttribute(AppUiConstants.SESSION_ATTRIBUTE_INFO_MESSAGE, ui.message("coreapps.task.mergeVisits.success")); diff --git a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/providermanagement/ProviderListPageController.java b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/providermanagement/ProviderListPageController.java index aecae0a46..6bf7ba094 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/page/controller/providermanagement/ProviderListPageController.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/page/controller/providermanagement/ProviderListPageController.java @@ -23,7 +23,7 @@ public void get(PageModel model, Map> providers = new HashMap>(); List providerRoleList = providerManagementService.getRestrictedProviderRoles(false); - if (providerRoleList != null && providerRoleList.size() > 0 ) { + if (providerRoleList != null && !providerRoleList.isEmpty() ) { List providersByRoles = Context.getService(ProviderManagementService.class).getProvidersByRoles(providerRoleList); for (Provider providerByRole : providersByRoles) { List supervisorsForProvider = ProviderManagementUtils.getSupervisors(providerByRole); diff --git a/omod/src/main/java/org/openmrs/module/coreapps/web/resource/LatestObsResource.java b/omod/src/main/java/org/openmrs/module/coreapps/web/resource/LatestObsResource.java index 1abef69dd..8661ab63f 100644 --- a/omod/src/main/java/org/openmrs/module/coreapps/web/resource/LatestObsResource.java +++ b/omod/src/main/java/org/openmrs/module/coreapps/web/resource/LatestObsResource.java @@ -84,7 +84,7 @@ protected PageableResult doSearch(RequestContext context) { questions.add(concept); List latestObs = obsService.getObservations(who, null, questions, null, null, null, sort, nLatestObs, null, null, null, false); - if (latestObs.size() > 0) { + if (!latestObs.isEmpty()) { obsList.addAll(latestObs); } }