diff --git a/src/artisanlib/main.py b/src/artisanlib/main.py index 377622fba..88463a429 100644 --- a/src/artisanlib/main.py +++ b/src/artisanlib/main.py @@ -17115,7 +17115,7 @@ def settingsLoad(self, filename:Optional[str] = None, theme:bool = False, machin self.modbus.parity = s2a(toString(settings.value('parity',self.modbus.parity))) self.modbus.timeout = max(0.3, float2float(toFloat(settings.value('timeout',self.modbus.timeout)))) # min serial MODBUS timeout is 300ms self.modbus.serial_strict_timing = bool(toBool(settings.value('serial_strict_timing',self.modbus.serial_strict_timing))) - self.modbus.modbus_serial_extra_read_delay = toFloat(settings.value('modbus_serial_extra_read_delay',self.modbus.modbus_serial_extra_read_delay)) + self.modbus.modbus_serial_connect_delay = toFloat(settings.value('modbus_serial_connect_delay',self.modbus.modbus_serial_connect_delay)) self.modbus.serial_readRetries = toInt(settings.value('serial_readRetries',self.modbus.serial_readRetries)) self.modbus.IP_timeout = float2float(toFloat(settings.value('IP_timeout',self.modbus.IP_timeout))) self.modbus.IP_retries = toInt(settings.value('IP_retries',self.modbus.IP_retries)) @@ -17147,7 +17147,6 @@ def settingsLoad(self, filename:Optional[str] = None, theme:bool = False, machin self.modbus.type = toInt(settings.value('type',self.modbus.type)) self.modbus.host = toString(settings.value('host',self.modbus.host)) self.modbus.port = toInt(settings.value('port',self.modbus.port)) - self.modbus.reset_socket = bool(toBool(settings.value('reset_socket',self.modbus.reset_socket))) settings.endGroup() #--- END GROUP Modbus @@ -18841,7 +18840,7 @@ def saveAllSettings(self, settings:QSettings, default_settings:Optional[Dict[str self.settingsSetValue(settings, default_settings, 'parity',self.modbus.parity, read_defaults) self.settingsSetValue(settings, default_settings, 'timeout',self.modbus.timeout, read_defaults) self.settingsSetValue(settings, default_settings, 'serial_strict_timing',self.modbus.serial_strict_timing, read_defaults) - self.settingsSetValue(settings, default_settings, 'modbus_serial_extra_read_delay',self.modbus.modbus_serial_extra_read_delay, read_defaults) + self.settingsSetValue(settings, default_settings, 'modbus_serial_connect_delay',self.modbus.modbus_serial_connect_delay, read_defaults) self.settingsSetValue(settings, default_settings, 'serial_readRetries',self.modbus.serial_readRetries, read_defaults) self.settingsSetValue(settings, default_settings, 'IP_timeout',self.modbus.IP_timeout, read_defaults) self.settingsSetValue(settings, default_settings, 'IP_retries',self.modbus.IP_retries, read_defaults) @@ -18872,7 +18871,6 @@ def saveAllSettings(self, settings:QSettings, default_settings:Optional[Dict[str self.settingsSetValue(settings, default_settings, 'type',self.modbus.type, read_defaults) self.settingsSetValue(settings, default_settings, 'host',self.modbus.host, read_defaults) self.settingsSetValue(settings, default_settings, 'port',self.modbus.port, read_defaults) - self.settingsSetValue(settings, default_settings, 'reset_socket',self.modbus.reset_socket, read_defaults) settings.endGroup() #--- END GROUP Modbus @@ -22814,7 +22812,7 @@ def setcommport(self, _:bool = False) -> None: self.modbus.parity = str(dialog.modbus_parityComboBox.currentText()) self.modbus.timeout = max(0.3, float2float(toFloat(str(dialog.modbus_timeoutEdit.text())))) # minimum serial timeout should be 300ms try: - self.modbus.modbus_serial_extra_read_delay = toInt(dialog.modbus_Serial_delayEdit.text()) / 1000 + self.modbus.modbus_serial_connect_delay = float2float(toFloat(dialog.modbus_Serial_delayEdit.text())) except Exception: # pylint: disable=broad-except pass self.modbus.serial_readRetries = dialog.modbus_Serial_retriesComboBox.currentIndex() @@ -22914,7 +22912,6 @@ def setcommport(self, _:bool = False) -> None: self.modbus.wordorderLittle = bool(dialog.modbus_littleEndianWords.isChecked()) self.modbus.optimizer = bool(dialog.modbus_optimize.isChecked()) self.modbus.fetch_max_blocks = bool(dialog.modbus_full_block.isChecked()) - self.modbus.reset_socket = bool(dialog.modbus_reset.isChecked()) self.modbus.type = int(dialog.modbus_type.currentIndex()) self.modbus.host = str(dialog.modbus_hostEdit.text()) try: diff --git a/src/artisanlib/modbusport.py b/src/artisanlib/modbusport.py index 0c2ba1cfb..579e7944d 100644 --- a/src/artisanlib/modbusport.py +++ b/src/artisanlib/modbusport.py @@ -100,18 +100,19 @@ def getBinaryPayloadDecoderFromRegisters(registers:List[int], byteorderLittle:bo class modbusport: """ this class handles the communications with all the modbus devices""" - __slots__ = [ 'aw', 'modbus_serial_read_delay', 'modbus_serial_extra_read_delay', 'modbus_serial_write_delay', 'maxCount', 'readRetries', 'serial_strict_timing', 'default_comport', 'comport', 'baudrate', 'bytesize', 'parity', 'stopbits', + __slots__ = [ 'aw', 'modbus_serial_read_delay', 'modbus_serial_connect_delay', 'modbus_serial_write_delay', 'maxCount', 'readRetries', 'serial_strict_timing', 'default_comport', 'comport', 'baudrate', 'bytesize', 'parity', 'stopbits', 'timeout', 'IP_timeout', 'IP_retries', 'serial_readRetries', 'PID_slave_ID', 'PID_SV_register', 'PID_p_register', 'PID_i_register', 'PID_d_register', 'PID_ON_action', 'PID_OFF_action', 'channels', 'inputSlaves', 'inputRegisters', 'inputFloats', 'inputBCDs', 'inputFloatsAsInt', 'inputBCDsAsInt', 'inputSigned', 'inputCodes', 'inputDivs', - 'inputModes', 'optimizer', 'fetch_max_blocks', 'fail_on_cache_miss', 'disconnect_on_error', 'acceptable_errors', 'reset_socket', 'activeRegisters', 'readingsCache', 'SVmultiplier', 'PIDmultiplier', + 'inputModes', 'optimizer', 'fetch_max_blocks', 'fail_on_cache_miss', 'disconnect_on_error', 'acceptable_errors', 'activeRegisters', 'readingsCache', 'SVmultiplier', 'PIDmultiplier', 'byteorderLittle', 'wordorderLittle', 'master', 'COMsemaphore', 'default_host', 'host', 'port', 'type', 'lastReadResult', 'commError' ] def __init__(self, aw:'ApplicationWindow') -> None: self.aw = aw self.modbus_serial_read_delay :Final[float] = 0.035 # in seconds - self.modbus_serial_extra_read_delay :float = 0.0 # in seconds (user configurable) +# self.modbus_serial_extra_read_delay :float = 0.0 # in seconds (user configurable) # retired self.modbus_serial_write_delay :Final[float] = 0.080 # in seconds + self.modbus_serial_connect_delay :float = 0.0 # in seconds (user configurable delay after serial connect; important for Arduino based slaves that reboot on connect) self.maxCount:Final[int] = 125 # the maximum number of registers that can be fetched in one request according to the MODBUS spec self.readRetries:int = 0 # retries @@ -161,8 +162,6 @@ def __init__(self, aw:'ApplicationWindow') -> None: self.disconnect_on_error:bool = True # if True we explicitly disconnect the MODBUS connection on IO errors (was: if on MODBUS serial and restart it on next request) self.acceptable_errors = 3 # the number of errors that are acceptable without a disconnect/reconnect. If set to 0 every error triggers a reconnect if disconnect_on_error is True - self.reset_socket:bool = False # reset socket connection on error (True by default in pymodbus>v2.5.2, False by default in pymodbus v2.3) - self.activeRegisters:Dict[int, Dict[int, List[int]]] = {} # the readings cache that is filled by requesting sequences of values of activeRegisters in blocks self.readingsCache:Dict[int, Dict[int, Dict[int, int]]] = {} @@ -197,10 +196,11 @@ def sleepBetween(self, write:bool = False) -> None: # pass # else: # time.sleep(self.modbus_serial_write_delay) - elif self.type in {3, 4}: # delay between writes only on serial connections + elif self.type in {3, 4}: # delay between reads only on serial connections pass else: - time.sleep(self.modbus_serial_read_delay + self.modbus_serial_extra_read_delay) +# time.sleep(self.modbus_serial_read_delay + self.modbus_serial_extra_read_delay) + time.sleep(self.modbus_serial_read_delay) @staticmethod def address2register(addr:Union[float, int], code:int = 3) -> int: @@ -269,8 +269,6 @@ def connect(self) -> None: retries=1, # number of send retries # retry_on_empty=True, # retry on empty response, by default False for faster speed # removed in pymodbus 3.7 # retry_on_invalid=True, # retry on invalid response, by default False for faster speed # retired -# close_comm_on_error=self.reset_socket, -# reset_socket=self.reset_socket, reconnect_delay=0, # avoid automatic reconnection # on_reconnect_callback=self.reconnect, # removed in pymodbus 3.7 # timeout is in seconds and defaults to 3 @@ -291,7 +289,6 @@ def connect(self) -> None: # retries=0, # number of send retries ## retry_on_empty=True, # retry on empty response, by default False for faster speed # removed in pymodbus 3.7 # retry_on_invalid=True, # retry on invalid response, by default False for faster speed # retired -# reset_socket=self.reset_socket, # reconnect_delay=0, # avoid automatic reconnection ## on_reconnect_callback=self.reconnect, # removed in pymodbus 3.7 # # timeout is in seconds and defaults to 3 @@ -306,9 +303,7 @@ def connect(self) -> None: retries=1, # number of send retries # retry_on_empty=True, # retry on empty response # removed in pymodbus 3.7 # retry_on_invalid=True, # retry on invalid response # retired -# close_comm_on_error=self.reset_socket, -# reset_socket=self.reset_socket, - reconnect_delay=0, # avoid automatic reconnection +# reconnect_delay=0, # not used by sync client # on_reconnect_callback=self.reconnect, # removed in pymodbus 3.7 # timeout is in seconds (int) and defaults to 3 timeout=min((self.aw.qmc.delay/2000), self.IP_timeout) # the timeout should not be larger than half of the sampling interval @@ -328,9 +323,7 @@ def connect(self) -> None: retries=0, # number of send retries (if set to n>0 each requests is sent n-types on MODBUS UDP!) # retry_on_empty=True, # retry on empty response # removed in pymodbus 3.7 # retry_on_invalid=True, # retry on invalid response # retired -# close_comm_on_error=self.reset_socket, -# reset_socket=self.reset_socket, # retired - reconnect_delay=0, # avoid automatic reconnection +# reconnect_delay=0, # not used by sync client # on_reconnect_callback=self.reconnect, # removed in pymodbus 3.7 # timeout is in seconds (int) and defaults to 3 timeout=min((self.aw.qmc.delay/2000), self.IP_timeout) # the timeout should not be larger than half of the sampling interval @@ -359,27 +352,21 @@ def connect(self) -> None: bytesize=self.bytesize, parity=self.parity, stopbits=self.stopbits, - retries=1, # number of send retries -# retry_on_empty=True, # retry on empty response; by default False for faster speed # removed in pymodbus 3.7 -# retry_on_invalid=True, # retry on invalid response; by default False # retired -# close_comm_on_error=self.reset_socket, -# reset_socket=self.reset_socket, # retired -# strict=False, # settings this to False disables the inter char timeout restriction # retired and replaced by self.serial_strict_timing - reconnect_delay=0, # avoid automatic reconnection -# on_reconnect_callback=self.reconnect, # removed in pymodbus 3.7 + retries=1, # number of send retries (ignored on sync client pymodbus 3.6.9, but not on 3.7.2); NOTE: disconnects between retries! timeout=min((self.aw.qmc.delay/2000), self.timeout)) # the timeout should not be larger than half of the sampling interval self.readRetries = self.serial_readRetries _log.debug('connect(): connecting') time.sleep(.2) # avoid possible hickups on startup if self.master is not None: self.master.connect() # type:ignore[no-untyped-call,unused-ignore] -# # on connect() of serial connections we reset the inter_byte_timeout of the serial socket if serial_strict_timing is False -# if not self.serial_strict_timing and self.type in {0,1} and self.master.socket is not None and isinstance(self.master.socket, serial.Serial): -# self.master.socket.inter_byte_timeout = None if self.isConnected(): self.updateActiveRegisters() self.clearReadingsCache() - time.sleep(.3) # avoid possible hickups on startup + if self.type in {0,1}: + # respect the user defined connect delay on serial connections + time.sleep(self.modbus_serial_connect_delay) + else: + time.sleep(.3) # avoid possible hickups on startup self.aw.sendmessage(QApplication.translate('Message', 'Connected via MODBUS')) else: self.aw.qmc.adderror(QApplication.translate('Error Message','Modbus Error: failed to connect')) diff --git a/src/artisanlib/ports.py b/src/artisanlib/ports.py index 142f7f39d..4a0bb9509 100644 --- a/src/artisanlib/ports.py +++ b/src/artisanlib/ports.py @@ -681,9 +681,9 @@ def __init__(self, parent:'QWidget', aw:'ApplicationWindow') -> None: modbus_Serial_delaylabel = QLabel(QApplication.translate('Label', 'Delay')) - modbus_Serial_delaylabel.setToolTip(QApplication.translate('Tooltip', 'Extra delay in Milliseconds between MODBUS Serial commands')) - self.modbus_Serial_delayEdit = QLineEdit(str(int(self.aw.modbus.modbus_serial_extra_read_delay*1000))) - self.modbus_Serial_delayEdit.setValidator(self.aw.createCLocaleDoubleValidator(0,99,0,self.modbus_Serial_delayEdit)) + modbus_Serial_delaylabel.setToolTip(QApplication.translate('Tooltip', 'Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect)')) + self.modbus_Serial_delayEdit = QLineEdit(str(self.aw.modbus.modbus_serial_connect_delay)) + self.modbus_Serial_delayEdit.setValidator(self.aw.createCLocaleDoubleValidator(0,3,1,self.modbus_Serial_delayEdit)) self.modbus_Serial_delayEdit.setFixedWidth(50) self.modbus_Serial_delayEdit.setAlignment(Qt.AlignmentFlag.AlignRight) self.modbus_Serial_delayEdit.setToolTip(QApplication.translate('Tooltip', 'Extra delay in Milliseconds between MODBUS Serial commands')) @@ -760,12 +760,6 @@ def __init__(self, parent:'QWidget', aw:'ApplicationWindow') -> None: self.modbus_full_block.setFocusPolicy(Qt.FocusPolicy.NoFocus) self.modbus_full_block.setEnabled(bool(self.aw.modbus.optimizer)) - self.modbus_reset = QCheckBox(QApplication.translate('ComboBox','reset')) - self.modbus_reset.setChecked(self.aw.modbus.reset_socket) - self.modbus_reset.setFocusPolicy(Qt.FocusPolicy.NoFocus) - self.modbus_reset.setToolTip(QApplication.translate('Tooltip','Reset socket connection on error')) - self.modbus_reset.setEnabled(False) - ########################## TAB 4 WIDGETS SCALE scale_devicelabel = QLabel(QApplication.translate('Label', 'Device')) self.scale_deviceEdit = QComboBox() @@ -990,8 +984,6 @@ def __init__(self, parent:'QWidget', aw:'ApplicationWindow') -> None: modbus_setup.addWidget(self.modbus_optimize) modbus_setup.addSpacing(5) modbus_setup.addWidget(self.modbus_full_block) - modbus_setup.addSpacing(5) - modbus_setup.addWidget(self.modbus_reset) modbus_setup.addSpacing(7) modbus_setup.addStretch() modbus_setup.addWidget(modbus_typelabel) diff --git a/src/artisanlib/util.py b/src/artisanlib/util.py index 9c7fd6eab..9f211015e 100644 --- a/src/artisanlib/util.py +++ b/src/artisanlib/util.py @@ -531,6 +531,7 @@ def setDeviceDebugLogLevel(state: bool) -> None: if state: # debug logging on logging.getLogger('pymodbus.logging').setLevel(logging.DEBUG) + logging.getLogger('pymodbus.client').setLevel(logging.DEBUG) _log.info('device debug logging ON') else: # debug logging off diff --git a/src/translations/artisan_ar.qm b/src/translations/artisan_ar.qm index a7fbe7e59..10de99ec0 100644 Binary files a/src/translations/artisan_ar.qm and b/src/translations/artisan_ar.qm differ diff --git a/src/translations/artisan_ar.ts b/src/translations/artisan_ar.ts index 0c1154ffb..e9338f0f7 100644 --- a/src/translations/artisan_ar.ts +++ b/src/translations/artisan_ar.ts @@ -9,57 +9,57 @@ الافراج عن الراعي - + About نبذة - + Core Developers المطورون الأساسيون - + License رخصة - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. حدثت مشكلة في استرداد أحدث معلومات الإصدار. يرجى التحقق من اتصالك بالإنترنت ، أو المحاولة مرة أخرى لاحقًا ، أو التحقق يدويًا. - + A new release is available. إصدار جديد متاح. - + Show Change list إظهار قائمة التغيير - + Download Release تنزيل الإصدار - + You are using the latest release. أنت تستخدم أحدث إصدار. - + You are using a beta continuous build. أنت تستخدم بناء بيتا المستمر. - + You will see a notice here once a new official release is available. سترى إشعارًا هنا بمجرد توفر إصدار رسمي جديد. - + Update status تحديث الحالة @@ -227,14 +227,34 @@ Button + + + + + + + + + OK + موافق + + + + + + + + Cancel + إلغاء + - - - - + + + + Restore Defaults @@ -262,7 +282,7 @@ - + @@ -290,7 +310,7 @@ - + @@ -348,17 +368,6 @@ Save حفظ - - - - - - - - - OK - موافق - On @@ -571,15 +580,6 @@ Write PIDs كتابة قيم بي آي دي - - - - - - - Cancel - إلغاء - Set ET PID to MM:SS time units @@ -598,8 +598,8 @@ - - + + @@ -619,7 +619,7 @@ - + @@ -659,7 +659,7 @@ بداية - + Scan مسح @@ -744,9 +744,9 @@ تحديث - - - + + + Save Defaults حفظ الافتراضيات @@ -1501,12 +1501,12 @@ END الطفو - + START on CHARGE ابدأ بتكلفة - + OFF on DROP OFF عند DROP @@ -1578,61 +1578,61 @@ END عرض دائما - + Heavy FC صدع اول قوي - + Low FC صدع أول خفيف - + Light Cut قطع فاتح - + Dark Cut قطع غامق - + Drops قطرات - + Oily مدهن - + Uneven غير متساوي - + Tipping شقوق - + Scorching حروق - + Divots حفر @@ -2448,14 +2448,14 @@ END - + ET حرارة المحيط - + BT حرارة البن @@ -2478,24 +2478,19 @@ END كلمات - + optimize تحسين - + fetch full blocks إحضار الكتل الكاملة - - reset - إعادة تعيين - - - + compression منتهي @@ -2681,6 +2676,10 @@ END Elec كهربائي + + reset + إعادة تعيين + Title عنوان @@ -2892,6 +2891,16 @@ END Contextual Menu + + + All batches prepared + جميع الدفعات جاهزة + + + + No batch prepared + لم يتم إعداد أي دفعة + Add point @@ -2937,16 +2946,6 @@ END Edit تحرير - - - All batches prepared - جميع الدفعات جاهزة - - - - No batch prepared - لم يتم إعداد أي دفعة - Create إنشاء @@ -4316,20 +4315,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4422,42 +4421,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4526,10 +4525,10 @@ END - - - - + + + + @@ -4727,12 +4726,12 @@ END - - - - - - + + + + + + @@ -4741,17 +4740,17 @@ END خطأ في القيمة: - + Serial Exception: invalid comm port استثناء تسلسلي: منفذ اتصالات غير صالح - + Serial Exception: timeout استثناء المسلسل: مهلة - + Unable to move CHARGE to a value that does not exist تعذر نقل CHARGE إلى قيمة غير موجودة @@ -4761,30 +4760,30 @@ END تم استئناف اتصالات Modbus - + Modbus Error: failed to connect خطأ مودبوس: فشل في الاتصال - - - - - - - - - + + + + + + + + + Modbus Error: خطأ مودبوس: - - - - - - + + + + + + Modbus Communication Error خطأ في اتصال Modbus @@ -4868,52 +4867,52 @@ END استثناء: {} ليس ملف إعدادات صالحًا - - - - - + + + + + Error خطأ - + Exception: WebLCDs not supported by this build استثناء: WebLCDs لا يدعمها هذا الإصدار - + Could not start WebLCDs. Selected port might be busy. تعذر بدء تشغيل شاشات WebLCD. قد يكون المنفذ المحدد مشغولاً. - + Failed to save settings فشل حفظ الإعدادات - - + + Exception (probably due to an empty profile): استثناء (ربما بسبب ملف تعريف فارغ): - + Analyze: CHARGE event required, none found تحليل: حدث CHARGE مطلوب ، لم يتم العثور على أي شيء - + Analyze: DROP event required, none found تحليل: حدث DROP مطلوب ، لم يتم العثور على أي شيء - + Analyze: no background profile data available تحليل: لا تتوفر بيانات ملف تعريف الخلفية - + Analyze: background profile requires CHARGE and DROP events تحليل: يتطلب ملف تعريف الخلفية أحداث CHARGE و DROP @@ -4996,6 +4995,12 @@ END Form Caption + + + + Custom Blend + مزيج مخصص + Axes @@ -5130,12 +5135,12 @@ END إعدادات منفذ تسلسلي - + MODBUS Help تعليمات MODBUS - + S7 Help مساعدة S7 @@ -5155,23 +5160,17 @@ END خصائص الحمص - - - Custom Blend - مزيج مخصص - - - + Energy Help مساعدة الطاقة - + Tare Setup الإعداد الفارغ - + Set Measure from Profile قم بتعيين قياس من الملف الشخصي @@ -5393,27 +5392,27 @@ END إدارة - + Registers السجلات - - + + Commands أوامر - + PID بي آي دي - + Serial متسلسل @@ -5424,37 +5423,37 @@ END UDP / TCP - + Input إدخال - + Machine آلة - + Timeout نفذ الوقت - + Nodes العقد - + Messages رسائل - + Flags أعلام - + Events الأحداث @@ -5466,14 +5465,14 @@ END - + Energy طاقة - + CO2 ثاني أكسيد الكربون @@ -5773,14 +5772,14 @@ END HTML Report Template - + BBP Total Time الوقت الإجمالي BBP - + BBP Bottom Temp درجة الحرارة السفلية BBP @@ -5797,849 +5796,849 @@ END - + Whole Color لون البن المحموص - - + + Profile الملف الشخصي - + Roast Batches دفعات مشوية - - - + + + Batch حزمة - - + + Date تاريخ - - - + + + Beans البن - - - + + + In في - - + + Out خارج - - - + + + Loss خسارة - - + + SUM مجموع - + Production Report تقرير الإنتاج - - + + Time الوقت - - + + Weight In الوزن في - - + + CHARGE BT تشارج BT - - + + FCs Time توقيت FCs - - + + FCs BT - - + + DROP Time وقت DROP - - + + DROP BT إسقاط BT - + Dry Percent النسبة المئوية الجافة - + MAI Percent نسبة MAI - + Dev Percent نسبة التطوير - - + + AUC الجامعة الأمريكية بالقاهرة - - + + Weight Loss فقدان الوزن - - + + Color اللون - + Cupping الحجامة - + Roaster الحماصة - + Capacity الاهلية - + Operator المشغل أو العامل - + Organization منظمة - + Drum Speed سرعة الطبل - + Ground Color لون البن المطحون - + Color System نظام الألوان - + Screen Min شاشة دقيقة - + Screen Max شاشة ماكس - + Bean Temp درجة حرارة الفول - + CHARGE ET المسؤول وآخرون - + TP Time TP تايم - + TP ET - + TP BT - + DRY Time وقت جاف - + DRY ET جاف وآخرون - + DRY BT جاف BT - + FCs ET - + FCe Time توقيت FCe - + FCe ET - + FCe BT - + SCs Time توقيت الطوائف المنبوذة - + SCs ET - + SCs BT - + SCe Time توقيت SCe - + SCe ET - + SCe BT - + DROP ET - + COOL Time توقيت بارد - + COOL ET بارد وآخرون - + COOL BT بارد BT - + Total Time الوقت الكلي - + Dry Phase Time وقت المرحلة الجافة - + Mid Phase Time منتصف المرحلة الوقت - + Finish Phase Time وقت مرحلة الانتهاء - + Dry Phase RoR المرحلة الجافة RoR - + Mid Phase RoR منتصف المرحلة RoR - + Finish Phase RoR إنهاء مرحلة RoR - + Dry Phase Delta BT المرحلة الجافة دلتا BT - + Mid Phase Delta BT منتصف المرحلة دلتا BT - + Finish Phase Delta BT إنهاء المرحلة دلتا BT - + Finish Phase Rise الانتهاء من ارتفاع المرحلة - + Total RoR إجمالي RoR - + FCs RoR - + MET التقى - + AUC Begin تبدأ الجامعة الأمريكية بالقاهرة - + AUC Base قاعدة الجامعة الأمريكية بالقاهرة - + Dry Phase AUC المرحلة الجافة AUC - + Mid Phase AUC منتصف المرحلة AUC - + Finish Phase AUC إنهاء المرحلة AUC - + Weight Out الوزن خارج - + Volume In حجم الصوت - + Volume Out حجم خارج - + Volume Gain زيادة الحجم - + Green Density الكثافة الخضراء - + Roasted Density الكثافة المحمصة - + Moisture Greens حالة التخزين - + Moisture Roasted رطوبة محمصة - + Moisture Loss فقدان الرطوبة - + Organic Loss خسارة عضوية - + Ambient Humidity الرطوبة المحيطة - + Ambient Pressure الضغط المحيط - + Ambient Temperature درجة الحرارة المحيطة - - + + Roasting Notes ملاحظات الحمص - - + + Cupping Notes ملاحظات التذوق - + Heavy FC صدع اول قوي - + Low FC صدع أول خفيف - + Light Cut قطع فاتح - + Dark Cut قطع غامق - + Drops قطرات - + Oily مدهن - + Uneven غير متساوي - + Tipping شقوق - + Scorching حروق - + Divots حفر - + Mode الوضع - + BTU Batch دفعة BTU - + BTU Batch per green kg دفعة BTU لكل كيلوغرام أخضر - + CO2 Batch ثاني أكسيد الكربون دفعة - + BTU Preheat BTU سخن - + CO2 Preheat ثاني أكسيد الكربون 2 سخن - + BTU BBP - + CO2 BBP ثاني أكسيد الكربون BBP - + BTU Cooling تبريد BTU - + CO2 Cooling تبريد ثاني أكسيد الكربون - + BTU Roast تحميص حراري بريطاني - + BTU Roast per green kg تحميص حراري بريطاني لكل كيلوغرام أخضر - + CO2 Roast تحميص ثاني أكسيد الكربون - + CO2 Batch per green kg دفعة لكل كيلوغرام أخضر ثاني أكسيد الكربون - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch دفعة الكفاءة - + Efficiency Roast كفاءة التحميص - + BBP Begin بداية BBP - + BBP Begin to Bottom Time BBP تبدأ في أسفل الوقت - + BBP Bottom to CHARGE Time BBP من الأسفل إلى وقت الشحن - + BBP Begin to Bottom RoR BBP يبدأ في أسفل RoR - + BBP Bottom to CHARGE RoR BBP من الأسفل إلى CHARGE RoR - + File Name اسم الملف - + Roast Ranking ترتيب الشواء - + Ranking Report تقرير الترتيب - + AVG - + Roasting Report تقرير الحمص - + Date: تاريخ: - + Beans: البن: - + Weight: الوزن: - + Volume: الحجك: - + Roaster: الحمّاصة: - + Operator: المشغّل: - + Organization: منظمة: - + Cupping: التذوّق: - + Color: اللون: - + Energy: طاقة: - + CO2: ثاني أكسيد الكربون: - + CHARGE: تحميل: - + Size: المقاس: - + Density: الكثافة: - + Moisture: رُطُوبَة: - + Ambient: محيط ب: - + TP: نقطة تحول: - + DRY: جفاف: - + FCs: بدء الصدع الأول: - + FCe: نهاية الصدع الأول: - + SCs: بدء الصدع الثاني: - + SCe: نهاية الصدع الثاني: - + DROP: إخراج: - + COOL: تبريد: - + MET: التقى: - + CM: سم: - + Drying: التجفيف: - + Maillard: مرحلة ميلارد: - + Finishing: التشطيب: - + Cooling: التبريد: - + Background: خلفية: - + Alarms: إنذار: - + RoR: معدّل إرتفاع: - + AUC: الجامعة الأمريكية بالقاهرة: - + Events أحداث @@ -12405,6 +12404,92 @@ Artisan will start the program each sample period. The program output must be t Label + + + + + + + + + Weight + الوزن + + + + + + + Beans + البن + + + + + + Density + الكثافة + + + + + + Color + ألوان + + + + + + Moisture + رطوبة + + + + + + + Roasting Notes + ملاحظات الحمص + + + + Score + نتيجة + + + + + Cupping Score + نتيجة الحجامة + + + + + + + Cupping Notes + ملاحظات التذوق + + + + + + + + Roasted + محمص + + + + + + + + + Green + أخضر + @@ -12509,7 +12594,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12528,7 +12613,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12544,7 +12629,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12563,7 +12648,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12590,7 +12675,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12622,7 +12707,7 @@ Artisan will start the program each sample period. The program output must be t - + DRY جفاف @@ -12639,7 +12724,7 @@ Artisan will start the program each sample period. The program output must be t - + FCs بدء الصدع الأول @@ -12647,7 +12732,7 @@ Artisan will start the program each sample period. The program output must be t - + FCe نهاية الصدع الأول @@ -12655,7 +12740,7 @@ Artisan will start the program each sample period. The program output must be t - + SCs بدء الصدع الثاني @@ -12663,7 +12748,7 @@ Artisan will start the program each sample period. The program output must be t - + SCe نهاية الصدع الثاني @@ -12676,7 +12761,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12691,10 +12776,10 @@ Artisan will start the program each sample period. The program output must be t / دقيقة - - - - + + + + @@ -12702,8 +12787,8 @@ Artisan will start the program each sample period. The program output must be t شغّل - - + + @@ -12717,8 +12802,8 @@ Artisan will start the program each sample period. The program output must be t دورة - - + + Input إدخال @@ -12752,7 +12837,7 @@ Artisan will start the program each sample period. The program output must be t - + @@ -12769,8 +12854,8 @@ Artisan will start the program each sample period. The program output must be t - - + + Mode @@ -12832,7 +12917,7 @@ Artisan will start the program each sample period. The program output must be t - + Label @@ -12957,21 +13042,21 @@ Artisan will start the program each sample period. The program output must be t SV كحد أقصى - + P بي - + I آي - + D @@ -13033,13 +13118,6 @@ Artisan will start the program each sample period. The program output must be t Markers علامات - - - - - Color - ألوان - Text Color @@ -13070,9 +13148,9 @@ Artisan will start the program each sample period. The program output must be t المقاس - - + + @@ -13110,8 +13188,8 @@ Artisan will start the program each sample period. The program output must be t - - + + Event @@ -13124,7 +13202,7 @@ Artisan will start the program each sample period. The program output must be t فعل - + Command أمر @@ -13136,7 +13214,7 @@ Artisan will start the program each sample period. The program output must be t عوض - + Factor @@ -13153,14 +13231,14 @@ Artisan will start the program each sample period. The program output must be t درجة الحرارة - + Unit وحدة - + Source مصدر @@ -13171,10 +13249,10 @@ Artisan will start the program each sample period. The program output must be t تجمع - - - + + + OFF @@ -13225,15 +13303,15 @@ Artisan will start the program each sample period. The program output must be t تسجيل - - + + Area منطقة - - + + DB# DB # @@ -13241,54 +13319,54 @@ Artisan will start the program each sample period. The program output must be t - + Start بداية - - + + Comm Port منفذ الإتصال - - + + Baud Rate معدل الباود - - + + Byte Size حجم البايت - - + + Parity تكافؤ - - + + Stopbits بت التوقف - - + + @@ -13325,8 +13403,8 @@ Artisan will start the program each sample period. The program output must be t - - + + Type نوع @@ -13336,8 +13414,8 @@ Artisan will start the program each sample period. The program output must be t - - + + Host شبكة الاتصال @@ -13348,20 +13426,20 @@ Artisan will start the program each sample period. The program output must be t - - + + Port ميناء - + SV Factor عامل SV - + pid Factor عامل pid @@ -13383,75 +13461,75 @@ Artisan will start the program each sample period. The program output must be t حازم - - + + Device الجهاز - + Rack رف - + Slot فتحة - + Path طريق - + ID هوية شخصية - + Connect الاتصال - + Reconnect أعد الاتصال - - + + Request طلب - + Message ID معرف الرسالة - + Machine ID هوية الماكنة - + Data البيانات - + Message رسالة - + Data Request طلب البيانات - - + + Node العقدة @@ -13513,17 +13591,6 @@ Artisan will start the program each sample period. The program output must be t g غرام - - - - - - - - - Weight - الوزن - @@ -13531,25 +13598,6 @@ Artisan will start the program each sample period. The program output must be t Volume الحجم - - - - - - - - Green - أخضر - - - - - - - - Roasted - محمص - @@ -13600,31 +13648,16 @@ Artisan will start the program each sample period. The program output must be t تاريخ - + Batch حزمة - - - - - - Beans - البن - % % - - - - - Density - الكثافة - Screen @@ -13640,13 +13673,6 @@ Artisan will start the program each sample period. The program output must be t Ground أرض - - - - - Moisture - رطوبة - @@ -13659,22 +13685,6 @@ Artisan will start the program each sample period. The program output must be t Ambient Conditions حال الطقس - - - - - - Roasting Notes - ملاحظات الحمص - - - - - - - Cupping Notes - ملاحظات التذوق - Ambient Source @@ -13696,140 +13706,140 @@ Artisan will start the program each sample period. The program output must be t يمزج - + Template قالب - + Results in النتائج في - + Rating تقييم - + Pressure % ضغط ٪ - + Electric Energy Mix: مزيج الطاقة الكهربائية: - + Renewable قابل للتجديد - - + + Pre-Heating التسخين المسبق - - + + Between Batches بين الدُفعات - - + + Cooling التبريد - + Between Batches after Pre-Heating بين الدُفعات بعد التسخين المسبق - + (mm:ss) (مم: ث) - + Duration مدة - + Measured Energy or Output % الطاقة المقاسة أو الناتج٪ - - + + Preheat سخن - - + + BBP - - - - + + + + Roast حمص - - + + per kg green coffee لكل كيلوغرام من البن الأخضر - + Load تحميل - + Organization منظمة - + Operator المشغل - + Machine آلة - + Model نموذج - + Heating تدفئة - + Drum Speed سرعة الطبل - + organic material مواد عضوية @@ -14153,12 +14163,6 @@ LCDs All Roaster الحماصة - - - - Cupping Score - نتيجة الحجامة - Max characters per line @@ -14238,7 +14242,7 @@ LCDs All لون الحواف (RGBA) - + roasted تفحم @@ -14385,22 +14389,22 @@ LCDs All - + ln() ln () - - + + x x - - + + Bkgnd @@ -14549,99 +14553,99 @@ LCDs All تحميل البن - + /m / م - + greens الخضر - - - + + + STOP قف - - + + OPEN يفتح - - - + + + CLOSE يغلق - - + + AUTO أوتوماتيكي - - - + + + MANUAL يدوي - + STIRRER التحريك - + FILL يملأ - + RELEASE يطلق - + HEATING التسخين - + COOLING تبريد - + RMSE BT - + MSE BT - + RoR معدّل الصعود - + @FCs FCs - + Max+/Max- RoR Max + / Max- RoR @@ -14967,11 +14971,6 @@ LCDs All Aspect Ratio نسبة العرض للإرتفاع - - - Score - نتيجة - RPM دورة في الدقيقة @@ -15389,6 +15388,12 @@ LCDs All Menu + + + + Schedule + يخطط + @@ -15845,12 +15850,6 @@ LCDs All Sliders زلاجات - - - - Schedule - يخطط - Full Screen @@ -16003,6 +16002,53 @@ LCDs All Message + + + Scheduler started + بدأ المجدول + + + + Scheduler stopped + توقف المجدول + + + + + + + Warning + تحذير + + + + Completed roasts will not adjust the schedule while the schedule window is closed + لن يتم تعديل الجدول الزمني لعمليات التحميص المكتملة أثناء إغلاق نافذة الجدول الزمني + + + + + 1 batch + 1 دفعة + + + + + + + {} batches + {} دفعات + + + + Updating completed roast properties failed + فشل تحديث خصائص التحميص المكتملة + + + + Fetching completed roast properties failed + فشل جلب خصائص التحميص المكتملة + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16563,20 +16609,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied تم رفض الوصول إلى Bluetootooth - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} إعدادات المنفذ التسلسلي: {0} ، {1} ، {2} ، {3} ، {4} ، {5} - - - + + + Data table copied to clipboard @@ -16610,50 +16656,50 @@ Repeat Operation at the end: {0} قراءة ملف تعريف الخلفية ... - + Event table copied to clipboard تم نسخ جدول الأحداث إلى الحافظة - + The 0% value must be less than the 100% value. يجب أن تكون قيمة 0٪ أقل من قيمة 100٪. - - + + Alarms from events #{0} created تم إنشاء الإنذارات من الأحداث # {0} - - + + No events found لم يتم العثور على أحداث - + Event #{0} added تمت إضافة الحدث رقم {0} - + No profile found لم يوجد أي مسار - + Events #{0} deleted تم حذف الأحداث # {0} - + Event #{0} deleted تم حذف الحدث رقم {0} - + Roast properties updated but profile not saved to disk تم تحديث خصائص التحميص ولكن لم يتم حفظ ملف التعريف على القرص @@ -16668,7 +16714,7 @@ Repeat Operation at the end: {0} MODBUS غير متصل - + Connected via MODBUS متصل عبر MODBUS @@ -16835,27 +16881,19 @@ Repeat Operation at the end: {0} Sampling أخذ العينات - - - - - - Warning - تحذير - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. قد يؤدي ضيق الفاصل الزمني لأخذ العينات إلى عدم الاستقرار في بعض الأجهزة. نقترح ما لا يقل عن 1 ثانية. - + Incompatible variables found in %s تم العثور على متغيرات غير متوافقة في٪ s - + Assignment problem مشكلة التنازل @@ -16949,8 +16987,8 @@ Repeat Operation at the end: {0} متابعة - - + + Save Statistics احفظ الإحصائيات @@ -17112,19 +17150,19 @@ To keep it free and current please support us with your donation and subscribe t حرفي مهيأ لـ {0} - + Load theme {0}? هل تريد تحميل المظهر {0}؟ - + Adjust Theme Related Settings ضبط الإعدادات ذات الصلة بالموضوع - + Loaded theme {0} المظهر الذي تم تحميله {0} @@ -17135,8 +17173,8 @@ To keep it free and current please support us with your donation and subscribe t اكتشفت زوجًا من الألوان قد يصعب رؤيته: - - + + Simulator started @{}x بدأ المحاكي @ {} x @@ -17187,14 +17225,14 @@ To keep it free and current please support us with your donation and subscribe t إيقاف التشغيل التلقائي - + PID set to OFF تم ضبط PID على OFF - + PID set to ON @@ -17414,7 +17452,7 @@ To keep it free and current please support us with your donation and subscribe t تم حفظ {0}. بدأ تحميص جديد - + Invalid artisan format @@ -17479,10 +17517,10 @@ It is advisable to save your current settings beforehand via menu Help >> تم حفظ الملف الشخصي - - - - + + + + @@ -17574,347 +17612,347 @@ It is advisable to save your current settings beforehand via menu Help >> تم إلغاء تحميل الإعدادات - - + + Statistics Saved تم حفظ الإحصائيات - + No statistics found لم يتم العثور على إحصائيات - + Excel Production Report exported to {0} تم تصدير تقرير إنتاج Excel إلى {0} - + Ranking Report تقرير الترتيب - + Ranking graphs are only generated up to {0} profiles يتم إنشاء الرسوم البيانية للترتيب حتى {0} من الملفات الشخصية - + Profile missing DRY event الملف الشخصي يفتقد حدث DRY - + Profile missing phase events يفتقد الملف الشخصي أحداث المرحلة - + CSV Ranking Report exported to {0} تم تصدير تقرير ترتيب CSV إلى {0} - + Excel Ranking Report exported to {0} تم تصدير تقرير ترتيب Excel إلى {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied لا يمكن توصيل مقياس البلوتوث أثناء رفض السماح للحرفي بالوصول إلى البلوتوث - + Bluetooth access denied تم رفض الوصول إلى البلوتوث - + Hottop control turned off تم إيقاف التحكم في الهوتوب - + Hottop control turned on تم تشغيل التحكم في السخان - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! للتحكم في Hottop ، تحتاج إلى تنشيط وضع المستخدم الفائق من خلال النقر بزر الماوس الأيمن على شاشة LCD المؤقتة أولاً! - - + + Settings not found الإعدادات غير موجودة - + artisan-settings إعدادات الحرفيين - + Save Settings احفظ التغييرات - + Settings saved تم حفظ الإعدادات - + artisan-theme موضوع الحرفي - + Save Theme حفظ الموضوع - + Theme saved تم حفظ الموضوع - + Load Theme تحميل الموضوع - + Theme loaded تم تحميل الموضوع - + Background profile removed تمت إزالة ملف تعريف الخلفية - + Alarm Config تكوين الإنذار - + Alarms are not available for device None التنبيهات غير متوفرة للجهاز لا شيء - + Switching the language needs a restart. Restart now? يحتاج تبديل اللغة إلى إعادة التشغيل. اعد البدء الان؟ - + Restart إعادة بدء - + Import K202 CSV استيراد K202 CSV - + K202 file loaded successfully تم تحميل ملف K202 بنجاح - + Import K204 CSV استيراد K204 CSV - + K204 file loaded successfully تم تحميل ملف K204 بنجاح - + Import Probat Recipe وصفة استيراد بروبات - + Probat Pilot data imported successfully تم استيراد بيانات Probat Pilot بنجاح - + Import Probat Pilot failed فشل استيراد Probat Pilot - - + + {0} imported تم استيراد {0} - + an error occurred on importing {0} حدث خطأ أثناء استيراد {0} - + Import Cropster XLS استيراد برنامج Cropster XLS - + Import RoastLog URL استيراد عنوان URL لـ RoastLog - + Import RoastPATH URL استيراد عنوان URL لـ RoastPATH - + Import Giesen CSV استيراد Giesen CSV - + Import Petroncini CSV قم باستيراد Petroncini CSV - + Import IKAWA URL استيراد عنوان URL لـ IKAWA - + Import IKAWA CSV استيراد IKAWA CSV - + Import Loring CSV استيراد Loring CSV - + Import Rubasse CSV استيراد Rubasse CSV - + Import HH506RA CSV استيراد HH506RA CSV - + HH506RA file loaded successfully تم تحميل ملف HH506RA بنجاح - + Save Graph as حفظ الرسم البياني باسم - + {0} size({1},{2}) saved تم حفظ {0} حجم ({1} ، {2}) - + Save Graph as PDF احفظ الرسم البياني بتنسيق PDF - + Save Graph as SVG حفظ الرسم البياني باسم SVG - + {0} saved تم حفظ {0} - + Wheel {0} loaded تم تحميل العجلة {0} - + Invalid Wheel graph format تنسيق الرسم البياني العجلة غير صالح - + Buttons copied to Palette # تم نسخ الأزرار إلى Palette # - + Palette #%i restored تمت استعادة اللوحة #٪ - + Palette #%i empty لوحة #٪ أنا فارغة - + Save Palettes حفظ اللوحات - + Palettes saved تم حفظ اللوحات - + Palettes loaded لوحات محملة - + Invalid palettes file format تنسيق ملف لوحات غير صالح - + Alarms loaded تم تحميل أجهزة الإنذار - + Fitting curves... منحنيات مناسبة ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. تحذير: بداية الفاصل الزمني للتحليل الذي يهمك هو قبل بداية ملاءمة المنحنى. قم بتصحيح هذا في علامة التبويب Config> Curves> Analyze. - + Analysis earlier than Curve fit التحليل في وقت أبكر من Curve fit - + Simulator stopped توقف المحاكاة - + debug logging ON تسجيل التصحيح ON @@ -18568,45 +18606,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found لم يتم العثور على ملف تعريف الخلفية - - - Scheduler started - بدأ المجدول - - - - Scheduler stopped - توقف المجدول - - - - Completed roasts will not adjust the schedule while the schedule window is closed - لن يتم تعديل الجدول الزمني لعمليات التحميص المكتملة أثناء إغلاق نافذة الجدول الزمني - - - - - 1 batch - 1 دفعة - - - - - - - {} batches - {} دفعات - - - - Updating completed roast properties failed - فشل تحديث خصائص التحميص المكتملة - - - - Fetching completed roast properties failed - فشل جلب خصائص التحميص المكتملة - Event # {0} recorded at BT = {1} Time = {2} تم تسجيل الحدث # {0} في BT = {1} الوقت = {2} @@ -18746,51 +18745,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - تسجيل التصحيح ON - - - - debug logging OFF - تسجيل التصحيح OFF - - - - 1 day left - 1 يوم غادر - - - - {} days left - {} ايام متبقية - - - - Paid until - دفعت حتى - - - - Please visit our {0}shop{1} to extend your subscription - الرجاء زيارة {0} متجرنا {1} لتمديد اشتراكك - - - - Do you want to extend your subscription? - هل تريد تمديد اشتراكك؟ - - - - Your subscription ends on - ينتهي اشتراكك في - - - - Your subscription ended on - انتهى اشتراكك في - Roast successfully upload to {} @@ -18980,6 +18934,51 @@ To keep it free and current please support us with your donation and subscribe t Remember تذكر + + + debug logging ON + تسجيل التصحيح ON + + + + debug logging OFF + تسجيل التصحيح OFF + + + + 1 day left + 1 يوم غادر + + + + {} days left + {} ايام متبقية + + + + Paid until + دفعت حتى + + + + Please visit our {0}shop{1} to extend your subscription + الرجاء زيارة {0} متجرنا {1} لتمديد اشتراكك + + + + Do you want to extend your subscription? + هل تريد تمديد اشتراكك؟ + + + + Your subscription ends on + ينتهي اشتراكك في + + + + Your subscription ended on + انتهى اشتراكك في + ({} of {} done) ({} من {} تم) @@ -19174,10 +19173,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope نطاق الحمص @@ -19556,6 +19555,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + لكى يفعل + + + + Completed + مكتمل + @@ -19588,7 +19597,7 @@ To keep it free and current please support us with your donation and subscribe t تحديد آر أس - + Extra @@ -19637,32 +19646,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT حرارة المحيط/البن - + Modbus نظام مودبس - + S7 - + Scale ميزان - + Color لون - + WebSocket مقبس الويب @@ -19699,17 +19708,17 @@ To keep it free and current please support us with your donation and subscribe t يثبت - + Details تفاصيل - + Loads الأحمال - + Protocol بروتوكول @@ -19794,16 +19803,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs شاشات - - - To-Do - لكى يفعل - - - - Completed - مكتمل - Done منتهي @@ -19934,7 +19933,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19954,7 +19953,7 @@ To keep it free and current please support us with your donation and subscribe t إشباع ساعة:دقيقة - + @@ -19964,7 +19963,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19988,37 +19987,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device الجهاز - + Comm Port منفذ الإتصال - + Baud Rate معدل الباود - + Byte Size حجم البايت - + Parity تكافؤ - + Stopbits بت التوقف - + Timeout وقت مستقطع @@ -20026,16 +20025,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time الوقت - - + + @@ -20044,8 +20043,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -20054,104 +20053,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE تحميل - + DRY END إنتهاء التجفيف - + FC START يدء الصدع الأول - + FC END نهاية الصدع الأول - + SC START بدء الصدع الثاني - + SC END نهاية الصدع الثاني - + DROP إخراج - + COOL تبريد - + #{0} {1}{2} # {0} {1} {2} - + Power الطاقة - + Duration مدة - + CO2 ثاني أكسيد الكربون - + Load تحميل - + Source مصدر - + Kind طيب القلب - + Name اسم - + Weight الوزن @@ -21159,7 +21158,7 @@ initiated by the PID - + @@ -21180,7 +21179,7 @@ initiated by the PID - + Show help إظهار المساعدة @@ -21334,20 +21333,24 @@ has to be reduced by 4 times. قم بتشغيل إجراء أخذ العينات بشكل متزامن ({}) كل فاصل زمني لأخذ العينات أو حدد فاصل زمني متكرر لتشغيله بشكل غير متزامن أثناء أخذ العينات - + OFF Action String سلسلة العمل OFF - + ON Action String على سلسلة العمل - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + تأخير إضافي بعد الاتصال بالثواني قبل إرسال الطلبات (مطلوب من أجهزة Arduino لإعادة التشغيل عند الاتصال) + + + Extra delay in Milliseconds between MODBUS Serial commands تأخير إضافي بالمللي ثانية بين أوامر MODBUS التسلسلية @@ -21363,12 +21366,7 @@ has to be reduced by 4 times. تفحص MODBUS - - Reset socket connection on error - إعادة تعيين اتصال المقبس على خطأ - - - + Scan S7 مسح S7 @@ -21384,7 +21382,7 @@ has to be reduced by 4 times. للخلفيات المحملة بأجهزة إضافية فقط - + The maximum nominal batch size of the machine in kg الحد الأقصى لحجم الدُفعة الاسمي للآلة بالكيلو جرام @@ -21818,32 +21816,32 @@ Currently in TEMP MODE حاليًا في TEMP MODE - + <b>Label</b>= <b>عنوان</b>= - + <b>Description </b>= <b>وصف </b>= - + <b>Type </b>= <b>نوع </b>= - + <b>Value </b>= <b>قيمة </b>= - + <b>Documentation </b>= <b>نوثيق </b>= - + <b>Button# </b>= <b>زر# </b>= @@ -21927,6 +21925,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white يضبط ألوان الأزرار على التدرج الرمادي وألوان شاشات الكريستال السائل على الأسود والأبيض + + Reset socket connection on error + إعادة تعيين اتصال المقبس على خطأ + Action String جملة فعل diff --git a/src/translations/artisan_da.qm b/src/translations/artisan_da.qm index 6f2136bd4..2f02553c6 100644 Binary files a/src/translations/artisan_da.qm and b/src/translations/artisan_da.qm differ diff --git a/src/translations/artisan_da.ts b/src/translations/artisan_da.ts index 99f4ed3be..c73945887 100644 --- a/src/translations/artisan_da.ts +++ b/src/translations/artisan_da.ts @@ -9,57 +9,57 @@ Slip sponsor - + About Om - + Core Developers Kerneudviklere - + License Licens - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Der opstod et problem med at hente de nyeste versionoplysninger. Kontroller din internetforbindelse, prøv igen senere, eller tjek manuelt. - + A new release is available. En ny udgivelse er tilgængelig. - + Show Change list Vis liste over ændringer - + Download Release Download frigivelse - + You are using the latest release. Du bruger den seneste udgivelse. - + You are using a beta continuous build. Du bruger en beta-kontinuerlig build. - + You will see a notice here once a new official release is available. Du vil se en meddelelse her, når en ny officiel frigivelse er tilgængelig. - + Update status Opdater status @@ -199,14 +199,34 @@ Button + + + + + + + + + OK + Okay + + + + + + + + Cancel + Afbestille + - - - - + + + + Restore Defaults @@ -234,7 +254,7 @@ - + @@ -262,7 +282,7 @@ - + @@ -320,17 +340,6 @@ Save Gemme - - - - - - - - - OK - Okay - On @@ -543,15 +552,6 @@ Write PIDs Skriv PID'er - - - - - - - Cancel - Afbestille - Set ET PID to MM:SS time units @@ -570,8 +570,8 @@ - - + + @@ -591,7 +591,7 @@ - + @@ -631,7 +631,7 @@ - + Scan Scanning @@ -716,9 +716,9 @@ opdatering - - - + + + Save Defaults Gem standardindstillinger @@ -1369,12 +1369,12 @@ ENDE Flyde - + START on CHARGE START på CHARGE - + OFF on DROP FRA til DROP @@ -1446,61 +1446,61 @@ ENDE Vis altid - + Heavy FC Tung FC - + Low FC Lav FC - + Light Cut Let skåret - + Dark Cut Mørkt snit - + Drops Dråber - + Oily Olieagtig - + Uneven Ujævn - + Tipping Tip - + Scorching Brændende - + Divots @@ -2256,14 +2256,14 @@ ENDE - + ET - + BT @@ -2286,24 +2286,19 @@ ENDE ord - + optimize optimere - + fetch full blocks Hent fulde blokke - - reset - Nulstil - - - + compression kompression @@ -2489,6 +2484,10 @@ ENDE Elec + + reset + Nulstil + Title Titel @@ -2560,6 +2559,16 @@ ENDE Contextual Menu + + + All batches prepared + Alle partier forberedt + + + + No batch prepared + Ingen batch forberedt + Add point @@ -2605,16 +2614,6 @@ ENDE Edit Redigere - - - All batches prepared - Alle partier forberedt - - - - No batch prepared - Ingen batch forberedt - Countries @@ -3949,20 +3948,20 @@ ENDE Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4055,42 +4054,42 @@ ENDE - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4159,10 +4158,10 @@ ENDE - - - - + + + + @@ -4360,12 +4359,12 @@ ENDE - - - - - - + + + + + + @@ -4374,17 +4373,17 @@ ENDE Værdi fejl: - + Serial Exception: invalid comm port Seriel undtagelse: ugyldig kommunikationsport - + Serial Exception: timeout Seriel undtagelse: timeout - + Unable to move CHARGE to a value that does not exist Kan ikke flytte CHARGE til en værdi, der ikke eksisterer @@ -4394,30 +4393,30 @@ ENDE Modbus-kommunikation genoptaget - + Modbus Error: failed to connect Modbus-fejl: kunne ikke oprette forbindelse - - - - - - - - - + + + + + + + + + Modbus Error: Modbus fejl: - - - - - - + + + + + + Modbus Communication Error Modbus kommunikationsfejl @@ -4501,52 +4500,52 @@ ENDE Undtagelse: {} er ikke en gyldig indstillingsfil - - - - - + + + + + Error Fejl - + Exception: WebLCDs not supported by this build Undtagelse: WebLCD'er understøttes ikke af denne build - + Could not start WebLCDs. Selected port might be busy. Kunne ikke starte WebLCD'er. Den valgte port kan være optaget. - + Failed to save settings Indstillingerne kunne ikke gemmes - - + + Exception (probably due to an empty profile): Undtagelse (sandsynligvis på grund af en tom profil): - + Analyze: CHARGE event required, none found Analyse: CHARGE hændelse påkrævet, ingen fundet - + Analyze: DROP event required, none found Analyse: DROP-hændelse påkrævet, ingen fundet - + Analyze: no background profile data available Analyser: ingen baggrundsprofildata tilgængelige - + Analyze: background profile requires CHARGE and DROP events Analyser: baggrundsprofilen kræver CHARGE og DROP begivenheder @@ -4586,6 +4585,12 @@ ENDE Form Caption + + + + Custom Blend + Brugerdefineret blanding + Axes @@ -4720,12 +4725,12 @@ ENDE Porte konfiguration - + MODBUS Help MODBUS Hjælp - + S7 Help S7 Hjælp @@ -4745,23 +4750,17 @@ ENDE Stegt egenskaber - - - Custom Blend - Brugerdefineret blanding - - - + Energy Help Energihjælp - + Tare Setup Tara-opsætning - + Set Measure from Profile Indstil mål fra profil @@ -4971,27 +4970,27 @@ ENDE Ledelse - + Registers Registrerer - - + + Commands Kommandoer - + PID - + Serial Seriel @@ -5002,37 +5001,37 @@ ENDE - + Input Indgang - + Machine Maskine - + Timeout Tiden er gået - + Nodes Knuder - + Messages Beskeder - + Flags Flag - + Events Begivenheder @@ -5044,14 +5043,14 @@ ENDE - + Energy Energi - + CO2 @@ -5283,14 +5282,14 @@ ENDE HTML Report Template - + BBP Total Time BBP samlet tid - + BBP Bottom Temp BBP Bund Temp @@ -5307,849 +5306,849 @@ ENDE - + Whole Color Hele farve - - + + Profile Profil - + Roast Batches Stegte partier - - - + + + Batch Parti - - + + Date Dato - - - + + + Beans Bønner - - - + + + In I - - + + Out Ud - - - + + + Loss Tab - - + + SUM - + Production Report Produktionsrapport - - + + Time Tid - - + + Weight In Vægt ind - - + + CHARGE BT AFGIFT BT - - + + FCs Time FCs tid - - + + FCs BT - - + + DROP Time DROP-tid - - + + DROP BT - + Dry Percent Tør procent - + MAI Percent MAI procent - + Dev Percent Udvikler procent - - + + AUC - - + + Weight Loss Vægttab - - + + Color Farve - + Cupping - + Roaster - + Capacity Kapacitet - + Operator Operatør - + Organization Organisation - + Drum Speed Tromlehastighed - + Ground Color Jordfarve - + Color System Farvesystem - + Screen Min Skærm Min - + Screen Max Skærm Max - + Bean Temp Bønnetemp - + CHARGE ET - + TP Time TP tid - + TP ET - + TP BT - + DRY Time TØRRE tid - + DRY ET - + DRY BT TØR BT - + FCs ET - + FCe Time FCe tid - + FCe ET - + FCe BT - + SCs Time SCs tid - + SCs ET - + SCs BT - + SCe Time SCe Tid - + SCe ET - + SCe BT - + DROP ET - + COOL Time KØD tid - + COOL ET - + COOL BT - + Total Time Samlet tid - + Dry Phase Time Tørfasetid - + Mid Phase Time Midtfasetid - + Finish Phase Time Afslut fasetid - + Dry Phase RoR Tørfase RoR - + Mid Phase RoR Mellemfase RoR - + Finish Phase RoR Afslut fase RoR - + Dry Phase Delta BT - + Mid Phase Delta BT Mellemfase Delta BT - + Finish Phase Delta BT Afslut fase Delta BT - + Finish Phase Rise Afslut fase stigning - + Total RoR Samlet RoR - + FCs RoR - + MET MØDTE - + AUC Begin AUC begynder - + AUC Base AUC base - + Dry Phase AUC AUC i tør fase - + Mid Phase AUC Midfase AUC - + Finish Phase AUC Afslut fase AUC - + Weight Out Vægt ud - + Volume In Volumen ind - + Volume Out Lydstyrke ud - + Volume Gain Volumenforøgelse - + Green Density Grøn tæthed - + Roasted Density Brændt tæthed - + Moisture Greens Fugtgrønt - + Moisture Roasted Ristet fugt - + Moisture Loss Fugttab - + Organic Loss Organisk tab - + Ambient Humidity Omgivende luftfugtighed - + Ambient Pressure Omgivende tryk - + Ambient Temperature Omgivelsestemperatur - - + + Roasting Notes Stegt noter - - + + Cupping Notes Cupping-noter - + Heavy FC Tung FC - + Low FC Lav FC - + Light Cut Let skåret - + Dark Cut Mørkt snit - + Drops Dråber - + Oily Olieagtig - + Uneven Ujævn - + Tipping Tip - + Scorching Brændende - + Divots - + Mode - + BTU Batch - + BTU Batch per green kg BTU Batch pr. grønne kg - + CO2 Batch CO2 batch - + BTU Preheat BTU Forvarmning - + CO2 Preheat CO2-forvarmning - + BTU BBP - + CO2 BBP - + BTU Cooling BTU køling - + CO2 Cooling CO2 Køling - + BTU Roast BTU Stege - + BTU Roast per green kg BTU Steg pr. grøn kg - + CO2 Roast CO2-steg - + CO2 Batch per green kg CO2 Batch pr. grønne kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Effektivitetsbatch - + Efficiency Roast Effektivitetssteg - + BBP Begin BBP begynder - + BBP Begin to Bottom Time BBP start til bund tid - + BBP Bottom to CHARGE Time BBP bund til OPLADNINGstid - + BBP Begin to Bottom RoR BBP Begynd til Bund RoR - + BBP Bottom to CHARGE RoR BBP Bund til CHARGE RoR - + File Name Filnavn - + Roast Ranking Stege Ranking - + Ranking Report Rangeringsrapport - + AVG - + Roasting Report Stegerapport - + Date: Dato: - + Beans: Bønner: - + Weight: Vægt: - + Volume: Bind: - + Roaster: - + Operator: Operatør: - + Organization: Organisation: - + Cupping: - + Color: Farve: - + Energy: Energi: - + CO2: - + CHARGE: OPLADE: - + Size: Størrelse: - + Density: Massefylde: - + Moisture: Fugtighed: - + Ambient: Omgivende: - + TP: - + DRY: TØR: - + FCs: FC'er: - + FCe: - + SCs: SC'er: - + SCe: - + DROP: DRÅBE: - + COOL: FEDT NOK: - + MET: MØDTE: - + CM: - + Drying: Tørring: - + Maillard: - + Finishing: Efterbehandling: - + Cooling: Køling: - + Background: Baggrund: - + Alarms: Alarmer: - + RoR: - + AUC: - + Events Begivenheder @@ -11369,6 +11368,92 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Label + + + + + + + + + Weight + Vægt + + + + + + + Beans + Bønner + + + + + + Density + Massefylde + + + + + + Color + Farve + + + + + + Moisture + Fugtighed + + + + + + + Roasting Notes + Stegt noter + + + + Score + + + + + + Cupping Score + + + + + + + + Cupping Notes + Cupping-noter + + + + + + + + Roasted + Ristede + + + + + + + + + Green + Grøn + @@ -11473,7 +11558,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11492,7 +11577,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11508,7 +11593,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11527,7 +11612,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11554,7 +11639,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11586,7 +11671,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + DRY TØR @@ -11603,7 +11688,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCs FC'er @@ -11611,7 +11696,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCe @@ -11619,7 +11704,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCs SC'er @@ -11627,7 +11712,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCe @@ -11640,7 +11725,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11655,10 +11740,10 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog / min - - - - + + + + @@ -11666,8 +11751,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + @@ -11681,8 +11766,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Cyklus - - + + Input Indgang @@ -11716,7 +11801,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -11733,8 +11818,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Mode @@ -11796,7 +11881,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Label @@ -11921,21 +12006,21 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog SV maks - + P - + I jeg - + D @@ -11997,13 +12082,6 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Markers Markører - - - - - Color - Farve - Text Color @@ -12034,9 +12112,9 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Størrelse - - + + @@ -12074,8 +12152,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Event @@ -12088,7 +12166,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Handling - + Command Kommando @@ -12100,7 +12178,7 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Factor @@ -12117,14 +12195,14 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Midlertidig - + Unit Enhed - + Source Kilde @@ -12135,10 +12213,10 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Klynge - - - + + + OFF @@ -12189,15 +12267,15 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Tilmeld - - + + Area Areal - - + + DB# DB # @@ -12205,54 +12283,54 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Start Starte - - + + Comm Port Komm Port - - + + Baud Rate Baudrate - - + + Byte Size Byte størrelse - - + + Parity Paritet - - + + Stopbits - - + + @@ -12289,8 +12367,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Type @@ -12300,8 +12378,8 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Host Vært @@ -12312,20 +12390,20 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Port Havn - + SV Factor SV-faktor - + pid Factor pid-faktor @@ -12347,75 +12425,75 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Streng - - + + Device Enhed - + Rack - + Slot - + Path Sti - + ID - + Connect Opret forbindelse - + Reconnect Tilslut igen - - + + Request Anmodning - + Message ID Besked-id - + Machine ID Maskine-id - + Data - + Message Besked - + Data Request Dataanmodning - - + + Node @@ -12477,17 +12555,6 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog g - - - - - - - - - Weight - Vægt - @@ -12495,25 +12562,6 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Volume Bind - - - - - - - - Green - Grøn - - - - - - - - Roasted - Ristede - @@ -12564,31 +12612,16 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Dato - + Batch Parti - - - - - - Beans - Bønner - % - - - - - Density - Massefylde - Screen @@ -12604,13 +12637,6 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ground Jord - - - - - Moisture - Fugtighed - @@ -12623,22 +12649,6 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ambient Conditions Omgivelsesbetingelser - - - - - - Roasting Notes - Stegt noter - - - - - - - Cupping Notes - Cupping-noter - Ambient Source @@ -12660,140 +12670,140 @@ Optagelse 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Blanding - + Template Skabelon - + Results in Resulterer i - + Rating Bedømmelse - + Pressure % Tryk% - + Electric Energy Mix: Elektrisk energimix: - + Renewable Fornyelig - - + + Pre-Heating Forvarmning - - + + Between Batches Mellem partier - - + + Cooling Køling - + Between Batches after Pre-Heating Mellem partier efter forvarmning - + (mm:ss) (mm: ss) - + Duration Varighed - + Measured Energy or Output % Målt energi eller output% - - + + Preheat Forvarm - - + + BBP - - - - + + + + Roast Stege - - + + per kg green coffee pr. kg grøn kaffe - + Load belastning - + Organization Organisation - + Operator Operatør - + Machine Maskine - + Model - + Heating Opvarmning - + Drum Speed Tromlehastighed - + organic material organisk materiale @@ -13117,12 +13127,6 @@ LCD-skærme alle Roaster - - - - Cupping Score - - Max characters per line @@ -13202,7 +13206,7 @@ LCD-skærme alle Kantfarve (RGBA) - + roasted ristede @@ -13349,22 +13353,22 @@ LCD-skærme alle - + ln() ln () - - + + x - - + + Bkgnd @@ -13513,99 +13517,99 @@ LCD-skærme alle Oplad bønnerne - + /m / m - + greens greener - - - + + + STOP HOLD OP - - + + OPEN ÅBEN - - - + + + CLOSE TÆT - - + + AUTO - - - + + + MANUAL BRUGERVEJLEDNING - + STIRRER RØRER - + FILL FYLDE - + RELEASE FRIGØRE - + HEATING OPVARMNING - + COOLING KØLING - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -13931,11 +13935,6 @@ LCD-skærme alle Aspect Ratio Billedformat - - - Score - - Coarse Grov @@ -14128,6 +14127,12 @@ LCD-skærme alle Menu + + + + Schedule + Plan + @@ -14584,12 +14589,6 @@ LCD-skærme alle Sliders Glidere - - - - Schedule - Plan - Full Screen @@ -14694,6 +14693,53 @@ LCD-skærme alle Message + + + Scheduler started + Planlægger startede + + + + Scheduler stopped + Planlægger stoppet + + + + + + + Warning + Advarsel + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Fuldførte stege vil ikke justere tidsplanen, mens programvinduet er lukket + + + + + 1 batch + + + + + + + + {} batches + {} partier + + + + Updating completed roast properties failed + Opdatering af færdige stegeegenskaber mislykkedes + + + + Fetching completed roast properties failed + Hentning af færdige stegeegenskaber mislykkedes + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15254,20 +15300,20 @@ Gentag handling i slutningen: {0} - + Bluetootooth access denied Bluetooth-adgang nægtet - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Indstillinger for seriel port: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15301,50 +15347,50 @@ Gentag handling i slutningen: {0} Læser baggrundsprofil... - + Event table copied to clipboard Hændelsestabellen er kopieret til udklipsholderen - + The 0% value must be less than the 100% value. Værdien på 0 % skal være mindre end værdien på 100 %. - - + + Alarms from events #{0} created Alarmer fra begivenheder #{0} oprettet - - + + No events found Ingen begivenheder fundet - + Event #{0} added Begivenhed #{0} tilføjet - + No profile found Ingen profil fundet - + Events #{0} deleted Begivenheder #{0} er slettet - + Event #{0} deleted Begivenhed #{0} er slettet - + Roast properties updated but profile not saved to disk Stegeegenskaberne er opdateret, men profilen er ikke gemt på disken @@ -15359,7 +15405,7 @@ Gentag handling i slutningen: {0} MODBUS afbrudt - + Connected via MODBUS Tilsluttet via MODBUS @@ -15526,27 +15572,19 @@ Gentag handling i slutningen: {0} Sampling Prøveudtagning - - - - - - Warning - Advarsel - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Et stramt prøvetagningsinterval kan føre til ustabilitet på nogle maskiner. Vi foreslår minimum 1s. - + Incompatible variables found in %s Inkompatible variabler fundet i %s - + Assignment problem Opgave problem @@ -15640,8 +15678,8 @@ Gentag handling i slutningen: {0} følge med - - + + Save Statistics Gem statistik @@ -15803,19 +15841,19 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Håndværker konfigureret til {0} - + Load theme {0}? Indlæse tema {0}? - + Adjust Theme Related Settings Juster temarelaterede indstillinger - + Loaded theme {0} Indlæst tema {0} @@ -15826,8 +15864,8 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Registrerede et farvepar, der kan være svært at se: - - + + Simulator started @{}x Simulator startede @{}x @@ -15878,14 +15916,14 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab autoDROP fra - + PID set to OFF PID indstillet til OFF - + PID set to ON @@ -16105,7 +16143,7 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab {0} er blevet gemt. Ny stegning er startet - + Invalid artisan format @@ -16170,10 +16208,10 @@ Det er tilrådeligt at gemme dine nuværende indstillinger på forhånd via menu Profil gemt - - - - + + + + @@ -16265,347 +16303,347 @@ Det er tilrådeligt at gemme dine nuværende indstillinger på forhånd via menu Indlæsning af indstillinger annulleret - - + + Statistics Saved Statistik gemt - + No statistics found Ingen statistik fundet - + Excel Production Report exported to {0} Excel-produktionsrapport eksporteret til {0} - + Ranking Report Rangeringsrapport - + Ranking graphs are only generated up to {0} profiles Rangeringsgrafer genereres kun op til {0} profiler - + Profile missing DRY event Profil mangler DRY-begivenhed - + Profile missing phase events Profil mangler fasehændelser - + CSV Ranking Report exported to {0} CSV-rangeringsrapport eksporteret til {0} - + Excel Ranking Report exported to {0} Excel-rangeringsrapport eksporteret til {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth-vægten kan ikke tilsluttes, mens tilladelse til, at Artisan får adgang til Bluetooth, nægtes - + Bluetooth access denied Bluetooth-adgang nægtet - + Hottop control turned off Hottop-kontrol slået fra - + Hottop control turned on Hottop-kontrol slået til - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! For at styre en Hottop skal du først aktivere superbrugertilstanden via et højreklik på timerens LCD! - - + + Settings not found Indstillinger blev ikke fundet - + artisan-settings håndværker-miljøer - + Save Settings Gem indstillinger - + Settings saved Indstillinger gemt - + artisan-theme håndværker-tema - + Save Theme Gem tema - + Theme saved Tema gemt - + Load Theme Indlæs tema - + Theme loaded Tema indlæst - + Background profile removed Baggrundsprofilen er fjernet - + Alarm Config Alarm Konfig - + Alarms are not available for device None Alarmer er ikke tilgængelige for enhed Ingen - + Switching the language needs a restart. Restart now? Skift sprog kræver en genstart. Genstart nu? - + Restart Genstart - + Import K202 CSV Importer K202 CSV - + K202 file loaded successfully K202-filen blev indlæst - + Import K204 CSV Importer K204 CSV - + K204 file loaded successfully K204-filen blev indlæst - + Import Probat Recipe Importer prøveopskrift - + Probat Pilot data imported successfully Probat Pilot-data blev importeret - + Import Probat Pilot failed Import af prøvepilot mislykkedes - - + + {0} imported {0} importeret - + an error occurred on importing {0} der opstod en fejl ved import af {0} - + Import Cropster XLS Importer Cropster XLS - + Import RoastLog URL Importer RoastLog URL - + Import RoastPATH URL Importer RoastPATH URL - + Import Giesen CSV Importer Giesen CSV - + Import Petroncini CSV Importer Petroncini CSV - + Import IKAWA URL Importer IKAWA URL - + Import IKAWA CSV Importer IKAWA CSV - + Import Loring CSV Importer Loring CSV - + Import Rubasse CSV Importer Rubasse CSV - + Import HH506RA CSV Importer HH506RA CSV - + HH506RA file loaded successfully HH506RA-filen blev indlæst - + Save Graph as Gem graf som - + {0} size({1},{2}) saved {0} størrelse ({1},{2}) gemt - + Save Graph as PDF Gem graf som PDF - + Save Graph as SVG Gem graf som SVG - + {0} saved {0} gemt - + Wheel {0} loaded Hjul {0} er indlæst - + Invalid Wheel graph format Ugyldigt hjulgrafformat - + Buttons copied to Palette # Knapper kopieret til palet # - + Palette #%i restored Palette #%i gendannet - + Palette #%i empty Paletten #%i tom - + Save Palettes Gem paletter - + Palettes saved Paletter gemt - + Palettes loaded Paletter indlæst - + Invalid palettes file format Ugyldigt paletter-filformat - + Alarms loaded Alarmer indlæst - + Fitting curves... Tilpasning af kurver... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Advarsel: Starten af analyseintervallet af interesse er tidligere end starten af kurvetilpasningen. Ret dette på fanen Config>Curves>Analyze. - + Analysis earlier than Curve fit Analyse tidligere end Curve fit - + Simulator stopped Simulator stoppet - + debug logging ON fejlretning logning TIL @@ -17259,45 +17297,6 @@ Profil mangler [CHARGE] eller [DROP] Background profile not found Baggrundsprofil blev ikke fundet - - - Scheduler started - Planlægger startede - - - - Scheduler stopped - Planlægger stoppet - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Fuldførte stege vil ikke justere tidsplanen, mens programvinduet er lukket - - - - - 1 batch - - - - - - - - {} batches - {} partier - - - - Updating completed roast properties failed - Opdatering af færdige stegeegenskaber mislykkedes - - - - Fetching completed roast properties failed - Hentning af færdige stegeegenskaber mislykkedes - Event # {0} recorded at BT = {1} Time = {2} Hændelse # {0} optaget ved BT = {1} Tid = {2} @@ -17365,51 +17364,6 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Plus - - - debug logging ON - fejlretning logning TIL - - - - debug logging OFF - fejlretning logning FRA - - - - 1 day left - 1 dag tilbage - - - - {} days left - {} dage tilbage - - - - Paid until - Betalt indtil - - - - Please visit our {0}shop{1} to extend your subscription - Besøg vores {0} butik {1} for at udvide dit abonnement - - - - Do you want to extend your subscription? - Vil du forlænge dit abonnement? - - - - Your subscription ends on - Dit abonnement slutter d - - - - Your subscription ended on - Dit abonnement sluttede d - Roast successfully upload to {} @@ -17599,6 +17553,51 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Remember Husk + + + debug logging ON + fejlretning logning TIL + + + + debug logging OFF + fejlretning logning FRA + + + + 1 day left + 1 dag tilbage + + + + {} days left + {} dage tilbage + + + + Paid until + Betalt indtil + + + + Please visit our {0}shop{1} to extend your subscription + Besøg vores {0} butik {1} for at udvide dit abonnement + + + + Do you want to extend your subscription? + Vil du forlænge dit abonnement? + + + + Your subscription ends on + Dit abonnement slutter d + + + + Your subscription ended on + Dit abonnement sluttede d + ({} of {} done) ({} af {} udført) @@ -17715,10 +17714,10 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - - - - + + + + Roaster Scope @@ -18090,6 +18089,16 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Tab + + + To-Do + At gøre + + + + Completed + Afsluttet + @@ -18122,7 +18131,7 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Indstil RS - + Extra @@ -18171,32 +18180,32 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - + ET/BT ET / BT - + Modbus - + S7 - + Scale vægt - + Color Farve - + WebSocket @@ -18233,17 +18242,17 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Opsætning - + Details detaljer - + Loads Belastninger - + Protocol Protokol @@ -18328,16 +18337,6 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab LCDs LCD-skærme - - - To-Do - At gøre - - - - Completed - Afsluttet - Done Færdig @@ -18460,7 +18459,7 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - + @@ -18480,7 +18479,7 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab Sug HH: MM - + @@ -18490,7 +18489,7 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - + @@ -18514,37 +18513,37 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - + Device Enhed - + Comm Port Komm Port - + Baud Rate Baudrate - + Byte Size Byte størrelse - + Parity Paritet - + Stopbits - + Timeout Tiden er gået @@ -18552,16 +18551,16 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - - + + Time Tid - - + + @@ -18570,8 +18569,8 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - - + + @@ -18580,104 +18579,104 @@ For at holde det gratis og opdateret, bedes du støtte os med din donation og ab - + CHARGE OPLADE - + DRY END TØR SLUT - + FC START - + FC END FC SLUT - + SC START - + SC END SC SLUT - + DROP DRÅBE - + COOL FEDT NOK - + #{0} {1}{2} # {0} {1} {2} - + Power Strøm - + Duration Varighed - + CO2 - + Load belastning - + Source Kilde - + Kind Venlig - + Name Navn - + Weight Vægt @@ -19556,7 +19555,7 @@ initieret af PID - + @@ -19577,7 +19576,7 @@ initieret af PID - + Show help Vis hjælp @@ -19731,20 +19730,24 @@ skal reduceres med 4 gange. Kør prøvetagningshandlingen synkront ({}) hvert prøvetagningsinterval, eller vælg et gentagelsestidsinterval for at køre det asynkront under prøvetagning - + OFF Action String OFF Handlingsstreng - + ON Action String ON Handlingsstreng - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Ekstra forsinkelse efter tilslutning i sekunder før afsendelse af anmodninger (påkrævet af Arduino-enheder, der genstarter ved forbindelse) + + + Extra delay in Milliseconds between MODBUS Serial commands Ekstra forsinkelse i millisekunder mellem MODBUS Seriel-kommandoer @@ -19760,12 +19763,7 @@ skal reduceres med 4 gange. - - Reset socket connection on error - Nulstil stikforbindelse ved fejl - - - + Scan S7 @@ -19781,7 +19779,7 @@ skal reduceres med 4 gange. Kun til indlæste baggrunde med ekstra enheder - + The maximum nominal batch size of the machine in kg Maskinens maksimale nominelle batchstørrelse i kg @@ -20215,32 +20213,32 @@ Currently in TEMP MODE I øjeblikket i TEMP MODE - + <b>Label</b>= <b>Etiket</b>= - + <b>Description </b>= <b>Beskrivelse </b>= - + <b>Type </b>= <b>Typ </b>= - + <b>Value </b>= <b>Værdi </b>= - + <b>Documentation </b>= <b>Dokumentation </b>= - + <b>Button# </b>= <b>Knap# </b>= @@ -20324,6 +20322,10 @@ I øjeblikket i TEMP MODE Sets button colors to grey scale and LCD colors to black and white Indstiller knapfarver til gråskala og LCD-farver til sort og hvid + + Reset socket connection on error + Nulstil stikforbindelse ved fejl + Action String Handlingsstreng diff --git a/src/translations/artisan_de.qm b/src/translations/artisan_de.qm index 3480b2fc2..8e757d8ad 100644 Binary files a/src/translations/artisan_de.qm and b/src/translations/artisan_de.qm differ diff --git a/src/translations/artisan_de.ts b/src/translations/artisan_de.ts index 1a6c04d8a..d8f2ce563 100644 --- a/src/translations/artisan_de.ts +++ b/src/translations/artisan_de.ts @@ -9,57 +9,57 @@ Release-Sponsor - + About Über - + Core Developers Hauptentwickler - + License Lizenz - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Es gab ein Problem die aktuelle Version zu bestimmen. Prüfen Sie bitte Ihre Internetverbindung und versuchen sie es erneut. - + A new release is available. Eine neue Artisan Version is verfügbar. - + Show Change list Liste der Änderungen - + Download Release Herunterladen - + You are using the latest release. Sie nutzen die aktuelle Version. - + You are using a beta continuous build. Sie nutzen eine Entwicklungsversion. - + You will see a notice here once a new official release is available. Sobald veröffentlicht, werden neue offizielle Versionen hier angezeigt. - + Update status Update Status @@ -254,14 +254,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Abbrechen + - - - - + + + + Restore Defaults @@ -289,7 +309,7 @@ - + @@ -317,7 +337,7 @@ - + @@ -375,17 +395,6 @@ Save Speichern - - - - - - - - - OK - OK - On @@ -598,15 +607,6 @@ Write PIDs PIDs Schreiben - - - - - - - Cancel - Abbrechen - Set ET PID to MM:SS time units @@ -625,8 +625,8 @@ - - + + @@ -646,7 +646,7 @@ - + @@ -686,7 +686,7 @@ - + Scan @@ -771,9 +771,9 @@ Berechne - - - + + + Save Defaults Standardeinstellungen speichern @@ -1512,12 +1512,12 @@ END Gleitkomma - + START on CHARGE START bei FÜLLEN - + OFF on DROP AUS bei LEEREN @@ -1589,61 +1589,61 @@ END Immer Anzeigen - + Heavy FC Lauter FC - + Low FC Leiser FC - + Light Cut Heller Schnitt - + Dark Cut Dunkler Schnitt - + Drops Öltröpfchen - + Oily Ölig - + Uneven Ungleichmäßig - + Tipping Versengte Spitzen - + Scorching Versengungen - + Divots Abplatzer @@ -2463,14 +2463,14 @@ END - + ET - + BT @@ -2493,24 +2493,19 @@ END - + optimize optimieren - + fetch full blocks ganze Blöcke anfordern - - reset - reset - - - + compression Komprimierung @@ -2696,6 +2691,10 @@ END Elec Strom + + reset + reset + Weight Loss Einbrand @@ -2859,6 +2858,16 @@ END Contextual Menu + + + All batches prepared + Alle Chargen vorbereitet + + + + No batch prepared + Keine Charge vorbereitet + Add point @@ -2904,16 +2913,6 @@ END Edit Bearbeiten - - - All batches prepared - Alle Chargen vorbereitet - - - - No batch prepared - Keine Charge vorbereitet - Prepared Vorbereitet @@ -4299,20 +4298,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4405,42 +4404,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4509,10 +4508,10 @@ END - - - - + + + + @@ -4710,12 +4709,12 @@ END - - - - - - + + + + + + @@ -4724,17 +4723,17 @@ END Falscher Wert: - + Serial Exception: invalid comm port Serieller Kommunikationsfehler: ungültiger Anschluss - + Serial Exception: timeout Serieller Kommunikationsfehler: timeout - + Unable to move CHARGE to a value that does not exist Versetzen von CHARGE auf einen Wert der nicht existiert fehlgeschlagen @@ -4744,30 +4743,30 @@ END MODBUS Verbindung wiederhergestellt - + Modbus Error: failed to connect MODBUS Fehler: Verbindung nicht möglich - - - - - - - - - + + + + + + + + + Modbus Error: Modbus Fehler: - - - - - - + + + + + + Modbus Communication Error MODBUS Verbindungsfehler @@ -4851,52 +4850,52 @@ END Ausnahme: {} keine gültige Einstellungsdatei - - - - - + + + + + Error Fehler - + Exception: WebLCDs not supported by this build Ausnahme: WebLCDs, die von diesem Build nicht unterstützt werden - + Could not start WebLCDs. Selected port might be busy. WebLCDs konnten nicht gestartet werden. Eventuell ist der port belegt. - + Failed to save settings Einstellungen konnten nicht gespeichert werden - - + + Exception (probably due to an empty profile): Fehler: - + Analyze: CHARGE event required, none found Analyse: CHARGE-Ereignis erforderlich, keines gefunden - + Analyze: DROP event required, none found Analyse: DROP-Ereignis erforderlich, keines gefunden - + Analyze: no background profile data available Analyze: keine Profilvorlage verfügbar - + Analyze: background profile requires CHARGE and DROP events Analyze: Profiilevorlage benötigt FÜLLEN und LEEREN Ereignisse @@ -5011,6 +5010,12 @@ END Form Caption + + + + Custom Blend + Benutzerdefinierte Mischung + Axes @@ -5145,12 +5150,12 @@ END Anschluss Einstellungen - + MODBUS Help MODBUS Hilfe - + S7 Help S7 Hilfe @@ -5170,23 +5175,17 @@ END Eigenschaften der Röstung - - - Custom Blend - Benutzerdefinierte Mischung - - - + Energy Help Energie Hilfe - + Tare Setup Tare Einstellung - + Set Measure from Profile Wert aus Profile übernehmen @@ -5420,27 +5419,27 @@ END Verwaltung - + Registers Register - - + + Commands Kommandos - + PID PID - + Serial Serial @@ -5451,37 +5450,37 @@ END - + Input Eingang - + Machine Maschine - + Timeout Zeitlimit - + Nodes Knoten - + Messages Meldungen - + Flags - + Events Ereignisse @@ -5493,14 +5492,14 @@ END - + Energy Energie - + CO2 @@ -5800,14 +5799,14 @@ END HTML Report Template - + BBP Total Time BBP Gesamtzeit - + BBP Bottom Temp BBP Unteretemperatur @@ -5824,849 +5823,849 @@ END - + Whole Color Bohnenfarbe - - + + Profile Profil - + Roast Batches Röstchargen - - - + + + Batch # - - + + Date Datum - - - + + + Beans Bohnen - - - + + + In Start - - + + Out End - - - + + + Loss Verlust - - + + SUM SUMME - + Production Report Produktionsbericht - - + + Time Zeit - - + + Weight In Eingangsgewicht - - + + CHARGE BT FÜLLEN BT - - + + FCs Time FCs Zeit - - + + FCs BT FCs BT - - + + DROP Time LEEREN Zeit - - + + DROP BT LEEREN BT - + Dry Percent TROCKEN Anteil - + MAI Percent MAI Anteil - + Dev Percent Dev Anteil - - + + AUC - - + + Weight Loss Einbrand - - + + Color Farbe - + Cupping Verkostung - + Roaster Röstmaschine - + Capacity Röstkapazität - + Operator Röstmeister - + Organization - + Drum Speed Trommelgeschwindigkeit - + Ground Color Mahlgutfarbe - + Color System Farbsystem - + Screen Min - + Screen Max - + Bean Temp Bohnentemperature - + CHARGE ET FÜLLEN ET - + TP Time TP Zeit - + TP ET TP ET - + TP BT TP BT - + DRY Time TROCKEN Zeit - + DRY ET TROCKEN ET - + DRY BT TROCKEN BT - + FCs ET FCs ET - + FCe Time FCe Zeit - + FCe ET FCe ET - + FCe BT FCe BT - + SCs Time SCs Zeit - + SCs ET - + SCs BT - + SCe Time SCe Zeit - + SCe ET - + SCe BT - + DROP ET LEEREN ET - + COOL Time ABGEKÜHLT Zeit - + COOL ET ABGEKÜHLT ET - + COOL BT ABGEKÜHLT BT - + Total Time Gesamtzeit - + Dry Phase Time Trocknungsphase Zeit - + Mid Phase Time Maillardphase Zeit - + Finish Phase Time Endphase Zeit - + Dry Phase RoR Trocknungsphase RoR - + Mid Phase RoR Maillardphase RoR - + Finish Phase RoR Endphase Zeit - + Dry Phase Delta BT Trocknungspphase Delta BT - + Mid Phase Delta BT - + Finish Phase Delta BT Endphase Delta BT - + Finish Phase Rise Endphase Anstieg - + Total RoR Gesamt RoR - + FCs RoR - + MET - + AUC Begin AUC Anfang - + AUC Base AUC Basis - + Dry Phase AUC Trocknungsphase AUC - + Mid Phase AUC Maillardphase AUC - + Finish Phase AUC Endphase AUC - + Weight Out Endgewicht - + Volume In Eingangsvolumen - + Volume Out Ausgangsvolumen - + Volume Gain Volumenzunahme - + Green Density Rohkaffee Dichte - + Roasted Density Röstkaffee Dichte - + Moisture Greens Lagerfeuchtigkeit - + Moisture Roasted Feuchte Röstkaffee - + Moisture Loss Feuchtigkeitsverlust - + Organic Loss Organischer Verlust - + Ambient Humidity Umgebungsfeuchtigkeit - + Ambient Pressure Luftdruck - + Ambient Temperature Lufttemperatur - - + + Roasting Notes Notizen zur Röstung - - + + Cupping Notes Notizen zur Verkostung - + Heavy FC Lauter FC - + Low FC Leiser FC - + Light Cut Heller Schnitt - + Dark Cut Dunkler Schnitt - + Drops Öltröpfchen - + Oily Ölig - + Uneven Ungleichmäßig - + Tipping Versengte Spitzen - + Scorching Versengungen - + Divots Abplatzer - + Mode Modus - + BTU Batch BTU Charge - + BTU Batch per green kg BTU pro kg Rohkaffee - + CO2 Batch CO2 Charge - + BTU Preheat BTU Vorheizen - + CO2 Preheat CO2 Vorheizen - + BTU BBP - + CO2 BBP - + BTU Cooling BTU Abkühlen - + CO2 Cooling CO2 Abkühlen - + BTU Roast BTU Röstung - + BTU Roast per green kg BTU Röstung pro kg Rohkaffee - + CO2 Roast CO2 Röstung - + CO2 Batch per green kg CO2 Röstung pro kg Rohkaffee - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Effizienz Charge - + Efficiency Roast Effizienz Röstung - + BBP Begin BBP Anfang - + BBP Begin to Bottom Time BBP Zeit von Anfang nachUnten - + BBP Bottom to CHARGE Time BBP Zeit von Unten nach FÜLLEN - + BBP Begin to Bottom RoR BBP Anfang nach Unten RoR - + BBP Bottom to CHARGE RoR BBP Unten nach FÜLLEN RoR - + File Name Dateiname - + Roast Ranking Röstvergleich - + Ranking Report Röstvergleichprotokoll - + AVG MW - + Roasting Report Röstprotokoll - + Date: Datum: - + Beans: Bohnen: - + Weight: Gewicht: - + Volume: Volumen: - + Roaster: Röstmaschine: - + Operator: Röstmeister: - + Organization: - + Cupping: Verkostung: - + Color: Farbe: - + Energy: Energie: - + CO2: - + CHARGE: FÜLLEN: - + Size: Grösse: - + Density: Dichte: - + Moisture: Feuchte: - + Ambient: Umgebung: - + TP: - + DRY: TROCKEN: - + FCs: - + FCe: - + SCs: - + SCe: - + DROP: LEEREN: - + COOL: KÜHL: - + MET: - + CM: - + Drying: Trocknung: - + Maillard: Maillard: - + Finishing: Endphase: - + Cooling: Kühlung: - + Background: Vorlage: - + Alarms: Alarme: - + RoR: - + AUC: - + Events Ereignisse @@ -12390,6 +12389,92 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Label + + + + + + + + + Weight + Gewicht + + + + + + + Beans + Bohnen + + + + + + Density + Dichte + + + + + + Color + Farbe + + + + + + Moisture + Feuchte + + + + + + + Roasting Notes + Notizen zur Röstung + + + + Score + Score + + + + + Cupping Score + Cupping Score + + + + + + + Cupping Notes + Notizen zur Verkostung + + + + + + + + Roasted + Geröstet + + + + + + + + + Green + Roh + @@ -12494,7 +12579,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12513,7 +12598,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12529,7 +12614,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12548,7 +12633,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12575,7 +12660,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12607,7 +12692,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + DRY @@ -12624,7 +12709,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + FCs @@ -12632,7 +12717,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + FCe @@ -12640,7 +12725,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + SCs @@ -12648,7 +12733,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + SCe @@ -12661,7 +12746,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12676,10 +12761,10 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - - - + + + + @@ -12687,8 +12772,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas EIN - - + + @@ -12702,8 +12787,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Interval - - + + Input Eingang @@ -12737,7 +12822,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + @@ -12754,8 +12839,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - + + Mode @@ -12817,7 +12902,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + Label @@ -12942,21 +13027,21 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + P - + I - + D @@ -13018,13 +13103,6 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Markers Markierungen - - - - - Color - Farbe - Text Color @@ -13055,9 +13133,9 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Größe - - + + @@ -13095,8 +13173,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - + + Event @@ -13109,7 +13187,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Aktion - + Command Befehl @@ -13121,7 +13199,7 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Offset - + Factor @@ -13138,14 +13216,14 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Temp - + Unit Einheit - + Source Quelle @@ -13156,10 +13234,10 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - - + + + OFF @@ -13210,15 +13288,15 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Register - - + + Area Bereich - - + + DB# @@ -13226,54 +13304,54 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - + Start - - + + Comm Port Anschluss - - + + Baud Rate Baudrate - - + + Byte Size Datenbits - - + + Parity Parität - - + + Stopbits Stoppbits - - + + @@ -13310,8 +13388,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - + + Type Typ @@ -13321,8 +13399,8 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - + + Host Netzwerk @@ -13333,20 +13411,20 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas - - + + Port Anschluss - + SV Factor SV Faktor - + pid Factor pid Faktor @@ -13369,75 +13447,75 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Strikt - - + + Device Gerät - + Rack - + Slot - + Path Pfad - + ID - + Connect Verbinden - + Reconnect Wiederverbinden - - + + Request Anfrage - + Message ID Nachrichten ID - + Machine ID Maschinen ID - + Data Daten - + Message Nachricht - + Data Request Datenanfrage - - + + Node Knoten @@ -13499,17 +13577,6 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas g g - - - - - - - - - Weight - Gewicht - @@ -13517,25 +13584,6 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Volume Volumen - - - - - - - - Green - Roh - - - - - - - - Roasted - Geröstet - @@ -13586,31 +13634,16 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Datum - + Batch Charge - - - - - - Beans - Bohnen - % - - - - - Density - Dichte - Screen @@ -13626,13 +13659,6 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Ground Mahlgut - - - - - Moisture - Feuchte - @@ -13645,22 +13671,6 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Ambient Conditions Umgebungsfeuchtigkeit - - - - - - Roasting Notes - Notizen zur Röstung - - - - - - - Cupping Notes - Notizen zur Verkostung - Ambient Source @@ -13682,140 +13692,140 @@ Führen Sie die folgenden Schritte aus, um die Energieeinträge für die Bratmas Mischung - + Template Vorlage - + Results in Resultate in - + Rating Leistung - + Pressure % Druck % - + Electric Energy Mix: Strom Energiemix: - + Renewable erneuerbar - - + + Pre-Heating Vorheizen - - + + Between Batches Zwischen den Chargen - - + + Cooling Kühlung - + Between Batches after Pre-Heating Zwischen den Chargen nach dem Vorheizen - + (mm:ss) - + Duration Dauer - + Measured Energy or Output % Energiemenge oder Leistung in % - - + + Preheat Vorheizen - - + + BBP - - - - + + + + Roast Röstung - - + + per kg green coffee per kg Rohkaffee - + Load Last - + Organization - + Operator Röstmeister - + Machine Maschine - + Model Modell - + Heating Beheizung - + Drum Speed Trommelgeschwindigkeit - + organic material organisches Material @@ -14139,12 +14149,6 @@ LCDs Alle Roaster Röstmaschine - - - - Cupping Score - Cupping Score - Max characters per line @@ -14224,7 +14228,7 @@ LCDs Alle Randfarbe (RGBA) - + roasted geröstet @@ -14371,22 +14375,22 @@ LCDs Alle - + ln() - - + + x - - + + Bkgnd Vorlage @@ -14535,99 +14539,99 @@ LCDs Alle Bohnen Einfüllen - + /m - + greens roh - - - + + + STOP - - + + OPEN ÖFFNEN - - - + + + CLOSE SCHLIEßEN - - + + AUTO - - - + + + MANUAL HANDBUCH - + STIRRER RÜHRER - + FILL FÜLLEN - + RELEASE FREIGEBEN - + HEATING HEIZUNG - + COOLING KÜHLUNG - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR @@ -14948,15 +14952,10 @@ LCDs Alle Correction Korrektur - - - Aspect Ratio - Verhältnis - - - - Score - Score + + + Aspect Ratio + Verhältnis Coarse @@ -15363,6 +15362,12 @@ LCDs Alle Menu + + + + Schedule + Röstplan + @@ -15819,12 +15824,6 @@ LCDs Alle Sliders Regler - - - - Schedule - Röstplan - Full Screen @@ -15973,6 +15972,54 @@ LCDs Alle Message + + + Scheduler started + Röstplaner gestartet + + + + Scheduler stopped + Röstplaner angehalten + + + + + + + Warning + Warnung + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Finché la finestra del piano di tostatura è chiusa, le tostature non vengono registrate nel piano di tostatura + Während das Röstplan Fenster geschlossen ist werde Röstungen nicht im Röstplan registriert + + + + + 1 batch + 1 Charge + + + + + + + {} batches + {} Chargen + + + + Updating completed roast properties failed + Das Aktualisieren der Rösteigenschaften ist fehlgeschlagen + + + + Fetching completed roast properties failed + Das Abrufen der Eigenschaften der Röstung ist fehlgeschlagen + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16533,20 +16580,20 @@ OPeration am Ende wiederholen: {0} - + Bluetootooth access denied Bluetooth-Zugriff verweigert - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Serieller Anschluss: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16580,50 +16627,50 @@ OPeration am Ende wiederholen: {0} Profilvorlage wird gelesen... - + Event table copied to clipboard Ereignistabelle in die Zwischenablage kopiert - + The 0% value must be less than the 100% value. Der 0% Wert muss unter dem 100% liegen. - - + + Alarms from events #{0} created Alarmregel aus Ereignis #{0} erzeugt - - + + No events found Keine Ereignisse gefunden - + Event #{0} added Ereignis #{0} hinzugefügt - + No profile found Kein Profil gefunden - + Events #{0} deleted Ereignis #{0} gelöscht - + Event #{0} deleted Ereignis #{0} gelöscht - + Roast properties updated but profile not saved to disk Profileattribute geändert aber nicht abgespeichert @@ -16638,7 +16685,7 @@ OPeration am Ende wiederholen: {0} MODBUS getrennt - + Connected via MODBUS Verbunden über MODBUS @@ -16805,27 +16852,19 @@ OPeration am Ende wiederholen: {0} Sampling Abtastung - - - - - - Warning - Warnung - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Ein kurzes Abtastintervall kann zu Instabilitäten führen. Eine Einstellung von 3s wird empfohlen. - + Incompatible variables found in %s Inkompatible Variablen gefunden in %s - + Assignment problem Zuordnungsproblem @@ -16919,8 +16958,8 @@ OPeration am Ende wiederholen: {0} follow aus - - + + Save Statistics Statistikbox speichern @@ -17082,19 +17121,19 @@ Unterstützen Sie uns bitte mit einer Spende um es kostenfrei und aktuell zu hal Artisan konfiguriert für {0} - + Load theme {0}? Schema {0} laden? - + Adjust Theme Related Settings Anpassung Schema bezogener Einstellungen - + Loaded theme {0} Schema {0} geladen @@ -17105,8 +17144,8 @@ Unterstützen Sie uns bitte mit einer Spende um es kostenfrei und aktuell zu hal Farbkombination schwierig zu unterscheiden: - - + + Simulator started @{}x Simulator gestartet @{}x @@ -17157,14 +17196,14 @@ Unterstützen Sie uns bitte mit einer Spende um es kostenfrei und aktuell zu hal Auto LEEREN aus - + PID set to OFF PID AUS - + PID set to ON @@ -17384,7 +17423,7 @@ Unterstützen Sie uns bitte mit einer Spende um es kostenfrei und aktuell zu hal {0} wurde gespeichert. Neue Röstung gestartet - + Invalid artisan format @@ -17449,10 +17488,10 @@ Es ist geraten die momentanen Einstellungen zunächst per Menu Hilfe >> Ei Profile gespeichert - - - - + + + + @@ -17544,346 +17583,346 @@ Es ist geraten die momentanen Einstellungen zunächst per Menu Hilfe >> Ei Laden von EInstellungen abgebrochen - - + + Statistics Saved Statistikbox abgespeichert - + No statistics found Statistik nicht gefunden - + Excel Production Report exported to {0} Excel Produktionsbericht nach {0} exportiert - + Ranking Report Röstvergleichprotokoll - + Ranking graphs are only generated up to {0} profiles Ranking-Diagramme werden nur bis zu {0} Profilen generiert - + Profile missing DRY event Profil ohne TROCKEN Ereigniss - + Profile missing phase events Profil ohne Phasen Ereignisse - + CSV Ranking Report exported to {0} CSV Röstvergleich nach {0} exportiert - + Excel Ranking Report exported to {0} Excel Röstvergleich nach {0} exportiert - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Die Bluetooth-Waage kann nicht verbunden werden, während Artisan die Berechtigung zum Zugriff auf Bluetooth verweigert wird - + Bluetooth access denied Bluetooth-Zugriff verweigert - + Hottop control turned off Hottop Steuerung ausgeschaltet - + Hottop control turned on Hottop Steuerung eingeschaltet - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Um den Hottop zu kontrollieren muss erst der super user Modus per rechts-klick auf den Timer LCD aktiviert werden! - - + + Settings not found Einstellungen nicht gefunden - + artisan-settings artisan-einstellungen - + Save Settings Einstellungen Sichern - + Settings saved Einstellungen gesichert - + artisan-theme artisan-schema - + Save Theme Schema Speichern - + Theme saved Schema gespeichert - + Load Theme Lade Schema - + Theme loaded Schema geladen - + Background profile removed Hintergrundprofil entfernt - + Alarm Config Alarmeinstellungen - + Alarms are not available for device None Alarmregeln sind für Gerät 'Kein' nicht verfügbar - + Switching the language needs a restart. Restart now? Das Wechseln der Sprache benötigt einen Neustart. Jetzt Neustarten? - + Restart Neustart - + Import K202 CSV Importiere K202 CSV - + K202 file loaded successfully K202 Datei erfolgreich geladen - + Import K204 CSV Importiere K204 CSV - + K204 file loaded successfully K204 Datei erfolgreich geladen - + Import Probat Recipe Importiere Probat Pilot Rezept - + Probat Pilot data imported successfully Probat Pilot Daten erfolgreich importiert - + Import Probat Pilot failed Der Import der Probat Pilot Datei ist fehlgeschlagen - - + + {0} imported {0} importiert - + an error occurred on importing {0} beim Importieren von {0} ist ein Fehler aufgetreten - + Import Cropster XLS Importiere Cropster XLS - + Import RoastLog URL Importiere RoastLog URL - + Import RoastPATH URL Importiere RoastPATH URL - + Import Giesen CSV Importiere Giesen CSV - + Import Petroncini CSV Importiere Petroncinii CSV - + Import IKAWA URL IKAWA-URL importieren - + Import IKAWA CSV Importiere IKAWA CSV - + Import Loring CSV Importiere Loring CSV - + Import Rubasse CSV Importiere Rubase CSV - + Import HH506RA CSV Importiere HH506RA CSV - + HH506RA file loaded successfully HH506RA Datei erfolgreich geladen - + Save Graph as Diagram speichern unter - + {0} size({1},{2}) saved {0} Grösse({1},{2}) gespeichert - + Save Graph as PDF Diagramm als PDF gespeichern - + Save Graph as SVG Diagramm als SVG speichern - + {0} saved {0} gespeichert - + Wheel {0} loaded Kreisdiagram {0} geladen - + Invalid Wheel graph format Ungültiges Kreisdiagramm Datenformat - + Buttons copied to Palette # Schaltflächen kopiert nach Palette # - + Palette #%i restored Palette #%i wiederhergestellt - + Palette #%i empty Palette #%i ist leer - + Save Palettes Paletten speichern - + Palettes saved Paletten gespeichert - + Palettes loaded Paletten geladen - + Invalid palettes file format Ungültige Paletten Datei - + Alarms loaded Alarmregeln geladen - + Fitting curves... Kurvenanpassung... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. - + Analysis earlier than Curve fit Analyse früher als Kurvenanpassung - + Simulator stopped Simulator angehalten - + debug logging ON Debug-Logging AN @@ -18535,46 +18574,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Profilvorlage nicht gefunden - - - Scheduler started - Röstplaner gestartet - - - - Scheduler stopped - Röstplaner angehalten - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Finché la finestra del piano di tostatura è chiusa, le tostature non vengono registrate nel piano di tostatura - Während das Röstplan Fenster geschlossen ist werde Röstungen nicht im Röstplan registriert - - - - - 1 batch - 1 Charge - - - - - - - {} batches - {} Chargen - - - - Updating completed roast properties failed - Das Aktualisieren der Rösteigenschaften ist fehlgeschlagen - - - - Fetching completed roast properties failed - Das Abrufen der Eigenschaften der Röstung ist fehlgeschlagen - Event # {0} recorded at BT = {1}{self.mode} Time = {2} Event # {0} erfasst bei BT = {1}{self.mode} Zeit = {2} @@ -19212,51 +19211,6 @@ Continue? Plus - - - debug logging ON - Debug-Logging AN - - - - debug logging OFF - Debug-Logging AUS - - - - 1 day left - 1 Tag übrig - - - - {} days left - {} Tage übrig - - - - Paid until - Bezahlt bis - - - - Please visit our {0}shop{1} to extend your subscription - Bitte besuchen Sie unseren {0}Shop{1}, um Ihr Abonnement zu verlängern - - - - Do you want to extend your subscription? - Möchtes Du Dein Abonnement verlängern? - - - - Your subscription ends on - Dein Abonnement endet am - - - - Your subscription ended on - Dein Abonnement endete am - Roast successfully upload to {} @@ -19446,6 +19400,51 @@ Continue? Remember Angemeldet bleiben? + + + debug logging ON + Debug-Logging AN + + + + debug logging OFF + Debug-Logging AUS + + + + 1 day left + 1 Tag übrig + + + + {} days left + {} Tage übrig + + + + Paid until + Bezahlt bis + + + + Please visit our {0}shop{1} to extend your subscription + Bitte besuchen Sie unseren {0}Shop{1}, um Ihr Abonnement zu verlängern + + + + Do you want to extend your subscription? + Möchtes Du Dein Abonnement verlängern? + + + + Your subscription ends on + Dein Abonnement endet am + + + + Your subscription ended on + Dein Abonnement endete am + Roast successfully upload to artisan.plus Röstung erfolgreich auf artisan.plus übertragen @@ -19656,10 +19655,10 @@ Continue? - - - - + + + + Roaster Scope Röstoskop @@ -20067,6 +20066,16 @@ Continue? Tab + + + To-Do + To-Do + + + + Completed + Erledigt + @@ -20099,7 +20108,7 @@ Continue? RS Einstellungen - + Extra @@ -20148,32 +20157,32 @@ Continue? - + ET/BT ET/BT - + Modbus Modbus - + S7 - + Scale Waage - + Color Farbe - + WebSocket @@ -20210,17 +20219,17 @@ Continue? Einstellungen - + Details Daten - + Loads Lasten - + Protocol Protokoll @@ -20305,16 +20314,6 @@ Continue? LCDs LCDs - - - To-Do - To-Do - - - - Completed - Erledigt - Done Erledigt @@ -20449,7 +20448,7 @@ Continue? - + @@ -20469,7 +20468,7 @@ Continue? Haltezeit HH:MM - + @@ -20479,7 +20478,7 @@ Continue? - + @@ -20503,37 +20502,37 @@ Continue? - + Device Meßgerät - + Comm Port Anschluss - + Baud Rate Baudrate - + Byte Size Datenbits - + Parity Parität - + Stopbits Stoppbits - + Timeout Zeitlimit @@ -20541,16 +20540,16 @@ Continue? - - + + Time Zeit - - + + @@ -20559,8 +20558,8 @@ Continue? - - + + @@ -20569,104 +20568,104 @@ Continue? - + CHARGE FÜLLEN - + DRY END TROCKEN - + FC START FC START - + FC END FC ENDE - + SC START SC START - + SC END SC ENDE - + DROP LEEREN - + COOL KÜHL - + #{0} {1}{2} - + Power Leistung - + Duration Dauer - + CO2 - + Load Last - + Source Quelle - + Kind Art - + Name - + Weight Gewicht @@ -21625,7 +21624,7 @@ initiated by the PID - + @@ -21646,7 +21645,7 @@ initiated by the PID - + Show help Offnet eine Hilfeseite @@ -21800,20 +21799,24 @@ muss um das 4-fache reduziert werden. Sampling Aktionsbefehl synchron ({}) in jedem Sampling-Intervall oder immer zu dem gewählten Zeitintervall während der Aufzeichnung asynchron ausführen. - + OFF Action String AUS Aktionstext - + ON Action String EIN Aktionstext - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Zusätzliche Verzögerung bei Verbindungsaufbau bevor Anfragen geschickt werden (benötigt von Arduino Geräten die bei Verbindungsaufbau Neustarten) + + + Extra delay in Milliseconds between MODBUS Serial commands Zusätzliche Verzögerung in Millisekunden zwischen seriellen MODBUS-Befehlen @@ -21829,12 +21832,7 @@ muss um das 4-fache reduziert werden. - - Reset socket connection on error - Setze die Socket-Verbindung bei einem Fehler zurück - - - + Scan S7 @@ -21850,7 +21848,7 @@ muss um das 4-fache reduziert werden. Nur für Profilvorlage mit Zusatztgeräten - + The maximum nominal batch size of the machine in kg Die maximale Chargengrösse der Maschine @@ -22284,32 +22282,32 @@ Currently in TEMP MODE Momentan in TEMP Modus - + <b>Label</b>= <b>Beschriftung</b>= - + <b>Description </b>= <b>Beschreibung </b>= - + <b>Type </b>= <b>Typ </b>= - + <b>Value </b>= <b>Wert </b>= - + <b>Documentation </b>= <b>Dokumentation </b>= - + <b>Button# </b>= <b>Taste# </b>= @@ -22393,6 +22391,10 @@ Momentan in TEMP Modus Sets button colors to grey scale and LCD colors to black and white Stellt die Tastenfarben auf Graustufen und die LCD-Farben auf Schwarz und Weiß ein + + Reset socket connection on error + Setze die Socket-Verbindung bei einem Fehler zurück + Set the length of text in an event flag Textlänge der angezeigten Ereignisnamen diff --git a/src/translations/artisan_el.qm b/src/translations/artisan_el.qm index 3f02cbe4c..b8581b3c4 100644 Binary files a/src/translations/artisan_el.qm and b/src/translations/artisan_el.qm differ diff --git a/src/translations/artisan_el.ts b/src/translations/artisan_el.ts index 921abe6c8..23e45c2c9 100644 --- a/src/translations/artisan_el.ts +++ b/src/translations/artisan_el.ts @@ -9,57 +9,57 @@ Απελευθερώστε τον Χορηγό - + About Περι - + Core Developers Προγραμματιστες - + License Αδεια - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Παρουσιάστηκε πρόβλημα κατά την ανάκτηση των τελευταίων πληροφοριών έκδοσης. Ελέγξτε τη σύνδεσή σας στο Διαδίκτυο, δοκιμάστε ξανά αργότερα ή ελέγξτε μη αυτόματα. - + A new release is available. Μια νέα κυκλοφορία είναι διαθέσιμη. - + Show Change list Εμφάνιση λίστας αλλαγών - + Download Release Λήψη κυκλοφορίας - + You are using the latest release. Χρησιμοποιείτε την τελευταία έκδοση. - + You are using a beta continuous build. Χρησιμοποιείτε μια συνεχή έκδοση beta. - + You will see a notice here once a new official release is available. Θα δείτε μια ειδοποίηση εδώ μόλις είναι διαθέσιμη μια νέα επίσημη κυκλοφορία. - + Update status Ενημέρωση κατάστασης @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + Ενταξει + + + + + + + + Cancel + Ακύρωση + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save Αποθηκευση - - - - - - - - - OK - Ενταξει - On @@ -563,15 +572,6 @@ Write PIDs Γράψτε PID - - - - - - - Cancel - Ακύρωση - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ Αρχή - + Scan Σάρωση @@ -736,9 +736,9 @@ εκσυγχρονίζω - - - + + + Save Defaults Αποθήκευση προεπιλογών @@ -1485,12 +1485,12 @@ END Πλευση - + START on CHARGE ΕΝΑΡΞΗ στο CHARGE - + OFF on DROP ΑΠΕΝΕΡΓΟΠΟΙΗΜΕΝΟ @@ -1562,61 +1562,61 @@ END Εμφάνιση πάντα - + Heavy FC Eντονο FC - + Low FC Αδυναμο FC - + Light Cut Ανοικτοχρωμο - + Dark Cut Σκουροχρωμο - + Drops Στιγματα - + Oily Ελαιωδης - + Uneven Ανομοιο - + Tipping Tipping - + Scorching scorching - + Divots Καψιματα @@ -2424,14 +2424,14 @@ END - + ET ET - + BT BT @@ -2454,24 +2454,19 @@ END λόγια - + optimize βελτιστοποίηση της - + fetch full blocks λήψη πλήρων μπλοκ - - reset - επαναφορά - - - + compression συμπίεση @@ -2657,6 +2652,10 @@ END Elec Ηλεκτρικός + + reset + επαναφορά + Title Τιτλος @@ -2852,6 +2851,16 @@ END Contextual Menu + + + All batches prepared + Όλες οι παρτίδες έτοιμες + + + + No batch prepared + Καμία παρτίδα δεν προετοιμάστηκε + Add point @@ -2897,16 +2906,6 @@ END Edit Επεξεργασια - - - All batches prepared - Όλες οι παρτίδες έτοιμες - - - - No batch prepared - Καμία παρτίδα δεν προετοιμάστηκε - Create Δημιουργια @@ -4276,20 +4275,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4382,42 +4381,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4486,10 +4485,10 @@ END - - - - + + + + @@ -4687,12 +4686,12 @@ END - - - - - - + + + + + + @@ -4701,17 +4700,17 @@ END Σφαλμα Τιμης: - + Serial Exception: invalid comm port Εξαιρεση σειριακη:ακυρη θυρα επικοινωνιας - + Serial Exception: timeout Εξαιρεση σειριακη:τελος χρονου - + Unable to move CHARGE to a value that does not exist Αδυνατη μετακινηση ΦΟΡΤΩΜΑ σε τιμη μη υπαρκτη @@ -4721,30 +4720,30 @@ END - + Modbus Error: failed to connect - - - - - - - - - + + + + + + + + + Modbus Error: Σφαλμα Modbus: - - - - - - + + + + + + Modbus Communication Error @@ -4828,52 +4827,52 @@ END - - - - - + + + + + Error Σφαλμα - + Exception: WebLCDs not supported by this build Εξαίρεση: WebLCD που δεν υποστηρίζονται από αυτήν την έκδοση - + Could not start WebLCDs. Selected port might be busy. Δεν ήταν δυνατή η εκκίνηση των WebLCD. Η επιλεγμένη θύρα μπορεί να είναι απασχολημένη. - + Failed to save settings Αποτυχία αποθήκευσης ρυθμίσεων - - + + Exception (probably due to an empty profile): - + Analyze: CHARGE event required, none found - + Analyze: DROP event required, none found - + Analyze: no background profile data available - + Analyze: background profile requires CHARGE and DROP events @@ -4956,6 +4955,12 @@ END Form Caption + + + + Custom Blend + Προσαρμοσμένο μείγμα + Axes @@ -5090,12 +5095,12 @@ END Διαμορφωση σειριακων θυρων - + MODBUS Help Βοήθεια MODBUS - + S7 Help Βοήθεια S7 @@ -5115,23 +5120,17 @@ END Ιδιοτητες ψησιματος - - - Custom Blend - Προσαρμοσμένο μείγμα - - - + Energy Help Βοήθεια για την ενέργεια - + Tare Setup Ρύθμιση απόβαρου - + Set Measure from Profile Ορισμός μέτρησης από προφίλ @@ -5353,27 +5352,27 @@ END Διαχειρηση - + Registers Μητρώα - - + + Commands Εντολές - + PID PID - + Serial Σειριακο @@ -5384,37 +5383,37 @@ END - + Input Εισαγωγή - + Machine Μηχανή - + Timeout Τέλος χρόνου - + Nodes Κόμβοι - + Messages Μυνηματα - + Flags Σημαίες - + Events Εκδηλώσεις @@ -5426,14 +5425,14 @@ END - + Energy Ενέργεια - + CO2 @@ -5729,14 +5728,14 @@ END HTML Report Template - + BBP Total Time Συνολικός χρόνος BBP - + BBP Bottom Temp BBP κάτω θερμοκρασία @@ -5753,849 +5752,849 @@ END - + Whole Color Χρωμα Κοκκων - - + + Profile Προφίλ - + Roast Batches Παρτίδες ψητού - - - + + + Batch Σύνολο παραγωγής - - + + Date Ημερομηνια - - - + + + Beans Κοκκοι - - - + + + In Σε - - + + Out Εξω - - - + + + Loss Απώλεια - - + + SUM ΑΘΡΟΙΣΜΑ - + Production Report Έκθεση παραγωγής - - + + Time Χρονος - - + + Weight In Βάρος σε - - + + CHARGE BT ΦΟΡΤΙΣΗ BT - - + + FCs Time Ώρα FCs - - + + FCs BT - - + + DROP Time Ώρα πτώσης - - + + DROP BT ΣΤΑΣΗ BT - + Dry Percent Ξηρό ποσοστό - + MAI Percent Ποσοστό MAI - + Dev Percent Ποσοστό προγραμματιστών - - + + AUC - - + + Weight Loss Απώλεια βάρους - - + + Color Χρωμα - + Cupping Βεντούζα - + Roaster Ψηστηρι - + Capacity Χωρητικότητα - + Operator Χειριστής - + Organization Οργάνωση - + Drum Speed Ταχύτητα τυμπάνου - + Ground Color Χρωμα Αλεσμενου - + Color System Σύστημα χρωμάτων - + Screen Min Ελάχιστη οθόνη - + Screen Max Μέγιστη οθόνη - + Bean Temp Θερμοκρασία φασολιών - + CHARGE ET ΦΟΡΤΙΣΗ ΕΤ - + TP Time Ώρα TP - + TP ET TP ΕΤ - + TP BT - + DRY Time Στεγνό Ώρα - + DRY ET ΣΤΕΓΝΩ ΕΤ - + DRY BT ΞΗΡΑ BT - + FCs ET - + FCe Time FCe Ώρα - + FCe ET - + FCe BT - + SCs Time Ώρα SC - + SCs ET - + SCs BT - + SCe Time Ώρα SCe - + SCe ET SCe ΕΤ - + SCe BT - + DROP ET - + COOL Time Καλή ώρα - + COOL ET ΨΥΞΗ ΕΤ - + COOL BT ΨΥΞΗ BT - + Total Time Συνολικός χρόνος - + Dry Phase Time Χρόνος ξηρής φάσης - + Mid Phase Time Ώρα μεσαίας φάσης - + Finish Phase Time Χρόνος φάσης ολοκλήρωσης - + Dry Phase RoR Ξηρά φάση RoR - + Mid Phase RoR RoR μεσαίας φάσης - + Finish Phase RoR Ολοκληρώστε τη φάση RoR - + Dry Phase Delta BT Ξηρή φάση Delta BT - + Mid Phase Delta BT Δέλτα ΒΤ μέσης φάσης - + Finish Phase Delta BT Φάση τερματισμού Delta BT - + Finish Phase Rise Τελειώστε τη φάση άνοδο - + Total RoR Σύνολο RoR - + FCs RoR - + MET ΣΥΝΑΝΤΗΣΕ - + AUC Begin Έναρξη AUC - + AUC Base Βάση AUC - + Dry Phase AUC AUC ξηράς φάσης - + Mid Phase AUC AUC μεσαίας φάσης - + Finish Phase AUC Ολοκληρώστε τη φάση AUC - + Weight Out Βάρος - + Volume In Ένταση σε - + Volume Out Έξοδος έντασης - + Volume Gain Κέρδος όγκου - + Green Density Πράσινη πυκνότητα - + Roasted Density Ψητή πυκνότητα - + Moisture Greens Συνθηκες Αποθυκευσης - + Moisture Roasted Υγρασία ψητή - + Moisture Loss Απώλεια υγρασίας - + Organic Loss Οργανική απώλεια - + Ambient Humidity Υγρασία περιβάλλοντος - + Ambient Pressure Περιβαλλοντική πίεση - + Ambient Temperature Θερμοκρασία περιβάλλοντος - - + + Roasting Notes Σημειωσεις Ψησιματος - - + + Cupping Notes Σημειωσεις cupping - + Heavy FC Eντονο FC - + Low FC Αδυναμο FC - + Light Cut Ανοικτοχρωμο - + Dark Cut Σκουροχρωμο - + Drops Στιγματα - + Oily Ελαιωδης - + Uneven Ανομοιο - + Tipping Tipping - + Scorching scorching - + Divots Καψιματα - + Mode Τρόπος - + BTU Batch BTU παρτίδα - + BTU Batch per green kg BTU παρτίδα ανά πράσινο κιλό - + CO2 Batch Παρτίδα CO2 - + BTU Preheat Προθέρμανση BTU - + CO2 Preheat Προθέρμανση CO2 - + BTU BBP - + CO2 BBP - + BTU Cooling Ψύξη BTU - + CO2 Cooling Ψύξη CO2 - + BTU Roast Ψητό BTU - + BTU Roast per green kg BTU Ψητό ανά πράσινο κιλό - + CO2 Roast Ψητό CO2 - + CO2 Batch per green kg Παρτίδα CO2 ανά πράσινο kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Παρτίδα αποδοτικότητας - + Efficiency Roast Ψητό απόδοσης - + BBP Begin BBP Αρχίζω - + BBP Begin to Bottom Time BBP Ξεκινήστε μέχρι το κάτω μέρος - + BBP Bottom to CHARGE Time Χρόνος BBP από κάτω έως φόρτιση - + BBP Begin to Bottom RoR BBP Αρχίστε προς τα κάτω RoR - + BBP Bottom to CHARGE RoR BBP Κάτω για ΦΟΡΤΙΣΗ RoR - + File Name Ονομα αρχείου - + Roast Ranking Συγκριση Ψησιματος - + Ranking Report Αναφορά κατάταξης - + AVG - + Roasting Report Λεπτομερειες Ψησιματος - + Date: Ημερομηνια: - + Beans: Κοκκοι: - + Weight: Βαρος: - + Volume: Ογκος: - + Roaster: Ψηστηρι: - + Operator: Χειρηστης: - + Organization: Οργάνωση: - + Cupping: Cupping: - + Color: Χρωμα: - + Energy: Ενέργεια: - + CO2: - + CHARGE: ΦΟΡΤΩΜΑ: - + Size: Mεγεθος: - + Density: Πυκνοτητα: - + Moisture: Υγρασία: - + Ambient: Περιβάλλων: - + TP: - + DRY: ΞΗΡΑΝΣΗ: - + FCs: FCε: - + FCe: FCλ: - + SCs: SCε: - + SCe: SCλ: - + DROP: ΞΕΦΟΡΤΩΜΑ: - + COOL: ΨΗΞΗ: - + MET: ΣΥΝΑΝΤΗΣΕ: - + CM: ΕΚ: - + Drying: Ξηρανση: - + Maillard: Maillard: - + Finishing: Φινίρισμα: - + Cooling: Ψυξη: - + Background: Ιστορικό: - + Alarms: Συναγερμός: - + RoR: RoR: - + AUC: - + Events Συμβαντα @@ -12468,6 +12467,92 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Label + + + + + + + + + Weight + Βαρος + + + + + + + Beans + Κοκκοι + + + + + + Density + Πυκνοτητα + + + + + + Color + Χρωμα + + + + + + Moisture + Υγρασία + + + + + + + Roasting Notes + Σημειωσεις Ψησιματος + + + + Score + Σκορ + + + + + Cupping Score + Βαθμολογία cupping + + + + + + + Cupping Notes + Σημειωσεις Cupping + + + + + + + + Roasted + Ψημένος + + + + + + + + + Green + Πράσινος + @@ -12572,7 +12657,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12591,7 +12676,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12607,7 +12692,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12626,7 +12711,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12653,7 +12738,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12685,7 +12770,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + DRY ΣΤΕΓΝΟΣ @@ -12702,7 +12787,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + FCs @@ -12710,7 +12795,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + FCe @@ -12718,7 +12803,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + SCs SC @@ -12726,7 +12811,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + SCe @@ -12739,7 +12824,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12754,10 +12839,10 @@ Follow the steps below to set the energy inputs for the roast machine and afterb / λεπτό - - - - + + + + @@ -12765,8 +12850,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb ΕΝΕΡΓΟΠΟΙΗΣΗ - - + + @@ -12780,8 +12865,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Κύκλος - - + + Input Εισαγωγή @@ -12815,7 +12900,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + @@ -12832,8 +12917,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - - + + Mode @@ -12895,7 +12980,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + Label @@ -13020,21 +13105,21 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Μέγ. SV - + P Ρ - + I Ι - + D @@ -13096,13 +13181,6 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Markers Δεικτες - - - - - Color - Χρωμα - Text Color @@ -13133,9 +13211,9 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Μεγεθος - - + + @@ -13173,8 +13251,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - - + + Event @@ -13187,7 +13265,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Δραση - + Command Εντολη @@ -13199,7 +13277,7 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Οφσετ - + Factor @@ -13216,14 +13294,14 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Θερμοκρασια - + Unit Μονάδα - + Source Πηγη @@ -13234,10 +13312,10 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Σύμπλεγμα - - - + + + OFF @@ -13288,15 +13366,15 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Καταχωρηση - - + + Area Περιοχή - - + + DB# DB # @@ -13304,54 +13382,54 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - + Start Αρχή - - + + Comm Port Θυρα Επικοινωνιας - - + + Baud Rate Ρυθμος Baud - - + + Byte Size Mεγεθος Byte - - + + Parity Ισοτιμια - - + + Stopbits Stopbits - - + + @@ -13388,8 +13466,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - - + + Type Τυπος @@ -13399,8 +13477,8 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - - + + Host Δίκτυο @@ -13411,20 +13489,20 @@ Follow the steps below to set the energy inputs for the roast machine and afterb - - + + Port Σειριακη Θυρα - + SV Factor Παράγοντας SV - + pid Factor Παράγοντας pid @@ -13446,75 +13524,75 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Αυστηρός - - + + Device Συσκευη - + Rack Ράφι - + Slot Θυρίδα - + Path Μονοπάτι - + ID ταυτότητα - + Connect Συνδέω-συωδεομαι - + Reconnect Επανασύνδεση - - + + Request Αίτηση - + Message ID Αναγνωριστικό μηνύματος - + Machine ID Αναγνωριστικό μηχανήματος - + Data Δεδομένα - + Message Μήνυμα - + Data Request Αίτημα δεδομένων - - + + Node Κόμβος @@ -13576,17 +13654,6 @@ Follow the steps below to set the energy inputs for the roast machine and afterb g γραμ - - - - - - - - - Weight - Βαρος - @@ -13594,25 +13661,6 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Volume Ογκος - - - - - - - - Green - Πράσινος - - - - - - - - Roasted - Ψημένος - @@ -13663,31 +13711,16 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Ημερομηνια - + Batch Σύνολο παραγωγής - - - - - - Beans - Κοκκοι - % % - - - - - Density - Πυκνοτητα - Screen @@ -13703,13 +13736,6 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Ground Αλεσμένος - - - - - Moisture - Υγρασία - @@ -13722,22 +13748,6 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Ambient Conditions Συνθηκες Περιβαλλοντος - - - - - - Roasting Notes - Σημειωσεις Ψησιματος - - - - - - - Cupping Notes - Σημειωσεις Cupping - Ambient Source @@ -13759,140 +13769,140 @@ Follow the steps below to set the energy inputs for the roast machine and afterb Μείγμα - + Template Πρότυπο - + Results in Αποτελέσματα σε - + Rating Εκτίμηση - + Pressure % Πίεση% - + Electric Energy Mix: Μείγμα ηλεκτρικής ενέργειας: - + Renewable Ανανεώσιμος - - + + Pre-Heating Προθέρμανση - - + + Between Batches Μεταξύ παρτίδων - - + + Cooling Ψυξη - + Between Batches after Pre-Heating Μεταξύ παρτίδων μετά την προθέρμανση - + (mm:ss) (χιλ. δδ) - + Duration Διάρκεια - + Measured Energy or Output % Μέτρηση ενέργειας ή% εξόδου - - + + Preheat Προθερμάνετε - - + + BBP - - - - + + + + Roast Καβουρντισμα - - + + per kg green coffee ανά κιλό πράσινο καφέ - + Load Φορτωμα - + Organization Οργάνωση - + Operator Χειρηστης - + Machine Μηχανή - + Model Μοντέλο - + Heating Θέρμανση - + Drum Speed Ταχύτητα τυμπάνου - + organic material οργανικό υλικό @@ -14216,12 +14226,6 @@ LCDs All Roaster Ψηστηρι - - - - Cupping Score - Βαθμολογία cupping - Max characters per line @@ -14301,7 +14305,7 @@ LCDs All Χρώμα άκρου (RGBA) - + roasted ψητό @@ -14448,22 +14452,22 @@ LCDs All - + ln() ln () - - + + x - - + + Bkgnd @@ -14612,99 +14616,99 @@ LCDs All Φορτίστε τα φασόλια - + /m - + greens χόρτα - - - + + + STOP ΝΑ ΣΤΑΜΑΤΗΣΕΙ - - + + OPEN ΑΝΟΙΞΕ - - - + + + CLOSE ΚΛΕΙΣΕ - - + + AUTO ΑΥΤΟΜΑΤΟ - - - + + + MANUAL χειρωνακτικός - + STIRRER ΑΝΑΚΙΝΗΤΗΣ - + FILL ΓΕΜΙΣΜΑ - + RELEASE ΕΛΕΥΘΕΡΩΣΗ - + HEATING ΘΕΡΜΑΝΣΗ - + COOLING ΨΥΞΗ - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Μέγιστο + / Max- RoR @@ -15030,11 +15034,6 @@ LCDs All Aspect Ratio Αναλογια - - - Score - Σκορ - Coarse Τραχύς @@ -15432,6 +15431,12 @@ LCDs All Menu + + + + Schedule + Σχέδιο + @@ -15888,12 +15893,6 @@ LCDs All Sliders Ρυθμιστικά - - - - Schedule - Σχέδιο - Full Screen @@ -16046,6 +16045,53 @@ LCDs All Message + + + Scheduler started + Ο προγραμματιστής ξεκίνησε + + + + Scheduler stopped + Ο προγραμματιστής σταμάτησε + + + + + + + Warning + Προειδοποίηση + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Τα ολοκληρωμένα ψητά δεν θα προσαρμόσουν το χρονοδιάγραμμα όσο είναι κλειστό το παράθυρο χρονοδιαγράμματος + + + + + 1 batch + 1 παρτίδα + + + + + + + {} batches + {} παρτίδες + + + + Updating completed roast properties failed + Η ενημέρωση ολοκληρωμένων ιδιοτήτων ψητού απέτυχε + + + + Fetching completed roast properties failed + Η ανάκτηση ολοκληρωμένων ιδιοτήτων ψητού απέτυχε + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16606,20 +16652,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied Δεν επιτρέπεται η πρόσβαση στο bluetootooth - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Ρυθμισεις Σειριακων Θυρων: {0},{1},{2},{3},{4},{5} - - - + + + Data table copied to clipboard @@ -16653,50 +16699,50 @@ Repeat Operation at the end: {0} Αναγνωση προφιλ φοντου... - + Event table copied to clipboard Ο πίνακας συμβάντων αντιγράφηκε στο πρόχειρο - + The 0% value must be less than the 100% value. Η τιμή 0% πρέπει να είναι μικρότερη από την τιμή 100%. - - + + Alarms from events #{0} created Δημιουργήθηκαν ξυπνητήρια από συμβάντα # {0} - - + + No events found Δεν ευρεθησαν συμβαντα - + Event #{0} added Συμβαν #{0} προστεθηκε - + No profile found Δεν ευρεθει Προφιλ - + Events #{0} deleted Τα συμβάντα # {0} διαγράφηκαν - + Event #{0} deleted Συμβαν #{0} διαγραφηκε - + Roast properties updated but profile not saved to disk Ιδιοτητες Ψησιματος ενημερωθηκαν αλλα δεν εγινε αποθυκευση του Προφιλ @@ -16711,7 +16757,7 @@ Repeat Operation at the end: {0} Το MODBUS αποσυνδέθηκε - + Connected via MODBUS Συνδέθηκε μέσω MODBUS @@ -16878,27 +16924,19 @@ Repeat Operation at the end: {0} Sampling Δειγματοληψία - - - - - - Warning - Προειδοποίηση - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Ένα στενό διάστημα δειγματοληψίας μπορεί να οδηγήσει σε αστάθεια σε ορισμένα μηχανήματα. Προτείνουμε τουλάχιστον 1 δευτερόλεπτο. - + Incompatible variables found in %s Βρέθηκαν μη συμβατές μεταβλητές στο %s - + Assignment problem Πρόβλημα ανάθεσης @@ -16992,8 +17030,8 @@ Repeat Operation at the end: {0} ακολουθεί - - + + Save Statistics Αποθήκευση στατιστικών @@ -17155,19 +17193,19 @@ To keep it free and current please support us with your donation and subscribe t Ο καλλιτέχνης έχει διαμορφωθεί για {0} - + Load theme {0}? Φόρτωση θέματος {0}; - + Adjust Theme Related Settings Προσαρμογή σχετικών ρυθμίσεων θέματος - + Loaded theme {0} Φορτωμένο θέμα {0} @@ -17178,8 +17216,8 @@ To keep it free and current please support us with your donation and subscribe t Εντοπίστηκε ένα ζεύγος χρωμάτων που μπορεί να είναι δύσκολο να το δείτε: - - + + Simulator started @{}x Ο προσομοιωτής ξεκίνησε @ {} x @@ -17230,14 +17268,14 @@ To keep it free and current please support us with your donation and subscribe t απενεργοποιημένο το autoDROP - + PID set to OFF Το PID ορίστηκε σε OFF - + PID set to ON @@ -17457,7 +17495,7 @@ To keep it free and current please support us with your donation and subscribe t {0} εχει αποθυκευτει.Εναρξη νεου ψησιματος - + Invalid artisan format @@ -17522,10 +17560,10 @@ It is advisable to save your current settings beforehand via menu Help >> Προφιλ Αποθυκευτηκε - - - - + + + + @@ -17617,347 +17655,347 @@ It is advisable to save your current settings beforehand via menu Help >> Οι ρυθμίσεις φόρτωσης ακυρώθηκαν - - + + Statistics Saved Τα στατιστικά στοιχεία αποθηκεύτηκαν - + No statistics found Δεν βρέθηκαν στατιστικά στοιχεία - + Excel Production Report exported to {0} Η αναφορά παραγωγής του Excel εξήχθη στο {0} - + Ranking Report Αναφορά κατάταξης - + Ranking graphs are only generated up to {0} profiles Τα γραφήματα κατάταξης δημιουργούνται μόνο έως {0} προφίλ - + Profile missing DRY event Το συμβάν DRY λείπει από το προφίλ - + Profile missing phase events Στο προφίλ λείπουν συμβάντα φάσης - + CSV Ranking Report exported to {0} Η αναφορά κατάταξης CSV εξήχθη στο {0} - + Excel Ranking Report exported to {0} Η αναφορά κατάταξης του Excel εξήχθη στο {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Δεν είναι δυνατή η σύνδεση της ζυγαριάς Bluetooth, ενώ δεν επιτρέπεται η πρόσβαση του Artisan στο Bluetooth - + Bluetooth access denied Δεν επιτρέπεται η πρόσβαση Bluetooth - + Hottop control turned off Ο έλεγχος Hottop απενεργοποιήθηκε - + Hottop control turned on Ο έλεγχος Hottop είναι ενεργοποιημένος - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Για να ελέγξετε ένα Hottop πρέπει να ενεργοποιήσετε τη λειτουργία σούπερ χρήστη μέσω ενός δεξιού κλικ πρώτα στο χρονοδιακόπτη LCD! - - + + Settings not found Δεν βρέθηκαν ρυθμίσεις - + artisan-settings τεχνίτης-ρυθμίσεις - + Save Settings Αποθηκεύσετε τις ρυθμίσεις - + Settings saved Οι ρυθμίσεις αποθηκεύτηκαν - + artisan-theme τεχνίτης-θέμα - + Save Theme Αποθήκευση θέματος - + Theme saved Το θέμα αποθηκεύτηκε - + Load Theme Φόρτωση θέματος - + Theme loaded Το θέμα φορτώθηκε - + Background profile removed Το προφίλ φόντου καταργήθηκε - + Alarm Config Διαμορφωση Συναγερμου - + Alarms are not available for device None Συναγερμοι δεν ειναι διαθεσιμοι για συσκευη Καμια - + Switching the language needs a restart. Restart now? Η αλλαγή της γλώσσας χρειάζεται επανεκκίνηση. Επανεκκίνηση τώρα? - + Restart Επανεκκίνηση - + Import K202 CSV Εισαγωγη Κ202 CSV - + K202 file loaded successfully Αρχειο Κ202 φορτωθηκε με επιτυχια - + Import K204 CSV Εισαγωγη K204 CSV - + K204 file loaded successfully Αρχειο Κ204 φορτωθηκε με επιτυχια - + Import Probat Recipe Εισαγωγή συνταγής Probat - + Probat Pilot data imported successfully Τα δεδομένα πιλότου Probat εισήχθησαν με επιτυχία - + Import Probat Pilot failed Η εισαγωγή του πιλότου Probat απέτυχε - - + + {0} imported {0} εισήχθη - + an error occurred on importing {0} παρουσιάστηκε σφάλμα κατά την εισαγωγή του {0} - + Import Cropster XLS Εισαγωγή Cropster XLS - + Import RoastLog URL Εισαγωγή διεύθυνσης URL RoastLog - + Import RoastPATH URL Εισαγωγή διεύθυνσης URL RoastPATH - + Import Giesen CSV Εισαγωγή Giesen CSV - + Import Petroncini CSV Εισαγωγή Petroncini CSV - + Import IKAWA URL Εισαγωγή διεύθυνσης URL IKAWA - + Import IKAWA CSV Εισαγωγή IKAWA CSV - + Import Loring CSV Εισαγωγή Loring CSV - + Import Rubasse CSV Εισαγωγή Rubasse CSV - + Import HH506RA CSV Εισαγωγη HH506RA CSV - + HH506RA file loaded successfully Αρχειο HH506RA φορτωθηκε με επιτυχια - + Save Graph as Αποθήκευση γραφήματος ως - + {0} size({1},{2}) saved {0} μεγεθος({1},{2})αποθυκευτηκε - + Save Graph as PDF Αποθυκευση Γραφικου ως PDF - + Save Graph as SVG Αποθυκευση Γραφικου ως SVG - + {0} saved {0} Αποθυκευτηκε - + Wheel {0} loaded Ο τροχός {0} φορτώθηκε - + Invalid Wheel graph format Μη αποδεκτο φορμα Γραφικου Ροδας - + Buttons copied to Palette # Τα κουμπιά αντιγράφηκαν στην Παλέτα # - + Palette #%i restored Η παλέτα #%i αποκαταστάθηκε - + Palette #%i empty Η παλέτα #%i άδεια - + Save Palettes Αποθυκευση Προτυπων - + Palettes saved Προτυπα Αποθυκευτηκαν - + Palettes loaded Προτυπα Φορτωθηκαν - + Invalid palettes file format Μη Αποδεκτη φορμα Προτυπων - + Alarms loaded Συναγερμοι Φορτωθηκαν - + Fitting curves... Συναρμολόγηση καμπυλών ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Προειδοποίηση: Η έναρξη του διαστήματος ανάλυσης ενδιαφέροντος είναι νωρίτερα από την έναρξη της προσαρμογής καμπύλης. Διορθώστε το στην καρτέλα Config> Curves> Analysis. - + Analysis earlier than Curve fit Ανάλυση νωρίτερα από το Curve fit - + Simulator stopped Ο προσομοιωτής σταμάτησε - + debug logging ON εντοπισμός σφαλμάτων ON @@ -18612,45 +18650,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Προφιλ Φοντου δεν ευρεθει - - - Scheduler started - Ο προγραμματιστής ξεκίνησε - - - - Scheduler stopped - Ο προγραμματιστής σταμάτησε - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Τα ολοκληρωμένα ψητά δεν θα προσαρμόσουν το χρονοδιάγραμμα όσο είναι κλειστό το παράθυρο χρονοδιαγράμματος - - - - - 1 batch - 1 παρτίδα - - - - - - - {} batches - {} παρτίδες - - - - Updating completed roast properties failed - Η ενημέρωση ολοκληρωμένων ιδιοτήτων ψητού απέτυχε - - - - Fetching completed roast properties failed - Η ανάκτηση ολοκληρωμένων ιδιοτήτων ψητού απέτυχε - Event # {0} recorded at BT = {1} Time = {2} Συμβαν # {0} καταγραφηκε στις ΒΤ={1} Χρονος = {2} @@ -19264,51 +19263,6 @@ Proceed? Plus - - - debug logging ON - εντοπισμός σφαλμάτων ON - - - - debug logging OFF - εντοπισμός σφαλμάτων OFF - - - - 1 day left - Απομένει 1 ημέρα - - - - {} days left - {} μέρες που απομένουν - - - - Paid until - Πληρώθηκε έως - - - - Please visit our {0}shop{1} to extend your subscription - Επισκεφτείτε το {0} κατάστημα {1} μας για να επεκτείνετε τη συνδρομή σας - - - - Do you want to extend your subscription? - Θέλετε να επεκτείνετε τη συνδρομή σας; - - - - Your subscription ends on - Η συνδρομή σας λήγει στις - - - - Your subscription ended on - Η συνδρομή σας έληξε στις - Roast successfully upload to {} @@ -19498,6 +19452,51 @@ Proceed? Remember Θυμάμαι + + + debug logging ON + εντοπισμός σφαλμάτων ON + + + + debug logging OFF + εντοπισμός σφαλμάτων OFF + + + + 1 day left + Απομένει 1 ημέρα + + + + {} days left + {} μέρες που απομένουν + + + + Paid until + Πληρώθηκε έως + + + + Please visit our {0}shop{1} to extend your subscription + Επισκεφτείτε το {0} κατάστημα {1} μας για να επεκτείνετε τη συνδρομή σας + + + + Do you want to extend your subscription? + Θέλετε να επεκτείνετε τη συνδρομή σας; + + + + Your subscription ends on + Η συνδρομή σας λήγει στις + + + + Your subscription ended on + Η συνδρομή σας έληξε στις + ({} of {} done) ({} από {} έγιναν) @@ -19650,10 +19649,10 @@ Proceed? - - - - + + + + Roaster Scope Καταγραφεας @@ -20025,6 +20024,16 @@ Proceed? Tab + + + To-Do + Να κάνω + + + + Completed + Ολοκληρώθηκε το + @@ -20057,7 +20066,7 @@ Proceed? Δημ RS - + Extra @@ -20106,32 +20115,32 @@ Proceed? - + ET/BT ΕΤ/ΒΤ - + Modbus Modbus - + S7 - + Scale Κλιμακα - + Color Χρωμα - + WebSocket @@ -20168,17 +20177,17 @@ Proceed? Ρύθμιση - + Details Λεπτομέριες - + Loads Φορτία - + Protocol Πρωτόκολλο @@ -20263,16 +20272,6 @@ Proceed? LCDs LCDς - - - To-Do - Να κάνω - - - - Completed - Ολοκληρώθηκε το - Done Εγινε @@ -20395,7 +20394,7 @@ Proceed? - + @@ -20415,7 +20414,7 @@ Proceed? Γραφημα Soak ΩΩ:ΛΛ - + @@ -20425,7 +20424,7 @@ Proceed? - + @@ -20449,37 +20448,37 @@ Proceed? - + Device Συσκευη - + Comm Port Θυρα Επικοινωνιας - + Baud Rate Τιμη Baud - + Byte Size Mεγεθος Byte - + Parity Ισοτιμια - + Stopbits Stopbits - + Timeout Χρονικη Ληξη @@ -20487,16 +20486,16 @@ Proceed? - - + + Time Χρονος - - + + @@ -20505,8 +20504,8 @@ Proceed? - - + + @@ -20515,104 +20514,104 @@ Proceed? - + CHARGE ΦΟΡΤΩΜΑ - + DRY END ΛΗΞΗ ΞHΡΑΝΣΗΣ - + FC START ΕΝΑΡΞΗ FC - + FC END ΛΗΞΗ FC - + SC START ΕΝΑΡΞΗ SC - + SC END ΛΗΞΗ SC - + DROP ΞΕΦΟΡΤΩΜΑ - + COOL ΨΥΞΗ - + #{0} {1}{2} # {0} {1} {2} - + Power Δυναμη - + Duration Διάρκεια - + CO2 - + Load Φορτωμα - + Source Πηγη - + Kind Είδος - + Name Ονομα - + Weight Βαρος @@ -21612,7 +21611,7 @@ initiated by the PID - + @@ -21633,7 +21632,7 @@ initiated by the PID - + Show help Εμφανιση βοηθειας @@ -21787,20 +21786,24 @@ has to be reduced by 4 times. Εκτελέστε την ενέργεια δειγματοληψίας συγχρονισμένα ({}) κάθε διάστημα δειγματοληψίας ή επιλέξτε ένα χρονικό διάστημα επανάληψης για να το εκτελέσετε ασύγχρονα κατά τη δειγματοληψία - + OFF Action String OFF Συμβολοσειρά δράσης - + ON Action String - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Επιπλέον καθυστέρηση μετά τη σύνδεση σε δευτερόλεπτα πριν από την αποστολή αιτημάτων (απαιτείται από συσκευές Arduino που κάνουν επανεκκίνηση κατά τη σύνδεση) + + + Extra delay in Milliseconds between MODBUS Serial commands Επιπλέον καθυστέρηση σε χιλιοστά του δευτερολέπτου μεταξύ των σειριακών εντολών MODBUS @@ -21816,12 +21819,7 @@ has to be reduced by 4 times. Σάρωση MODBUS - - Reset socket connection on error - Επαναφέρετε τη σύνδεση υποδοχής σε σφάλμα - - - + Scan S7 Σάρωση S7 @@ -21837,7 +21835,7 @@ has to be reduced by 4 times. Για φορτωμένα φόντα μόνο με επιπλέον συσκευές - + The maximum nominal batch size of the machine in kg Το μέγιστο ονομαστικό μέγεθος παρτίδας της μηχανής σε kg @@ -22271,32 +22269,32 @@ Currently in TEMP MODE Προς το παρόν σε TEMP MODE - + <b>Label</b>= <b> Ετικέτα </b> = - + <b>Description </b>= <b>Περιγραφη </b>= - + <b>Type </b>= <b> Τύπος </b> = - + <b>Value </b>= <b> Τιμή </b> = - + <b>Documentation </b>= <b> Τεκμηρίωση </b> = - + <b>Button# </b>= <b> Κουμπί # </b> = @@ -22380,6 +22378,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white Ορίζει τα χρώματα κουμπιών σε κλίμακα του γκρι και τα χρώματα LCD σε ασπρόμαυρο + + Reset socket connection on error + Επαναφέρετε τη σύνδεση υποδοχής σε σφάλμα + Action String Συμβολοσειρά δράσης diff --git a/src/translations/artisan_es.qm b/src/translations/artisan_es.qm index 29eea2261..5fa3eaa52 100644 Binary files a/src/translations/artisan_es.qm and b/src/translations/artisan_es.qm differ diff --git a/src/translations/artisan_es.ts b/src/translations/artisan_es.ts index cadac53c1..e00cd35ab 100644 --- a/src/translations/artisan_es.ts +++ b/src/translations/artisan_es.ts @@ -9,57 +9,57 @@ Patrocinadora de lanzamiento - + About Acerca de - + Core Developers Programadores Principales - + License Licencia - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Ha habido un problema al recuperar la información de la última versión. Por favor revise su conexión a Internet o intente más tarde. - + A new release is available. Está disponible una versión más reciente. - + Show Change list Mostrar Lista de Cambios - + Download Release Descargar Nueva Versión - + You are using the latest release. Estás usando la última versión. - + You are using a beta continuous build. Estás usando una versión Beta. - + You will see a notice here once a new official release is available. Verás una notificación aquí en lo que esté disponible una nueva versión oficial. - + Update status Estatus de Actualización @@ -215,14 +215,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Cancelar + - - - - + + + + Restore Defaults @@ -250,7 +270,7 @@ - + @@ -278,7 +298,7 @@ - + @@ -336,17 +356,6 @@ Save Guardar - - - - - - - - - OK - OK - On @@ -559,15 +568,6 @@ Write PIDs Escribir PIDs - - - - - - - Cancel - Cancelar - Set ET PID to MM:SS time units @@ -586,8 +586,8 @@ - - + + @@ -607,7 +607,7 @@ - + @@ -647,7 +647,7 @@ Iniciar - + Scan Escanear @@ -732,9 +732,9 @@ Actualizar - - - + + + Save Defaults Guardar valores predeterminados @@ -1497,12 +1497,12 @@ END Flotar - + START on CHARGE INICIAR en CARGAR - + OFF on DROP APAGAR en DESCARGAR @@ -1574,61 +1574,61 @@ END Mostrar Siempre - + Heavy FC FC Fuerte - + Low FC FC Débil - + Light Cut Corte Ligero - + Dark Cut Corte Oscuro - + Drops Descensos - + Oily Aceitoso - + Uneven Irregular - + Tipping Tipping - + Scorching Abrasivo - + Divots Supuración @@ -2440,14 +2440,14 @@ END - + ET ET - + BT BT @@ -2470,24 +2470,19 @@ END Palabras - + optimize Optimizar - + fetch full blocks Buscar Bloques Completos - - reset - Reiniciar - - - + compression compresión @@ -2673,6 +2668,10 @@ END Elec eléctrico + + reset + Reiniciar + Title Titulo @@ -2872,6 +2871,16 @@ END Contextual Menu + + + All batches prepared + Todos los lotes preparados + + + + No batch prepared + Ningún lote preparado + Add point @@ -2917,16 +2926,6 @@ END Edit Editar - - - All batches prepared - Todos los lotes preparados - - - - No batch prepared - Ningún lote preparado - Exit Designer Salir del Diseñador @@ -4296,20 +4295,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4402,42 +4401,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4506,10 +4505,10 @@ END - - - - + + + + @@ -4707,12 +4706,12 @@ END - - - - - - + + + + + + @@ -4721,17 +4720,17 @@ END Error de Valor: - + Serial Exception: invalid comm port Excepción Serial: Puerto comm invalido - + Serial Exception: timeout Excepción Serial: Tiempo agotado - + Unable to move CHARGE to a value that does not exist No se pudo mover CARGAR a un valor que no existe @@ -4741,30 +4740,30 @@ END Comunicación Resumida en Modbus - + Modbus Error: failed to connect Error en Modbus: no se pudo conectar - - - - - - - - - + + + + + + + + + Modbus Error: Error en Modbus: - - - - - - + + + + + + Modbus Communication Error Error de Comunicación en Modbus @@ -4848,52 +4847,52 @@ END Excepción: {} No es un archivo valido de configuración - - - - - + + + + + Error Error - + Exception: WebLCDs not supported by this build Excepción: WebLCD no compatibles con esta compilación - + Could not start WebLCDs. Selected port might be busy. No se pudieron iniciar los WebLCD. Es posible que el puerto seleccionado esté ocupado. - + Failed to save settings Error al guardar la configuración - - + + Exception (probably due to an empty profile): Excepción (Probablemente debi a un perfil vacio): - + Analyze: CHARGE event required, none found Evento CARGAR necesario no se encuentra - + Analyze: DROP event required, none found Evento DESCARGAR necesario no se encuentra - + Analyze: no background profile data available Analyze: no hay datos disponibles en el perfil de fondo - + Analyze: background profile requires CHARGE and DROP events Analyze: El perfil de fondo necesita los eventos CARGAR y DESCARGAR @@ -4992,6 +4991,12 @@ END Form Caption + + + + Custom Blend + Mezcla personalizada + Axes @@ -5126,12 +5131,12 @@ END Configuración de Puertos - + MODBUS Help Ayuda de MODBUS - + S7 Help Ayuda S7 @@ -5151,23 +5156,17 @@ END Propiedades de Tueste - - - Custom Blend - Mezcla personalizada - - - + Energy Help Ayuda energética - + Tare Setup Configuración de tara - + Set Measure from Profile Establecer medida desde perfil @@ -5389,27 +5388,27 @@ END Gestión - + Registers Registros - - + + Commands Comandos - + PID PID - + Serial Registro del Puerto Serie @@ -5420,37 +5419,37 @@ END - + Input Aporte - + Machine Máquina - + Timeout Tiempo muerto - + Nodes Nodos - + Messages Mensajes - + Flags Banderas - + Events Eventos @@ -5462,14 +5461,14 @@ END - + Energy Energía - + CO2 @@ -5765,14 +5764,14 @@ END HTML Report Template - + BBP Total Time BBP Tiempo total - + BBP Bottom Temp Temperatura inferior del BBP @@ -5789,849 +5788,849 @@ END - + Whole Color Color Entero - - + + Profile Perfil - + Roast Batches Lotes de asado - - - + + + Batch Batch - - + + Date Fecha - - - + + + Beans Granos - - - + + + In En - - + + Out Afuera - - - + + + Loss Pérdida - - + + SUM SUMA - + Production Report Reporte de produccion - - + + Time Tiempo - - + + Weight In En peso - - + + CHARGE BT CARGAR BT - - + + FCs Time Tiempo de FC - - + + FCs BT FC BT - - + + DROP Time Tiempo de caída - - + + DROP BT CAÍDA BT - + Dry Percent Porcentaje seco - + MAI Percent AMI Porcentaje - + Dev Percent Porcentaje de desarrollo - - + + AUC AUC - - + + Weight Loss Pérdida de peso - - + + Color Color - + Cupping Utilización de tazas - + Roaster Tostador - + Capacity Capacidad - + Operator Operador - + Organization Organización - + Drum Speed Velocidad del tambor - + Ground Color Color del poso - + Color System Sistema de color - + Screen Min Mínimo de pantalla - + Screen Max pantalla máxima - + Bean Temp temperatura del frijol - + CHARGE ET CARGA ET - + TP Time Tiempo TP - + TP ET - + TP BT TPBT - + DRY Time Tiempo seco - + DRY ET SECO ET - + DRY BT SECO BT - + FCs ET FC ET - + FCe Time Tiempo FCe - + FCe ET - + FCe BT - + SCs Time Tiempo de SC - + SCs ET SC ET - + SCs BT SC BT - + SCe Time Tiempo SCe - + SCe ET - + SCe BT - + DROP ET CAÍDA ET - + COOL Time Tiempo agradable o tiempo fresco - + COOL ET FRESCO ET - + COOL BT Genial BT - + Total Time Tiempo Total - + Dry Phase Time Tiempo de fase seca - + Mid Phase Time Tiempo de fase media - + Finish Phase Time Tiempo de finalización de la fase - + Dry Phase RoR RoR en fase seca - + Mid Phase RoR RoR de fase media - + Finish Phase RoR Terminar Fase RoR - + Dry Phase Delta BT Delta de fase seca BT - + Mid Phase Delta BT Delta BT de fase media - + Finish Phase Delta BT Terminar Fase Delta BT - + Finish Phase Rise Subida de fase final - + Total RoR RoR total - + FCs RoR FC RoR - + MET - + AUC Begin Comienzo AUC - + AUC Base Base AUC - + Dry Phase AUC ABC de la fase seca - + Mid Phase AUC AUC de fase media - + Finish Phase AUC Finalizar Fase AUC - + Weight Out Peso fuera - + Volume In Entrada de volumen - + Volume Out Salida de volumen - + Volume Gain Ganancia de volumen - + Green Density Densidad verde - + Roasted Density Densidad Tostada - + Moisture Greens Condiciones de almacenaje - + Moisture Roasted Humedad en Tostado - + Moisture Loss Pérdida de humedad - + Organic Loss Pérdida Orgánica - + Ambient Humidity Humedad ambiental - + Ambient Pressure Presión ambiental - + Ambient Temperature Temperatura ambiente - - + + Roasting Notes Notas del Tostado - - + + Cupping Notes Notas de catación - + Heavy FC FC Fuerte - + Low FC FC Débil - + Light Cut Corte Ligero - + Dark Cut Corte Oscuro - + Drops Descensos - + Oily Aceitoso - + Uneven Irregular - + Tipping Crítico - + Scorching Abrasador - + Divots Chuletas - + Mode Modo - + BTU Batch Lote de BTU - + BTU Batch per green kg Lote de BTU por kg verde - + CO2 Batch Lote de CO2 - + BTU Preheat Precalentamiento de BTU - + CO2 Preheat Precalentamiento de CO2 - + BTU BBP - + CO2 BBP - + BTU Cooling Refrigeración BTU - + CO2 Cooling Refrigeración por CO2 - + BTU Roast BTU asado - + BTU Roast per green kg BTU Tueste por kg verde - + CO2 Roast Tueste con CO2 - + CO2 Batch per green kg Lote de CO2 por kg verde - + BTU LPG BTU GLP - + BTU NG - + BTU ELEC - + Efficiency Batch Lote de eficiencia - + Efficiency Roast Tueste Eficiente - + BBP Begin BBP comienza - + BBP Begin to Bottom Time BBP comienza a tocar fondo - + BBP Bottom to CHARGE Time BBP Parte inferior hasta el tiempo de CARGA - + BBP Begin to Bottom RoR BBP comienza a tocar fondo - + BBP Bottom to CHARGE RoR BBP inferior para CARGAR RoR - + File Name Nombre del archivo - + Roast Ranking Clasificación de asado - + Ranking Report Informe de clasificación - + AVG PROMEDIO - + Roasting Report Reporte Tostado - + Date: Fecha: - + Beans: Granos: - + Weight: Peso: - + Volume: Volumen: - + Roaster: Tostador: - + Operator: Operador: - + Organization: Organización: - + Cupping: Catación: - + Color: Color: - + Energy: Energía: - + CO2: - + CHARGE: CARGAR: - + Size: Tamaño: - + Density: Densidad: - + Moisture: Humedad: - + Ambient: Ambiente: - + TP: TP: - + DRY: SECAR: - + FCs: FCi: - + FCe: FCf: - + SCs: SCi: - + SCe: SCf: - + DROP: DESCARGAR: - + COOL: ENFRIAR: - + MET: REUNIÓ: - + CM: - + Drying: Secando: - + Maillard: Maillard: - + Finishing: Refinamiento: - + Cooling: Enfriamiento: - + Background: Fondo: - + Alarms: Alarmas: - + RoR: RoR: - + AUC: ABC: - + Events Eventos @@ -12308,6 +12307,92 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Label + + + + + + + + + Weight + Peso + + + + + + + Beans + Granos + + + + + + Density + Densidad + + + + + + Color + Color + + + + + + Moisture + Humedad + + + + + + + Roasting Notes + Notas del tostado + + + + Score + Score + + + + + Cupping Score + Puntuación de cata + + + + + + + Cupping Notes + Notas de Catación + + + + + + + + Roasted + Asado + + + + + + + + + Green + Verde + @@ -12412,7 +12497,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12431,7 +12516,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12447,7 +12532,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12466,7 +12551,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12493,7 +12578,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12525,7 +12610,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + DRY SECADI @@ -12542,7 +12627,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + FCs @@ -12550,7 +12635,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + FCe FCf @@ -12558,7 +12643,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + SCs SCi @@ -12566,7 +12651,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + SCe SCf @@ -12579,7 +12664,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12594,10 +12679,10 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d min - - - - + + + + @@ -12605,8 +12690,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d ON - - + + @@ -12620,8 +12705,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Ciclo - - + + Input Aporte @@ -12655,7 +12740,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + @@ -12672,8 +12757,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - - + + Mode @@ -12735,7 +12820,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + Label @@ -12860,21 +12945,21 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d SV máx. - + P P - + I I - + D @@ -12936,13 +13021,6 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Markers Marcadores - - - - - Color - Color - Text Color @@ -12973,9 +13051,9 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Tamaño - - + + @@ -13013,8 +13091,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - - + + Event @@ -13027,7 +13105,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Accion - + Command Comando @@ -13039,7 +13117,7 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Offset - + Factor @@ -13056,14 +13134,14 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Temp - + Unit Unidad - + Source Fuente @@ -13074,10 +13152,10 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Grupo - - - + + + OFF @@ -13128,15 +13206,15 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Registrar - - + + Area Área - - + + DB# DB # @@ -13144,54 +13222,54 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - + Start Iniciar - - + + Comm Port Puerto Comm - - + + Baud Rate Flujo Baudios - - + + Byte Size Tamaño Byte - - + + Parity Paridad - - + + Stopbits Stopbits - - + + @@ -13228,8 +13306,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - - + + Type Tipo @@ -13239,8 +13317,8 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - - + + Host Red @@ -13251,20 +13329,20 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d - - + + Port Puerto - + SV Factor Factor SV - + pid Factor factor pid @@ -13286,75 +13364,75 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Estricto - - + + Device Dispositivo - + Rack Estante - + Slot Espacio - + Path Ruta - + ID IDENTIFICACIÓN - + Connect Conectar - + Reconnect Vuelva a conectar - - + + Request Pedido - + Message ID ID de mensaje - + Machine ID Identificador de máquina - + Data Datos - + Message Mensaje - + Data Request Solicitud de datos - - + + Node Nodo @@ -13416,17 +13494,6 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d g g - - - - - - - - - Weight - Peso - @@ -13434,25 +13501,6 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Volume Volumen - - - - - - - - Green - Verde - - - - - - - - Roasted - Asado - @@ -13503,31 +13551,16 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Fecha - + Batch Batch - - - - - - Beans - Granos - % % - - - - - Density - Densidad - Screen @@ -13543,13 +13576,6 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Ground Suelo - - - - - Moisture - Humedad - @@ -13562,22 +13588,6 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Ambient Conditions Condiciones Ambientales - - - - - - Roasting Notes - Notas del tostado - - - - - - - Cupping Notes - Notas de Catación - Ambient Source @@ -13599,140 +13609,140 @@ Artisan iniciará el programa cada período de muestra. La salida del programa d Mezcla - + Template Plantilla - + Results in Resultados en - + Rating Clasificación - + Pressure % Presión % - + Electric Energy Mix: Mezcla de energía eléctrica: - + Renewable Renovable - - + + Pre-Heating Precalentamiento - - + + Between Batches Entre lotes - - + + Cooling Enfriamiento - + Between Batches after Pre-Heating Entre lotes después del precalentamiento - + (mm:ss) (mm: ss) - + Duration Duración - + Measured Energy or Output % Energía medida o% de salida - - + + Preheat Precalentar - - + + BBP - - - - + + + + Roast Tostado - - + + per kg green coffee por kg de café verde - + Load Cargar - + Organization Organización - + Operator Operador - + Machine Máquina - + Model Modelo - + Heating Calefacción - + Drum Speed Velocidad del tambor - + organic material material organico @@ -14056,12 +14066,6 @@ LCDs Todos Roaster Tostador - - - - Cupping Score - Puntuación de cata - Max characters per line @@ -14141,7 +14145,7 @@ LCDs Todos Color de borde (RGBA) - + roasted asado @@ -14288,22 +14292,22 @@ LCDs Todos - + ln() - - + + x x - - + + Bkgnd Fondo @@ -14452,99 +14456,99 @@ LCDs Todos Carga los frijoles - + /m /metro - + greens verduras - - - + + + STOP DETENER - - + + OPEN ABIERTO - - - + + + CLOSE CERCA - - + + AUTO - - - + + + MANUAL - + STIRRER AGITADOR - + FILL LLENAR - + RELEASE LIBERAR - + HEATING CALEFACCIÓN - + COOLING ENFRIAMIENTO - + RMSE BT - + MSE BT - + RoR RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -14870,11 +14874,6 @@ LCDs Todos Aspect Ratio Relación de Aspecto - - - Score - Score - Coarse Grueso @@ -15284,6 +15283,12 @@ LCDs Todos Menu + + + + Schedule + Plan + @@ -15740,12 +15745,6 @@ LCDs Todos Sliders Deslizadores - - - - Schedule - Plan - Full Screen @@ -15894,6 +15893,53 @@ LCDs Todos Message + + + Scheduler started + Programador iniciado + + + + Scheduler stopped + Programador detenido + + + + + + + Warning + Advertencia + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Los asados completados no se ajustarán al cronograma mientras la ventana de programación esté cerrada + + + + + 1 batch + 1 lote + + + + + + + {} batches + {} lotes + + + + Updating completed roast properties failed + Error al actualizar las propiedades de tueste completadas + + + + Fetching completed roast properties failed + Error al recuperar las propiedades de tueste completadas + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16454,20 +16500,20 @@ Repite operacion al final: {0} - + Bluetootooth access denied Acceso Bluetooth denegado - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Configuarcion Puero Serial : {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16501,50 +16547,50 @@ Repite operacion al final: {0} Leyendo perfil de fondo... - + Event table copied to clipboard Tabla de eventos copiada al portapapeles - + The 0% value must be less than the 100% value. El valor 0% debe ser menor que el valor 100%. - - + + Alarms from events #{0} created Alarmas de eventos #{0} creados - - + + No events found Eventos no encontrados - + Event #{0} added Evento #{0} añadido - + No profile found Perfil no encontrado - + Events #{0} deleted Eventos #{0} eliminados - + Event #{0} deleted Evento #{0} borrado - + Roast properties updated but profile not saved to disk Propiedades del tostado actualizadas pero perfil no ha sido grabado @@ -16559,7 +16605,7 @@ Repite operacion al final: {0} MODBUS desconectado - + Connected via MODBUS Conectado a través de MODBUS @@ -16726,27 +16772,19 @@ Repite operacion al final: {0} Sampling Muestreo - - - - - - Warning - Advertencia - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Un intervalo de muestreo ajustado puede provocar inestabilidad en algunas máquinas. Sugerimos un mínimo de 1s. - + Incompatible variables found in %s Variables incompatibles encontradas en %s - + Assignment problem Problema de asignación @@ -16840,8 +16878,8 @@ Repite operacion al final: {0} seguir - - + + Save Statistics Guardar estadísticas @@ -17003,19 +17041,19 @@ Para mantenerlo gratuito y actualizado, apóyanos con tu donación y suscríbete Artesano configurado para {0} - + Load theme {0}? ¿Cargar tema {0}? - + Adjust Theme Related Settings Ajustar la configuración relacionada con el tema - + Loaded theme {0} Tema cargado {0} @@ -17026,8 +17064,8 @@ Para mantenerlo gratuito y actualizado, apóyanos con tu donación y suscríbete Se detectó un par de colores que puede ser difícil de ver: - - + + Simulator started @{}x Simulador iniciado @{}x @@ -17078,14 +17116,14 @@ Para mantenerlo gratuito y actualizado, apóyanos con tu donación y suscríbete AUTODROP apagado - + PID set to OFF PID Apagado - + PID set to ON @@ -17305,7 +17343,7 @@ Para mantenerlo gratuito y actualizado, apóyanos con tu donación y suscríbete {0} ha sido guardado. Comenzado un nuevo tostado - + Invalid artisan format @@ -17370,10 +17408,10 @@ Es recomendable guardar su configuración actual de antemano a través del menú Perfil guardado - - - - + + + + @@ -17465,347 +17503,347 @@ Es recomendable guardar su configuración actual de antemano a través del menú Cargar configuración cancelada - - + + Statistics Saved Estadísticas guardadas - + No statistics found No se encontraron estadísticas - + Excel Production Report exported to {0} Informe de producción de Excel exportado a {0} - + Ranking Report Informe de clasificación - + Ranking graphs are only generated up to {0} profiles Los gráficos de clasificación solo se generan hasta {0} perfiles - + Profile missing DRY event Falta el evento DRY del perfil - + Profile missing phase events Eventos de fase que faltan en el perfil - + CSV Ranking Report exported to {0} Informe de clasificación CSV exportado a {0} - + Excel Ranking Report exported to {0} Informe de clasificación de Excel exportado a {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied La báscula Bluetooth no se puede conectar mientras se niega el permiso para que Artisan acceda a Bluetooth - + Bluetooth access denied Acceso Bluetooth denegado - + Hottop control turned off Control Hottop apagado - + Hottop control turned on Control Hottop encendido - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! ¡Para controlar un Hottop, primero debe activar el modo de superusuario haciendo clic con el botón derecho en la pantalla LCD del temporizador! - - + + Settings not found Ajustes no encontrados - + artisan-settings ambientes-artesanales - + Save Settings Guardar ajustes - + Settings saved Ajustes guardados - + artisan-theme tema artesanal - + Save Theme Guardar tema - + Theme saved Tema guardado - + Load Theme Cargar tema - + Theme loaded Tema cargado - + Background profile removed Perfil de fondo eliminado - + Alarm Config Config Alarmas - + Alarms are not available for device None Las alarmas no se pueden utilizar con dispositivo Ninguno - + Switching the language needs a restart. Restart now? Cambiar el idioma necesita un reinicio. ¿Reiniciar ahora? - + Restart Reiniciar - + Import K202 CSV Importar K202 CSV - + K202 file loaded successfully K202 ficha abierta correctamente - + Import K204 CSV Importar K204 CSV - + K204 file loaded successfully ficha K204 subida - + Import Probat Recipe Importar Receta Probat - + Probat Pilot data imported successfully Datos de Probat Pilot importados con éxito - + Import Probat Pilot failed Falló la importación de Probat Pilot - - + + {0} imported {0} importado - + an error occurred on importing {0} se produjo un error al importar {0} - + Import Cropster XLS Importar Cropster XLS - + Import RoastLog URL Importar URL de RoastLog - + Import RoastPATH URL Importar URL de RoastPATH - + Import Giesen CSV Importar Giesen CSV - + Import Petroncini CSV Importar Petroncini CSV - + Import IKAWA URL Importar URL de IKAWA - + Import IKAWA CSV Importar CSV de IKAWA - + Import Loring CSV Importar Loring CSV - + Import Rubasse CSV Importar Rubasse CSV - + Import HH506RA CSV Importar HH506RA CSV - + HH506RA file loaded successfully HH506RA ficha abierta correctamente - + Save Graph as Guardar gráfico como - + {0} size({1},{2}) saved {0} tamaño({1},{2}) guardado - + Save Graph as PDF Guardar gráfico como PDF - + Save Graph as SVG Guardar gráfico como SVG - + {0} saved {0} guardado - + Wheel {0} loaded Rueda {0} cargada - + Invalid Wheel graph format Formato de Grafica de Rueda invalido - + Buttons copied to Palette # Botones copiados a Paleta # - + Palette #%i restored Paleta #%i restaurada - + Palette #%i empty Paleta #%i vacía - + Save Palettes Guardar Paleta - + Palettes saved Paleta guardado - + Palettes loaded paletas cargadas - + Invalid palettes file format Formato de archivo de paletas no válido - + Alarms loaded Alarmas cargadas - + Fitting curves... Ajuste de curvas... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Advertencia: El inicio del intervalo de análisis de interés es anterior al inicio del ajuste de la curva. Corrija esto en la pestaña Config>Curves>Analyze. - + Analysis earlier than Curve fit Análisis anterior al ajuste de curva - + Simulator stopped Simulador detenido - + debug logging ON depuración de inicio de sesión ON @@ -18459,45 +18497,6 @@ No existe [CARGA] or [DESCAR] en el perfil Background profile not found No se pudo encontrar fondo - - - Scheduler started - Programador iniciado - - - - Scheduler stopped - Programador detenido - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Los asados completados no se ajustarán al cronograma mientras la ventana de programación esté cerrada - - - - - 1 batch - 1 lote - - - - - - - {} batches - {} lotes - - - - Updating completed roast properties failed - Error al actualizar las propiedades de tueste completadas - - - - Fetching completed roast properties failed - Error al recuperar las propiedades de tueste completadas - Event # {0} recorded at BT = {1} Time = {2} Evento # {0} grabado a BT = {1} Tiempo = {2} @@ -18906,51 +18905,6 @@ Continuar? Plus - - - debug logging ON - depuración de inicio de sesión ON - - - - debug logging OFF - depuración de sesión APAGADO - - - - 1 day left - falta 1 día - - - - {} days left - {} Días restantes - - - - Paid until - Pagado hasta - - - - Please visit our {0}shop{1} to extend your subscription - Visite nuestra {0} tienda {1} para ampliar su suscripción. - - - - Do you want to extend your subscription? - ¿Quieres ampliar tu suscripción? - - - - Your subscription ends on - Su suscripción finaliza el - - - - Your subscription ended on - Su suscripción finalizó el - Roast successfully upload to {} @@ -19140,6 +19094,51 @@ Continuar? Remember Recuerda + + + debug logging ON + depuración de inicio de sesión ON + + + + debug logging OFF + depuración de sesión APAGADO + + + + 1 day left + falta 1 día + + + + {} days left + {} Días restantes + + + + Paid until + Pagado hasta + + + + Please visit our {0}shop{1} to extend your subscription + Visite nuestra {0} tienda {1} para ampliar su suscripción. + + + + Do you want to extend your subscription? + ¿Quieres ampliar tu suscripción? + + + + Your subscription ends on + Su suscripción finaliza el + + + + Your subscription ended on + Su suscripción finalizó el + ({} of {} done) ({} de {} hecho) @@ -19306,10 +19305,10 @@ Continuar? - - - - + + + + Roaster Scope Perfil de tueste @@ -19713,6 +19712,16 @@ Continuar? Tab + + + To-Do + Hacer + + + + Completed + Terminado + @@ -19745,7 +19754,7 @@ Continuar? Ajustar RS - + Extra @@ -19794,32 +19803,32 @@ Continuar? - + ET/BT ET/BT - + Modbus Modbus - + S7 - + Scale Escala - + Color Color - + WebSocket @@ -19856,17 +19865,17 @@ Continuar? Configuración - + Details Detalles - + Loads Cargas - + Protocol Protocolo @@ -19951,16 +19960,6 @@ Continuar? LCDs LCDs - - - To-Do - Hacer - - - - Completed - Terminado - Done Hecho @@ -20083,7 +20082,7 @@ Continuar? - + @@ -20103,7 +20102,7 @@ Continuar? Soak HH:MM - + @@ -20113,7 +20112,7 @@ Continuar? - + @@ -20137,37 +20136,37 @@ Continuar? - + Device Dispositivo - + Comm Port Puerto Serial - + Baud Rate Flujo Baudios - + Byte Size Tamaño de Byte - + Parity Paridad - + Stopbits Stopbits - + Timeout Tiempo muerto @@ -20175,16 +20174,16 @@ Continuar? - - + + Time Tiempo - - + + @@ -20193,8 +20192,8 @@ Continuar? - - + + @@ -20203,104 +20202,104 @@ Continuar? - + CHARGE CARGO - + DRY END SECO - + FC START FC START - + FC END FC FIN - + SC START SC START - + SC END SC FIN - + DROP DESCAR - + COOL ENFRIAR - + #{0} {1}{2} # {0} {1} {2} - + Power Potencia - + Duration Duración - + CO2 - + Load Cargar - + Source Fuente - + Kind Amable - + Name Nombre - + Weight Peso @@ -21313,7 +21312,7 @@ iniciado por el PID - + @@ -21334,7 +21333,7 @@ iniciado por el PID - + Show help Mostrar Ayuda @@ -21488,20 +21487,24 @@ debe reducirse 4 veces. Ejecute la acción de muestreo de forma sincrónica ({}) en cada intervalo de muestreo o seleccione un intervalo de tiempo de repetición para ejecutarla de forma asincrónica durante el muestreo. - + OFF Action String Cadena de acción OFF - + ON Action String ENCENDIDO Cadena de acción - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Retraso adicional después de la conexión en segundos antes de enviar solicitudes (necesario para que los dispositivos Arduino se reinicien al conectarse) + + + Extra delay in Milliseconds between MODBUS Serial commands Retraso adicional en milisegundos entre comandos serie MODBUS @@ -21517,12 +21520,7 @@ debe reducirse 4 veces. Escanear MODBUS - - Reset socket connection on error - Restablecer la conexión del zócalo en caso de error - - - + Scan S7 Escanear S7 @@ -21538,7 +21536,7 @@ debe reducirse 4 veces. Solo para fondos cargados con dispositivos adicionales - + The maximum nominal batch size of the machine in kg El tamaño nominal máximo de lote de la máquina en kg. @@ -21972,32 +21970,32 @@ Currently in TEMP MODE Actualmente en MODO TEMPERATURA - + <b>Label</b>= <b>Etiqueta</b>= - + <b>Description </b>= <b>Descripcion </b>= - + <b>Type </b>= <b>Tipo </b>= - + <b>Value </b>= <b>Valor </b>= - + <b>Documentation </b>= <b>Documentacion </b>= - + <b>Button# </b>= <b>Boton# </b>= @@ -22081,6 +22079,10 @@ Actualmente en MODO TEMPERATURA Sets button colors to grey scale and LCD colors to black and white Establece los colores de los botones en escala de grises y los colores de la pantalla LCD en blanco y negro + + Reset socket connection on error + Restablecer la conexión del zócalo en caso de error + Action String Comando de Accion diff --git a/src/translations/artisan_fa.qm b/src/translations/artisan_fa.qm index 24f402d93..44f5aa5d2 100644 Binary files a/src/translations/artisan_fa.qm and b/src/translations/artisan_fa.qm differ diff --git a/src/translations/artisan_fa.ts b/src/translations/artisan_fa.ts index 96255aa8a..079d210cc 100644 --- a/src/translations/artisan_fa.ts +++ b/src/translations/artisan_fa.ts @@ -9,57 +9,57 @@ حامی مالی - + About درباره - + Core Developers توسعه دهندگان اصلی - + License مجوزها - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. در بازیابی اطلاعات آخرین نسخه مشکلی پیش آمد. لطفاً اتصال اینترنت خود را بررسی کنید ، بعداً دوباره امتحان کنید یا به صورت دستی بررسی کنید. - + A new release is available. نسخه جدید موجود است - + Show Change list نمایش لیست تغییر - + Download Release بارگیری - + You are using the latest release. شما از آخرین نسخه استفاده می کنید. - + You are using a beta continuous build. شما از ساخت مستمر بتا استفاده می کنید. - + You will see a notice here once a new official release is available. با انتشار نسخه رسمی جدید ، اخطار را در اینجا مشاهده خواهید کرد. - + Update status وضعیت به روز رسانی @@ -250,14 +250,34 @@ Button + + + + + + + + + OK + تایید + + + + + + + + Cancel + لغو + - - - - + + + + Restore Defaults @@ -285,7 +305,7 @@ - + @@ -313,7 +333,7 @@ - + @@ -371,17 +391,6 @@ Save ذخیره - - - - - - - - - OK - تایید - On @@ -594,15 +603,6 @@ Write PIDs نوشتن PIDها - - - - - - - Cancel - لغو - Set ET PID to MM:SS time units @@ -621,8 +621,8 @@ - - + + @@ -642,7 +642,7 @@ - + @@ -682,7 +682,7 @@ شروع - + Scan اسکن @@ -767,9 +767,9 @@ به روز کردن - - - + + + Save Defaults ذخیره پیش فرض ها @@ -1460,12 +1460,12 @@ END شناور - + START on CHARGE با شارژ شروع کنید - + OFF on DROP خاموش در قطره @@ -1537,61 +1537,61 @@ END نشان دادن همیشگی - + Heavy FC ترق اول سخت - + Low FC ترق اول آهسته - + Light Cut بریدن روشن - + Dark Cut بریدن تیره - + Drops ریختن - + Oily روغنی - + Uneven غیر یکنواخت - + Tipping سرسوزی - + Scorching سطح سوزی - + Divots باریکه @@ -2379,14 +2379,14 @@ END - + ET دمای اگزوز - + BT دمای دانه @@ -2409,24 +2409,19 @@ END کلمه - + optimize بهینه سازی - + fetch full blocks بلوک های کامل را واکشی کنید - - reset - تنظیم مجدد - - - + compression فشرده سازی @@ -2612,6 +2607,10 @@ END Elec الك + + reset + تنظیم مجدد + Title سرتیتر @@ -2715,6 +2714,16 @@ END Contextual Menu + + + All batches prepared + تمام دسته ها آماده شده است + + + + No batch prepared + هیچ دسته ای آماده نشده است + Add point @@ -2760,16 +2769,6 @@ END Edit ویرایش - - - All batches prepared - تمام دسته ها آماده شده است - - - - No batch prepared - هیچ دسته ای آماده نشده است - Countries @@ -4115,20 +4114,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4221,42 +4220,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4325,10 +4324,10 @@ END - - - - + + + + @@ -4526,12 +4525,12 @@ END - - - - - - + + + + + + @@ -4540,17 +4539,17 @@ END خطای ارزشی: - + Serial Exception: invalid comm port استثناء سریال: پورت ارتباطی نامعتبر - + Serial Exception: timeout استثناء سریال: تایم اوت - + Unable to move CHARGE to a value that does not exist انتقال CHARGE به مقداری که وجود ندارد امکان پذیر نیست @@ -4560,30 +4559,30 @@ END ارتباط Modbus از سر گرفته شد - + Modbus Error: failed to connect خطای Modbus: اتصال ناموفق بود - - - - - - - - - + + + + + + + + + Modbus Error: خطای Modbus: - - - - - - + + + + + + Modbus Communication Error خطای ارتباط Modbus @@ -4667,52 +4666,52 @@ END استثنا: {} یک فایل تنظیمات معتبر نیست - - - - - + + + + + Error خطا - + Exception: WebLCDs not supported by this build استثنا: WebLCD های این ساختنی پشتیبانی نمی شوند - + Could not start WebLCDs. Selected port might be busy. WebLCD ها راه اندازی نشد. درگاه انتخابی ممکن است مشغول باشد. - + Failed to save settings تنظیمات ذخیره نشد - - + + Exception (probably due to an empty profile): استثنا (نمودار خالی): - + Analyze: CHARGE event required, none found تجزیه و تحلیل: رویداد CHARGE مورد نیاز است، هیچ یک یافت نشد - + Analyze: DROP event required, none found تجزیه و تحلیل: رویداد DROP مورد نیاز است، هیچ یک یافت نشد - + Analyze: no background profile data available تجزیه و تحلیل: هیچ داده پروفایل پس زمینه در دسترس نیست - + Analyze: background profile requires CHARGE and DROP events تجزیه و تحلیل: نمایه پس‌زمینه به رویدادهای CHARGE و DROP نیاز دارد @@ -4803,6 +4802,12 @@ END Form Caption + + + + Custom Blend + ترکیب سفارشی + Axes @@ -4937,12 +4942,12 @@ END تاییدیه های وروودی - + MODBUS Help راهنما MODBUS - + S7 Help S7 راهنما @@ -4962,23 +4967,17 @@ END بازخوانی تنظیمات - - - Custom Blend - ترکیب سفارشی - - - + Energy Help انرژی کمک - + Tare Setup بازخوانی نصب - + Set Measure from Profile اندازه گیری را از نمایه تنظیم کنید @@ -5200,27 +5199,27 @@ END مدیریت - + Registers ثبت کردن - - + + Commands دستورات - + PID پی ای دی - + Serial کد @@ -5231,37 +5230,37 @@ END - + Input ورودی - + Machine ماشین - + Timeout مهلت زمانی - + Nodes گره ها - + Messages پیام ها - + Flags پرچم ها - + Events رخداد @@ -5273,14 +5272,14 @@ END - + Energy انرژی - + CO2 @@ -5544,14 +5543,14 @@ END HTML Report Template - + BBP Total Time زمان کل BBP - + BBP Bottom Temp دمای پایین BBP @@ -5568,849 +5567,849 @@ END - + Whole Color رنگ کامل - - + + Profile نمودار - + Roast Batches دسته برشته کاری - - - + + + Batch گنجایش - - + + Date داده - - - + + + Beans دانه - - - + + + In ورودی - - + + Out خروجی - - - + + + Loss از دست دادن - - + + SUM جمع - + Production Report گذارش تولید - - + + Time زمان - - + + Weight In وزن در - - + + CHARGE BT شارژ BT - - + + FCs Time زمان FCs - - + + FCs BT - - + + DROP Time زمان رها کردن - - + + DROP BT - + Dry Percent درصد خشکی - + MAI Percent درصد MAI - + Dev Percent درصد توسعه دهنده - - + + AUC ای یو سی - - + + Weight Loss وزن از دست رفته - - + + Color رنگ - + Cupping حجامت - + Roaster برشته کن - + Capacity ظرفیت - + Operator اپراتر - + Organization سازمان - + Drum Speed سرعت محفظه - + Ground Color رنگ زمین - + Color System سیستم رنگ - + Screen Min حداقل صفحه نمایش - + Screen Max حداکثر صفحه نمایش - + Bean Temp دمای دانه - + CHARGE ET - + TP Time زمان TP - + TP ET تی پی ای تی - + TP BT تی پی بی تی - + DRY Time زمان خشک کردن - + DRY ET - + DRY BT - + FCs ET - + FCe Time زمان FCe - + FCe ET - + FCe BT اف سی بی تی - + SCs Time زمان SCs - + SCs ET - + SCs BT - + SCe Time زمان SCe - + SCe ET - + SCe BT - + DROP ET - + COOL Time ساعات خوش - + COOL ET - + COOL BT - + Total Time زمان کل - + Dry Phase Time زمان فاز خشک - + Mid Phase Time زمان اواسط فاز - + Finish Phase Time زمان فاز پایان - + Dry Phase RoR فاز خشک RoR - + Mid Phase RoR RoR فاز میانی - + Finish Phase RoR مرحله پایانی RoR - + Dry Phase Delta BT فاز خشک دلتا بی تی - + Mid Phase Delta BT فاز میانی دلتا بی تی - + Finish Phase Delta BT فاز پایانی دلتا BT - + Finish Phase Rise افزایش فاز پایان - + Total RoR کل RoR - + FCs RoR - + MET ام ای تی - + AUC Begin شروع AUC - + AUC Base پایه AUC - + Dry Phase AUC AUC فاز خشک - + Mid Phase AUC AUC فاز میانی - + Finish Phase AUC AUC فاز پایان - + Weight Out وزن خارج کردن - + Volume In حجم در - + Volume Out حجم کم - + Volume Gain حجم به دست آمده - + Green Density تراکم سبز - + Roasted Density تراکم برشته شده - + Moisture Greens رطوبت دانه سبز - + Moisture Roasted رطوبت دانه برشته شده - + Moisture Loss از دست دادن رطوبت - + Organic Loss از دست دادن ارگانیک - + Ambient Humidity رطوبت محیط - + Ambient Pressure فشار محیط - + Ambient Temperature دمای محیط - - + + Roasting Notes یاداشت برشته کاری - - + + Cupping Notes یاداشتهای فنجان - + Heavy FC ترق اول سخت - + Low FC ترق اول آهسته - + Light Cut بریدن روشن - + Dark Cut بریدن تیره - + Drops ریختن - + Oily روغنی - + Uneven غیر یکنواخت - + Tipping سرسوزی - + Scorching سطح سوزی - + Divots باریکه - + Mode حالت - + BTU Batch دسته BTU - + BTU Batch per green kg دسته BTU در هر کیلوگرم سبز - + CO2 Batch دسته CO2 - + BTU Preheat پیش گرم کردن BTU - + CO2 Preheat CO2 پیش گرم کنید - + BTU BBP - + CO2 BBP - + BTU Cooling خنک کننده BTU - + CO2 Cooling خنک کننده CO2 - + BTU Roast کباب BTU - + BTU Roast per green kg کباب BTU به ازای هر کیلوگرم سبز - + CO2 Roast کباب CO2 - + CO2 Batch per green kg دسته CO2 در هر کیلوگرم سبز - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch دسته بهره وری - + Efficiency Roast بهره وری کباب - + BBP Begin شروع BBP - + BBP Begin to Bottom Time BBP شروع به زمان پایین - + BBP Bottom to CHARGE Time BBP از پایین تا زمان شارژ - + BBP Begin to Bottom RoR BBP شروع به RoR پایین - + BBP Bottom to CHARGE RoR BBP پایین تا شارژ RoR - + File Name نام فایل - + Roast Ranking امتیاز دهی برشته کاری - + Ranking Report گزارش رتبه بندی - + AVG میانگین - + Roasting Report گزارش برشته کاری - + Date: روز - + Beans: دانه - + Weight: مقدار - + Volume: حجم - + Roaster: برشته کار - + Operator: اپراتور - + Organization: سازمان: - + Cupping: ارزیابی چشایی - + Color: رنگ - + Energy: انرژی: - + CO2: - + CHARGE: بار زدن - + Size: سایز - + Density: چگالی - + Moisture: رطوبت - + Ambient: فضا - + TP: تی پی - + DRY: خشکیدن - + FCs: سر ترق - + FCe: ته ترق - + SCs: سر سوختن - + SCe: ته سوختن - + DROP: ریختن - + COOL: خنکیدن - + MET: نهایت دمای مخذن - + CM: سی ام - + Drying: خشکیدن - + Maillard: میلارد - + Finishing: پایان - + Cooling: خنکیدن - + Background: پس زمینه - + Alarms: هشدار - + RoR: ار او ار - + AUC: ای یو سی - + Events رخداد @@ -11718,6 +11717,92 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog Label + + + + + + + + + Weight + وزن + + + + + + + Beans + دانه + + + + + + Density + چگالی + + + + + + Color + رنگ + + + + + + Moisture + مرطوب + + + + + + + Roasting Notes + یادداشت برشته کاری + + + + Score + نمره + + + + + Cupping Score + امتیاز حجامت + + + + + + + Cupping Notes + یادداشت های ارزیابی + + + + + + + + Roasted + برشته شده + + + + + + + + + Green + سبز + @@ -11822,7 +11907,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -11841,7 +11926,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -11857,7 +11942,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -11876,7 +11961,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -11903,7 +11988,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -11935,7 +12020,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + DRY خشکیدن @@ -11952,7 +12037,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + FCs سر ترق @@ -11960,7 +12045,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + FCe پایان ترق اول @@ -11968,7 +12053,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + SCs شروع ترق دوم @@ -11976,7 +12061,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + SCe پایان ترق دوم @@ -11989,7 +12074,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -12004,10 +12089,10 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog \دقیقه - - - - + + + + @@ -12015,8 +12100,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog روشن - - + + @@ -12030,8 +12115,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog حلقه - - + + Input ورودی @@ -12065,7 +12150,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + @@ -12082,8 +12167,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - - + + Mode @@ -12145,7 +12230,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + Label @@ -12270,21 +12355,21 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog اس وی حداکثر - + P پی - + I ای - + D @@ -12346,13 +12431,6 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog Markers نشانگرها - - - - - Color - رنگ - Text Color @@ -12383,9 +12461,9 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog اندازه - - + + @@ -12423,8 +12501,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - - + + Event @@ -12437,7 +12515,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog اقدام - + Command فرماندهی @@ -12449,7 +12527,7 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog انحراف - + Factor @@ -12466,14 +12544,14 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog دما - + Unit واخد - + Source منشا @@ -12484,10 +12562,10 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog خوشه - - - + + + OFF @@ -12538,15 +12616,15 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog ثبت - - + + Area فضا - - + + DB# DB # @@ -12554,54 +12632,54 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - + Start شروع - - + + Comm Port تفسیر پورت - - + + Baud Rate نرخ علامت در ثانیه - - + + Byte Size بر اندازه - - + + Parity برابری - - + + Stopbits متوقف سازی - - + + @@ -12638,8 +12716,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - - + + Type نوع @@ -12649,8 +12727,8 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - - + + Host میزبان @@ -12661,20 +12739,20 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog - - + + Port ورودی - + SV Factor فاکتور SV - + pid Factor عامل pid @@ -12696,75 +12774,75 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog سختگیرانه - - + + Device دستگاه - + Rack داندانه دار کردن - + Slot شکاف - + Path مسیر - + ID شناسه - + Connect متصل شوید - + Reconnect دوباره وصل شوید - - + + Request درخواست - + Message ID شناسه پیام - + Machine ID شناسه ماشین - + Data داده ها - + Message پیام - + Data Request درخواست داده - - + + Node گره @@ -12826,17 +12904,6 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog g گرم - - - - - - - - - Weight - وزن - @@ -12844,25 +12911,6 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog Volume مقدار - - - - - - - - Green - سبز - - - - - - - - Roasted - برشته شده - @@ -12913,31 +12961,16 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog تاریخ - + Batch گنجایش - - - - - - Beans - دانه - % ٪ - - - - - Density - چگالی - Screen @@ -12953,13 +12986,6 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog Ground زمینی - - - - - Moisture - مرطوب - @@ -12972,22 +12998,6 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog Ambient Conditions شرایط فضا - - - - - - Roasting Notes - یادداشت برشته کاری - - - - - - - Cupping Notes - یادداشت های ارزیابی - Ambient Source @@ -13009,140 +13019,140 @@ Prod-1380 بوروندی کیگاندا مورامبی 2020-04-25_1136.alog ترکیب - + Template قالب - + Results in منجر می شود به - + Rating رتبه بندی - + Pressure % فشار ٪ - + Electric Energy Mix: مخلوط انرژی الکتریکی: - + Renewable تجدید پذیر - - + + Pre-Heating پیش گرمایش - - + + Between Batches بین دسته ها - - + + Cooling سرد شدن - + Between Batches after Pre-Heating بین دسته ها پس از پیش گرمایش - + (mm:ss) (mm: ss) - + Duration مدت زمان - + Measured Energy or Output % انرژی یا خروجی اندازه گیری شده - - + + Preheat پیش گرم کنید - - + + BBP - - - - + + + + Roast برشته کاری - - + + per kg green coffee به ازای هر کیلوگرم قهوه سبز - + Load بازخوانی - + Organization سازمان - + Operator اپراتر - + Machine ماشین - + Model مدل - + Heating گرم کردن - + Drum Speed سرعت محفظه - + organic material مواد آلی @@ -13466,12 +13476,6 @@ LCD ها همه Roaster - - - - Cupping Score - امتیاز حجامت - Max characters per line @@ -13551,7 +13555,7 @@ LCD ها همه رنگ لبه (RGBA) - + roasted دانه های برشته شده @@ -13698,22 +13702,22 @@ LCD ها همه - + ln() لوگاریتم() - - + + x * - - + + Bkgnd بک گند @@ -13862,99 +13866,99 @@ LCD ها همه شارژ کردن دانه - + /m - + greens دانه سبز - - - + + + STOP متوقف کردن - - + + OPEN باز کن - - - + + + CLOSE بستن - - + + AUTO خودکار - - - + + + MANUAL کتابچه راهنمای - + STIRRER همزن - + FILL پر کردن - + RELEASE رهایی - + HEATING گرمایش - + COOLING خنک کننده - + RMSE BT - + MSE BT - + RoR ار او ار - + @FCs FCs - + Max+/Max- RoR حداکثر + / حداکثر - RoR @@ -14280,11 +14284,6 @@ LCD ها همه Aspect Ratio نمود نسبت - - - Score - نمره - RPM دور در دقیقه @@ -14570,6 +14569,12 @@ LCD ها همه Menu + + + + Schedule + طرح + @@ -15026,12 +15031,6 @@ LCD ها همه Sliders اسلایدها - - - - Schedule - طرح - Full Screen @@ -15168,6 +15167,53 @@ LCD ها همه Message + + + Scheduler started + زمانبندی شروع شد + + + + Scheduler stopped + برنامه‌ریز متوقف شد + + + + + + + Warning + هشدار + + + + Completed roasts will not adjust the schedule while the schedule window is closed + تا زمانی که پنجره برنامه بسته است، کباب‌های تکمیل‌شده زمان‌بندی را تنظیم نمی‌کنند + + + + + 1 batch + 1 دسته + + + + + + + {} batches + {} دسته + + + + Updating completed roast properties failed + به‌روزرسانی ویژگی‌های برشته‌شده کامل انجام نشد + + + + Fetching completed roast properties failed + واکشی خواص برشته کامل انجام نشد + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15728,20 +15774,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied دسترسی بلوتوث رد شد - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} تنظیمات پورت سریال: {0}، {1}، {2}، {3}، {4}، {5} - - - + + + Data table copied to clipboard @@ -15775,50 +15821,50 @@ Repeat Operation at the end: {0} خواندن نمایه پس زمینه... - + Event table copied to clipboard جدول رویداد در کلیپ بورد کپی شد - + The 0% value must be less than the 100% value. مقدار 0% باید کمتر از مقدار 100% باشد. - - + + Alarms from events #{0} created هشدارهای رویدادهای #{0} ایجاد شد - - + + No events found هیچ رویدادی یافت نشد - + Event #{0} added رویداد #{0} اضافه شد - + No profile found پروفایلی ساخته نشده - + Events #{0} deleted رویدادهای #{0} حذف شدند - + Event #{0} deleted رویداد شماره {0} حذف شد - + Roast properties updated but profile not saved to disk ویژگی های Roast به روز شد اما نمایه در دیسک ذخیره نشد @@ -15833,7 +15879,7 @@ Repeat Operation at the end: {0} MODBUS قطع شد - + Connected via MODBUS از طریق MODBUS متصل شد @@ -16000,27 +16046,19 @@ Repeat Operation at the end: {0} Sampling نمونه برداری - - - - - - Warning - هشدار - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. فاصله نمونه برداری محدود ممکن است منجر به بی ثباتی در برخی از ماشین ها شود. ما حداقل 1 ثانیه را پیشنهاد می کنیم. - + Incompatible variables found in %s متغیرهای ناسازگار در %s یافت شدند - + Assignment problem مشکل تکلیف @@ -16114,8 +16152,8 @@ Repeat Operation at the end: {0} دنبال کردن - - + + Save Statistics ذخیره آمار @@ -16277,19 +16315,19 @@ To keep it free and current please support us with your donation and subscribe t Artisan برای {0} پیکربندی شد - + Load theme {0}? طرح زمینه {0} بارگیری شود؟ - + Adjust Theme Related Settings تنظیمات مربوط به تم را تنظیم کنید - + Loaded theme {0} طرح زمینه بارگیری شده {0} @@ -16300,8 +16338,8 @@ To keep it free and current please support us with your donation and subscribe t یک جفت رنگ را شناسایی کرد که ممکن است به سختی دیده شود: - - + + Simulator started @{}x شبیه ساز @{}x شروع شد @@ -16352,14 +16390,14 @@ To keep it free and current please support us with your donation and subscribe t autoDROP خاموش است - + PID set to OFF PID روی OFF تنظیم شد - + PID set to ON @@ -16579,7 +16617,7 @@ To keep it free and current please support us with your donation and subscribe t {0} ذخیره شده است. کباب جدید شروع شده است - + Invalid artisan format @@ -16644,10 +16682,10 @@ It is advisable to save your current settings beforehand via menu Help >> نمایه ذخیره شد - - - - + + + + @@ -16739,347 +16777,347 @@ It is advisable to save your current settings beforehand via menu Help >> تنظیمات بارگیری لغو شد - - + + Statistics Saved آمار ذخیره شد - + No statistics found آماری یافت نشد - + Excel Production Report exported to {0} گزارش تولید اکسل به {0} صادر شد - + Ranking Report گزارش رتبه بندی - + Ranking graphs are only generated up to {0} profiles نمودارهای رتبه بندی فقط تا {0} نمایه ایجاد می شوند - + Profile missing DRY event نمایه رویداد DRY ندارد - + Profile missing phase events رویدادهای فاز فاقد نمایه - + CSV Ranking Report exported to {0} گزارش رتبه‌بندی CSV به {0} صادر شد - + Excel Ranking Report exported to {0} گزارش رتبه بندی اکسل به {0} صادر شد - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied در حالی که اجازه دسترسی Artisan به بلوتوث رد شده است، مقیاس بلوتوث را نمی توان متصل کرد - + Bluetooth access denied دسترسی بلوتوث رد شد - + Hottop control turned off کنترل هاتاپ خاموش شد - + Hottop control turned on کنترل هاتاپ روشن شد - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! برای کنترل Hottop باید ابتدا حالت فوق العاده کاربر را با کلیک راست روی LCD تایمر فعال کنید! - - + + Settings not found تنظیمات پیدا نشد - + artisan-settings تنظیمات صنعتگر - + Save Settings تنظیمات را ذخیره کن - + Settings saved تنظیمات ذخیره شد - + artisan-theme موضوع صنعتگر - + Save Theme ذخیره تم - + Theme saved تم ذخیره شد - + Load Theme بارگیری تم - + Theme loaded تم بارگیری شد - + Background profile removed نمایه پس‌زمینه حذف شد - + Alarm Config پیکربندی زنگ هشدار - + Alarms are not available for device None هشدار برای دستگاه هیچکدام موجود نیست - + Switching the language needs a restart. Restart now? تغییر زبان نیاز به راه اندازی مجدد دارد. اکنون دوباره راه اندازی شود؟ - + Restart راه اندازی مجدد - + Import K202 CSV K202 CSV را وارد کنید - + K202 file loaded successfully فایل K202 با موفقیت بارگیری شد - + Import K204 CSV K204 CSV را وارد کنید - + K204 file loaded successfully فایل K204 با موفقیت بارگیری شد - + Import Probat Recipe واردات دستور پروبات - + Probat Pilot data imported successfully داده های Probat Pilot با موفقیت وارد شد - + Import Probat Pilot failed Import Probat Pilot ناموفق بود - - + + {0} imported {0} وارد شد - + an error occurred on importing {0} هنگام وارد کردن {0} خطایی روی داد - + Import Cropster XLS Cropster XLS را وارد کنید - + Import RoastLog URL URL RoastLog را وارد کنید - + Import RoastPATH URL URL RoastPATH را وارد کنید - + Import Giesen CSV Gisen CSV را وارد کنید - + Import Petroncini CSV واردات Petroncini CSV - + Import IKAWA URL URL IKAWA را وارد کنید - + Import IKAWA CSV IKAWA CSV را وارد کنید - + Import Loring CSV Loring CSV را وارد کنید - + Import Rubasse CSV Rubasse CSV را وارد کنید - + Import HH506RA CSV واردات HH506RA CSV - + HH506RA file loaded successfully فایل HH506RA با موفقیت بارگیری شد - + Save Graph as ذخیره نمودار به عنوان - + {0} size({1},{2}) saved اندازه {0}({1}،{2}) ذخیره شد - + Save Graph as PDF نمودار را به صورت PDF ذخیره کنید - + Save Graph as SVG نمودار را به عنوان SVG ذخیره کنید - + {0} saved {0} ذخیره شد - + Wheel {0} loaded چرخ {0} بارگیری شد - + Invalid Wheel graph format قالب نمودار چرخ نامعتبر است - + Buttons copied to Palette # دکمه‌ها در پالت # کپی شدند - + Palette #%i restored پالت #%i بازیابی شد - + Palette #%i empty پالت #%i خالی است - + Save Palettes ذخیره پالت ها - + Palettes saved پالت‌ها ذخیره شدند - + Palettes loaded پالت ها بارگیری شد - + Invalid palettes file format قالب فایل پالت نامعتبر است - + Alarms loaded آلارم بارگذاری شد - + Fitting curves... منحنی های متناسب ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. هشدار: شروع بازه تحلیل مورد نظر زودتر از شروع برازش منحنی است. این را در تب Config>Curves>Analyze اصلاح کنید. - + Analysis earlier than Curve fit تحلیل زودتر از Curve fit - + Simulator stopped شبیه ساز متوقف شد - + debug logging ON اشکال زدایی ورود به سیستم @@ -17733,45 +17771,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found نمایه پس زمینه یافت نشد - - - Scheduler started - زمانبندی شروع شد - - - - Scheduler stopped - برنامه‌ریز متوقف شد - - - - Completed roasts will not adjust the schedule while the schedule window is closed - تا زمانی که پنجره برنامه بسته است، کباب‌های تکمیل‌شده زمان‌بندی را تنظیم نمی‌کنند - - - - - 1 batch - 1 دسته - - - - - - - {} batches - {} دسته - - - - Updating completed roast properties failed - به‌روزرسانی ویژگی‌های برشته‌شده کامل انجام نشد - - - - Fetching completed roast properties failed - واکشی خواص برشته کامل انجام نشد - Event # {0} recorded at BT = {1} Time = {2} رویداد شماره {0} در BT = {1} زمان = {2} ثبت شد @@ -17847,51 +17846,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - اشکال زدایی ورود به سیستم - - - - debug logging OFF - اشکال زدایی ورود به سیستم خاموش - - - - 1 day left - 1 روز باقی مانده - - - - {} days left - {} روزهای باقی مانده - - - - Paid until - پرداخت شده تا - - - - Please visit our {0}shop{1} to extend your subscription - برای تمدید اشتراک خود ، لطفاً از {0} فروشگاه {1} ما دیدن کنید - - - - Do you want to extend your subscription? - آیا می خواهید اشتراک خود را تمدید کنید؟ - - - - Your subscription ends on - اشتراک شما به پایان می رسد - - - - Your subscription ended on - اشتراک شما در تاریخ به پایان رسید - Roast successfully upload to {} @@ -18081,6 +18035,51 @@ To keep it free and current please support us with your donation and subscribe t Remember یاد آوردن + + + debug logging ON + اشکال زدایی ورود به سیستم + + + + debug logging OFF + اشکال زدایی ورود به سیستم خاموش + + + + 1 day left + 1 روز باقی مانده + + + + {} days left + {} روزهای باقی مانده + + + + Paid until + پرداخت شده تا + + + + Please visit our {0}shop{1} to extend your subscription + برای تمدید اشتراک خود ، لطفاً از {0} فروشگاه {1} ما دیدن کنید + + + + Do you want to extend your subscription? + آیا می خواهید اشتراک خود را تمدید کنید؟ + + + + Your subscription ends on + اشتراک شما به پایان می رسد + + + + Your subscription ended on + اشتراک شما در تاریخ به پایان رسید + ({} of {} done) ({} از {} ​​انجام شد) @@ -18231,10 +18230,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope @@ -18613,6 +18612,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + انجام دادن + + + + Completed + تکمیل شد + @@ -18645,7 +18654,7 @@ To keep it free and current please support us with your donation and subscribe t RS را تنظیم کنید - + Extra @@ -18694,32 +18703,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT دمای اگزوز\دمای.دانه - + Modbus مودبوس - + S7 - + Scale مقیاس - + Color رنگ - + WebSocket وب سوکت @@ -18756,17 +18765,17 @@ To keep it free and current please support us with your donation and subscribe t برپایی - + Details جزئیات - + Loads بارها - + Protocol پروتکل @@ -18851,16 +18860,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs ال سی دی - - - To-Do - انجام دادن - - - - Completed - تکمیل شد - Done انجام شده @@ -18991,7 +18990,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19011,7 +19010,7 @@ To keep it free and current please support us with your donation and subscribe t Soak HH: MM - + @@ -19021,7 +19020,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19045,37 +19044,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device دستگاه - + Comm Port تفسیر پورت - + Baud Rate نرخ علامت در ثانیه - + Byte Size بر اندازه - + Parity برابری - + Stopbits متوقف سازی - + Timeout زمان از @@ -19083,16 +19082,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time زمان - - + + @@ -19101,8 +19100,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -19111,104 +19110,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE شارژ - + DRY END پایان خشکیدن - + FC START سر ترق - + FC END ته ترق - + SC START سر سوختن - + SC END ته سوختن - + DROP رها کردن - + COOL خنکیدن - + #{0} {1}{2} # {0} {1} {2} - + Power قدرت - + Duration مدت زمان - + CO2 - + Load بازخوانی - + Source منشا - + Kind نوع - + Name نام - + Weight وزن @@ -20099,7 +20098,7 @@ initiated by the PID - + @@ -20120,7 +20119,7 @@ initiated by the PID - + Show help نشان دادن کمک @@ -20274,20 +20273,24 @@ has to be reduced by 4 times. عمل نمونه برداری را به صورت همزمان ({}) در هر بازه نمونه برداری اجرا کنید یا یک بازه زمانی تکرار را انتخاب کنید تا هنگام نمونه برداری به صورت ناهمزمان اجرا شود. - + OFF Action String - + ON Action String - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + تأخیر اضافی پس از اتصال در چند ثانیه قبل از ارسال درخواست (برای دستگاه‌های آردوینو در حال راه‌اندازی مجدد در اتصال مورد نیاز است) + + + Extra delay in Milliseconds between MODBUS Serial commands تاخیر اضافی در میلی ثانیه بین دستورات سریال MODBUS @@ -20303,12 +20306,7 @@ has to be reduced by 4 times. اسکن MODBUS - - Reset socket connection on error - در صورت خطا، اتصال سوکت را بازنشانی کنید - - - + Scan S7 اس 7 را اسکن کنید @@ -20324,7 +20322,7 @@ has to be reduced by 4 times. فقط برای پس زمینه های بارگذاری شده با دستگاه های اضافی - + The maximum nominal batch size of the machine in kg حداکثر اندازه اسمی دسته دستگاه بر حسب کیلوگرم @@ -20758,32 +20756,32 @@ Currently in TEMP MODE در حال حاضر در حالت TEMP MODE - + <b>Label</b>= <b>برچسب</b>= - + <b>Description </b>= <b>توضیحات </b>= - + <b>Type </b>= <b>تایپ </b>= - + <b>Value </b>= <b>مقدار </b>= - + <b>Documentation </b>= <b>اسناد </b>= - + <b>Button# </b>= <b>دکمه# </b>= @@ -20867,6 +20865,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white رنگ دکمه ها را روی مقیاس خاکستری و رنگ های LCD را روی سیاه و سفید تنظیم می کند + + Reset socket connection on error + در صورت خطا، اتصال سوکت را بازنشانی کنید + Action String رشته اکشن diff --git a/src/translations/artisan_fi.qm b/src/translations/artisan_fi.qm index b55ff7f3a..9cbdf77cb 100644 Binary files a/src/translations/artisan_fi.qm and b/src/translations/artisan_fi.qm differ diff --git a/src/translations/artisan_fi.ts b/src/translations/artisan_fi.ts index 01130cbc4..d3399d62a 100644 --- a/src/translations/artisan_fi.ts +++ b/src/translations/artisan_fi.ts @@ -9,57 +9,57 @@ Vapauta sponsori - + About Noin - + Core Developers Kehittäjät - + License Lisenssi - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Uusimpien versiotietojen noutamisessa oli ongelma. Tarkista Internet-yhteys, yritä myöhemmin uudelleen tai tarkista manuaalisesti. - + A new release is available. Uusi julkaisu on saatavana. - + Show Change list Näytä muutosluettelo - + Download Release Lataa julkaisu - + You are using the latest release. Käytät uusinta versiota. - + You are using a beta continuous build. Käytät jatkuvaa betaversiota. - + You will see a notice here once a new official release is available. Näet ilmoituksen täällä, kun uusi virallinen julkaisu on saatavilla. - + Update status Päivitä status @@ -215,14 +215,34 @@ Button + + + + + + + + + OK + + + + + + + + + Cancel + Peruuttaa + - - - - + + + + Restore Defaults @@ -250,7 +270,7 @@ - + @@ -278,7 +298,7 @@ - + @@ -336,17 +356,6 @@ Save Tallentaa - - - - - - - - - OK - - On @@ -559,15 +568,6 @@ Write PIDs Kirjoita PID-tunnukset - - - - - - - Cancel - Peruuttaa - Set ET PID to MM:SS time units @@ -586,8 +586,8 @@ - - + + @@ -607,7 +607,7 @@ - + @@ -647,7 +647,7 @@ alkaa - + Scan Skannata @@ -732,9 +732,9 @@ päivittää - - - + + + Save Defaults Tallenna oletukset @@ -1387,12 +1387,12 @@ LOPPU Kellua - + START on CHARGE ALOITA CHARGE - + OFF on DROP POIS PÄÄLTÄ DROP @@ -1464,61 +1464,61 @@ LOPPU Näytä aina - + Heavy FC Raskas FC - + Low FC Matala FC - + Light Cut Kevyt leikkaus - + Dark Cut Tumma leikkaus - + Drops Pisarat - + Oily Öljyinen - + Uneven Epätasainen - + Tipping Kaataminen - + Scorching Paahtava - + Divots Divotit @@ -2282,14 +2282,14 @@ LOPPU - + ET - + BT @@ -2312,24 +2312,19 @@ LOPPU sanat - + optimize optimoida - + fetch full blocks noutaa kokonaiset lohkot - - reset - nollaa - - - + compression puristus @@ -2515,6 +2510,10 @@ LOPPU Elec + + reset + nollaa + Title Otsikko @@ -2594,6 +2593,16 @@ LOPPU Contextual Menu + + + All batches prepared + Kaikki erät valmisteltuina + + + + No batch prepared + Erää ei ole valmistettu + Add point @@ -2639,16 +2648,6 @@ LOPPU Edit Muokata - - - All batches prepared - Kaikki erät valmisteltuina - - - - No batch prepared - Erää ei ole valmistettu - Countries @@ -3983,20 +3982,20 @@ LOPPU Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4089,42 +4088,42 @@ LOPPU - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4193,10 +4192,10 @@ LOPPU - - - - + + + + @@ -4394,12 +4393,12 @@ LOPPU - - - - - - + + + + + + @@ -4408,17 +4407,17 @@ LOPPU Arvovirhe: - + Serial Exception: invalid comm port Sarjapoikkeus: virheellinen tietoliikenneportti - + Serial Exception: timeout Sarjapoikkeus: aikakatkaisu - + Unable to move CHARGE to a value that does not exist CHARGEa ei voida siirtää arvoon, jota ei ole olemassa @@ -4428,30 +4427,30 @@ LOPPU Modbus-yhteys jatkui - + Modbus Error: failed to connect Modbus-virhe: yhdistäminen epäonnistui - - - - - - - - - + + + + + + + + + Modbus Error: Modbus-virhe: - - - - - - + + + + + + Modbus Communication Error Modbus-yhteysvirhe @@ -4535,52 +4534,52 @@ LOPPU Poikkeus: {} ei ole kelvollinen asetustiedosto - - - - - + + + + + Error Virhe - + Exception: WebLCDs not supported by this build Poikkeus: WebLCD:t, joita tämä koontiversio ei tue - + Could not start WebLCDs. Selected port might be busy. WebLCD-levyjä ei voitu käynnistää. Valittu portti saattaa olla varattu. - + Failed to save settings Asetusten tallentaminen epäonnistui - - + + Exception (probably due to an empty profile): Poikkeus (luultavasti tyhjästä profiilista johtuvan): - + Analyze: CHARGE event required, none found Analysoi: CHARGE-tapahtuma vaaditaan, yhtään ei löydy - + Analyze: DROP event required, none found Analysoi: DROP-tapahtuma vaaditaan, yhtään ei löydy - + Analyze: no background profile data available Analysoi: taustaprofiilitietoja ei ole saatavilla - + Analyze: background profile requires CHARGE and DROP events Analysoi: taustaprofiili vaatii CHARGE- ja DROP-tapahtumia @@ -4620,6 +4619,12 @@ LOPPU Form Caption + + + + Custom Blend + Mukautettu sekoitus + Axes @@ -4754,12 +4759,12 @@ LOPPU Porttien määritys - + MODBUS Help MODBUS-ohje - + S7 Help S7-ohje @@ -4779,23 +4784,17 @@ LOPPU Paahdetut ominaisuudet - - - Custom Blend - Mukautettu sekoitus - - - + Energy Help Energia-apu - + Tare Setup Taaran asetukset - + Set Measure from Profile Aseta mitta profiilista @@ -5005,27 +5004,27 @@ LOPPU Johto - + Registers Rekisterit - - + + Commands Komennot - + PID - + Serial Sarja @@ -5036,37 +5035,37 @@ LOPPU - + Input Tulo - + Machine Kone - + Timeout Aikalisä - + Nodes Solmut - + Messages Viestit - + Flags Liput - + Events Tapahtumat @@ -5078,14 +5077,14 @@ LOPPU - + Energy Energia - + CO2 @@ -5321,14 +5320,14 @@ LOPPU HTML Report Template - + BBP Total Time BBP kokonaisaika - + BBP Bottom Temp BBP Pohjalämpötila @@ -5345,849 +5344,849 @@ LOPPU - + Whole Color Koko väri - - + + Profile Profiili - + Roast Batches Paahdetut erät - - - + + + Batch Erä - - + + Date Päivämäärä - - - + + + Beans Pavut - - - + + + In Sisään - - + + Out Ulos - - - + + + Loss Menetys - - + + SUM SUMMA - + Production Report Tuotantoraportti - - + + Time Aika - - + + Weight In Punnitus - - + + CHARGE BT - - + + FCs Time FC:n aika - - + + FCs BT - - + + DROP Time DROP Aika - - + + DROP BT PUDOTA BT - + Dry Percent Kuiva prosentti - + MAI Percent MAI-prosentti - + Dev Percent Kehittäjäprosentti - - + + AUC - - + + Weight Loss Painonpudotus - - + + Color Väri - + Cupping Kuppaus - + Roaster Paahdin - + Capacity Kapasiteetti - + Operator Operaattori - + Organization Organisaatio - + Drum Speed Rummun nopeus - + Ground Color Pohjaväri - + Color System Värijärjestelmä - + Screen Min Näytön min - + Screen Max Näyttö max - + Bean Temp Pavun lämpötila - + CHARGE ET - + TP Time TP aika - + TP ET - + TP BT - + DRY Time KUIVUUSaika - + DRY ET KUIVA ET - + DRY BT KUIVA BT - + FCs ET - + FCe Time FCe aika - + FCe ET - + FCe BT - + SCs Time SC:n aika - + SCs ET - + SCs BT - + SCe Time SCe aika - + SCe ET - + SCe BT - + DROP ET PUDOTA ET - + COOL Time COOL Aika - + COOL ET - + COOL BT - + Total Time Kokonaisaika - + Dry Phase Time Kuivavaiheen aika - + Mid Phase Time Keskivaiheen aika - + Finish Phase Time Loppuvaiheen aika - + Dry Phase RoR Kuiva vaihe RoR - + Mid Phase RoR Keskivaiheen RoR - + Finish Phase RoR Lopeta vaihe RoR - + Dry Phase Delta BT Kuivavaihe Delta BT - + Mid Phase Delta BT Keskivaiheen Delta BT - + Finish Phase Delta BT Viimeistelyvaihe Delta BT - + Finish Phase Rise Lopeta nousuvaihe - + Total RoR Yhteensä RoR - + FCs RoR - + MET TAVANNUT - + AUC Begin AUC Aloita - + AUC Base AUC-pohja - + Dry Phase AUC Kuiva vaihe AUC - + Mid Phase AUC Keskivaiheen AUC - + Finish Phase AUC Lopeta vaihe AUC - + Weight Out Paino pois - + Volume In Äänenvoimakkuus sisään - + Volume Out Äänenvoimakkuus pois - + Volume Gain - + Green Density Vihreä tiheys - + Roasted Density Paahdettu tiheys - + Moisture Greens Kosteus Vihreät - + Moisture Roasted Kosteus paahdettu - + Moisture Loss Kosteuden menetys - + Organic Loss Orgaaninen menetys - + Ambient Humidity Ympäristön kosteus - + Ambient Pressure Ympäristön paine - + Ambient Temperature Ympäristön lämpötila - - + + Roasting Notes Paahtamisohjeet - - + + Cupping Notes Kupitukset - + Heavy FC Raskas FC - + Low FC Matala FC - + Light Cut Kevyt leikkaus - + Dark Cut Tumma leikkaus - + Drops Pisarat - + Oily Öljyinen - + Uneven Epätasainen - + Tipping Kaataminen - + Scorching Paahtava - + Divots Divotit - + Mode Tila - + BTU Batch BTU erä - + BTU Batch per green kg BTU Erä viherkiloa kohden - + CO2 Batch CO2 erä - + BTU Preheat BTU esilämmitys - + CO2 Preheat CO2 Esilämmitys - + BTU BBP - + CO2 BBP - + BTU Cooling BTU jäähdytys - + CO2 Cooling CO2 jäähdytys - + BTU Roast - + BTU Roast per green kg BTU Roast per vihreä kg - + CO2 Roast CO2 paahdettua - + CO2 Batch per green kg CO2 Erä vihreää kg - + BTU LPG BTU nestekaasu - + BTU NG - + BTU ELEC - + Efficiency Batch Tehokkuuserä - + Efficiency Roast Tehokkuuspaahto - + BBP Begin BBP Aloita - + BBP Begin to Bottom Time - + BBP Bottom to CHARGE Time - + BBP Begin to Bottom RoR - + BBP Bottom to CHARGE RoR BBP Alhaalta CHARGE RoR - + File Name Tiedoston nimi - + Roast Ranking - + Ranking Report Ranking-raportti - + AVG - + Roasting Report Paahtoraportti - + Date: Päivämäärä: - + Beans: Pavut: - + Weight: Paino: - + Volume: Äänenvoimakkuus: - + Roaster: Paahdin: - + Operator: Operaattori: - + Organization: Organisaatio: - + Cupping: Kuppaus: - + Color: Väri: - + Energy: Energia: - + CO2: - + CHARGE: VELOITUS: - + Size: Koko: - + Density: Tiheys: - + Moisture: Kosteus: - + Ambient: Ympäristö: - + TP: - + DRY: KUIVA: - + FCs: FC:t: - + FCe: - + SCs: SC:t: - + SCe: - + DROP: PUDOTA: - + COOL: VIILEÄ: - + MET: TAVANNUT: - + CM: - + Drying: Kuivaus: - + Maillard: - + Finishing: Viimeistely: - + Cooling: Jäähdytys: - + Background: Tausta: - + Alarms: Hälytykset: - + RoR: - + AUC: - + Events Tapahtumat @@ -11427,6 +11426,92 @@ Tallennuksen aikana. Label + + + + + + + + + Weight + Paino + + + + + + + Beans + Pavut + + + + + + Density + Tiheys + + + + + + Color + Väri + + + + + + Moisture + Kosteus + + + + + + + Roasting Notes + Paahtamisohjeet + + + + Score + Pisteet + + + + + Cupping Score + Kuppauspisteet + + + + + + + Cupping Notes + Kupitukset + + + + + + + + Roasted + Paahdettu + + + + + + + + + Green + Vihreä + @@ -11531,7 +11616,7 @@ Tallennuksen aikana. - + @@ -11550,7 +11635,7 @@ Tallennuksen aikana. - + @@ -11566,7 +11651,7 @@ Tallennuksen aikana. - + @@ -11585,7 +11670,7 @@ Tallennuksen aikana. - + @@ -11612,7 +11697,7 @@ Tallennuksen aikana. - + @@ -11644,7 +11729,7 @@ Tallennuksen aikana. - + DRY KUIVA @@ -11661,7 +11746,7 @@ Tallennuksen aikana. - + FCs FC: t @@ -11669,7 +11754,7 @@ Tallennuksen aikana. - + FCe @@ -11677,7 +11762,7 @@ Tallennuksen aikana. - + SCs SC: t @@ -11685,7 +11770,7 @@ Tallennuksen aikana. - + SCe @@ -11698,7 +11783,7 @@ Tallennuksen aikana. - + @@ -11713,10 +11798,10 @@ Tallennuksen aikana. / min - - - - + + + + @@ -11724,8 +11809,8 @@ Tallennuksen aikana. PÄÄLLÄ - - + + @@ -11739,8 +11824,8 @@ Tallennuksen aikana. Sykli - - + + Input Tulo @@ -11774,7 +11859,7 @@ Tallennuksen aikana. - + @@ -11791,8 +11876,8 @@ Tallennuksen aikana. - - + + Mode @@ -11854,7 +11939,7 @@ Tallennuksen aikana. - + Label @@ -11979,21 +12064,21 @@ Tallennuksen aikana. SV maks - + P - + I Minä - + D @@ -12055,13 +12140,6 @@ Tallennuksen aikana. Markers Tussit - - - - - Color - Väri - Text Color @@ -12092,9 +12170,9 @@ Tallennuksen aikana. Koko - - + + @@ -12132,8 +12210,8 @@ Tallennuksen aikana. - - + + Event @@ -12146,7 +12224,7 @@ Tallennuksen aikana. Toiminta - + Command Komento @@ -12158,7 +12236,7 @@ Tallennuksen aikana. - + Factor @@ -12175,14 +12253,14 @@ Tallennuksen aikana. Lämpötila - + Unit Yksikkö - + Source Lähde @@ -12193,10 +12271,10 @@ Tallennuksen aikana. Klusteri - - - + + + OFF @@ -12247,15 +12325,15 @@ Tallennuksen aikana. Rekisteröidy - - + + Area Alue - - + + DB# DB # @@ -12263,54 +12341,54 @@ Tallennuksen aikana. - + Start alkaa - - + + Comm Port Tiedonsiirtoportti - - + + Baud Rate Siirtonopeus - - + + Byte Size Tavu - - + + Parity Pariteetti - - + + Stopbits - - + + @@ -12347,8 +12425,8 @@ Tallennuksen aikana. - - + + Type Tyyppi @@ -12358,8 +12436,8 @@ Tallennuksen aikana. - - + + Host Isäntä @@ -12370,20 +12448,20 @@ Tallennuksen aikana. - - + + Port Satama - + SV Factor SV-kerroin - + pid Factor pid tekijä @@ -12405,75 +12483,75 @@ Tallennuksen aikana. Tiukka - - + + Device Laite - + Rack Teline - + Slot Aukko - + Path Polku - + ID Henkilötunnus - + Connect Kytkeä - + Reconnect Yhdistä uudelleen - - + + Request Pyyntö - + Message ID Viestin tunnus - + Machine ID Konetunnus - + Data Tiedot - + Message Viesti - + Data Request Tietopyyntö - - + + Node Solmu @@ -12535,17 +12613,6 @@ Tallennuksen aikana. g - - - - - - - - - Weight - Paino - @@ -12553,25 +12620,6 @@ Tallennuksen aikana. Volume Äänenvoimakkuus - - - - - - - - Green - Vihreä - - - - - - - - Roasted - Paahdettu - @@ -12622,31 +12670,16 @@ Tallennuksen aikana. Päivämäärä - + Batch Erä - - - - - - Beans - Pavut - % - - - - - Density - Tiheys - Screen @@ -12662,13 +12695,6 @@ Tallennuksen aikana. Ground Maa - - - - - Moisture - Kosteus - @@ -12681,22 +12707,6 @@ Tallennuksen aikana. Ambient Conditions Ympäristöolosuhteet - - - - - - Roasting Notes - Paahtamisohjeet - - - - - - - Cupping Notes - Kupitukset - Ambient Source @@ -12718,140 +12728,140 @@ Tallennuksen aikana. Sekoitus - + Template Sapluuna - + Results in Johtaa - + Rating Luokitus - + Pressure % Paine% - + Electric Energy Mix: Sähköenergiasekoitus: - + Renewable Uusiutuva - - + + Pre-Heating Esilämmitys - - + + Between Batches Erien välillä - - + + Cooling Jäähdytys - + Between Batches after Pre-Heating Erien välillä esilämmityksen jälkeen - + (mm:ss) (mm: ss) - + Duration Kesto - + Measured Energy or Output % Mitattu energia tai tuotos% - - + + Preheat Esilämmitä - - + + BBP - - - - + + + + Roast Paisti - - + + per kg green coffee per kg vihreää kahvia - + Load Ladata - + Organization Organisaatio - + Operator Operaattori - + Machine Kone - + Model Malli - + Heating Lämmitys - + Drum Speed Rummun nopeus - + organic material orgaaninen materiaali @@ -13175,12 +13185,6 @@ LCD-näytöt Kaikki Roaster Paahdin - - - - Cupping Score - Kuppauspisteet - Max characters per line @@ -13260,7 +13264,7 @@ LCD-näytöt Kaikki Reunan väri (RGBA) - + roasted paahdettu @@ -13407,22 +13411,22 @@ LCD-näytöt Kaikki - + ln() ln () - - + + x - - + + Bkgnd @@ -13571,99 +13575,99 @@ LCD-näytöt Kaikki Lataa pavut - + /m / m - + greens vihreät - - - + + + STOP LOPETTAA - - + + OPEN AVATA - - - + + + CLOSE KIINNI - - + + AUTO - - - + + + MANUAL MANUAALINEN - + STIRRER SEKOITUS - + FILL TÄYTTÄÄ - + RELEASE PALAUTA - + HEATING LÄMMITYS - + COOLING JÄÄHDYTYS - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -13989,11 +13993,6 @@ LCD-näytöt Kaikki Aspect Ratio Kuvasuhde - - - Score - Pisteet - RPM Kierrosluku @@ -14194,6 +14193,12 @@ LCD-näytöt Kaikki Menu + + + + Schedule + Suunnitelma + @@ -14650,12 +14655,6 @@ LCD-näytöt Kaikki Sliders Liukusäätimet - - - - Schedule - Suunnitelma - Full Screen @@ -14764,6 +14763,53 @@ LCD-näytöt Kaikki Message + + + Scheduler started + Aikataulu käynnistyi + + + + Scheduler stopped + Ajastin pysähtyi + + + + + + + Warning + Varoitus + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Valmiit paahdot eivät muuta aikataulua, kun aikatauluikkuna on suljettu + + + + + 1 batch + 1 erä + + + + + + + {} batches + {} erää + + + + Updating completed roast properties failed + Valmiiden paahtoominaisuuksien päivittäminen epäonnistui + + + + Fetching completed roast properties failed + Valmiiden paahtoominaisuuksien nouto epäonnistui + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15324,20 +15370,20 @@ Toista toiminto lopussa: {0} - + Bluetootooth access denied Bluetooth-yhteys estetty - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Sarjaportin asetukset: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15371,50 +15417,50 @@ Toista toiminto lopussa: {0} Luetaan taustaprofiilia... - + Event table copied to clipboard Tapahtumataulukko kopioitiin leikepöydälle - + The 0% value must be less than the 100% value. Arvon 0 % on oltava pienempi kuin 100 %. - - + + Alarms from events #{0} created Hälytykset tapahtumista #{0} luotu - - + + No events found Tapahtumia ei löytynyt - + Event #{0} added Tapahtuma #{0} lisätty - + No profile found Profiilia ei löytynyt - + Events #{0} deleted Tapahtumat #{0} poistettu - + Event #{0} deleted Tapahtuma #{0} poistettu - + Roast properties updated but profile not saved to disk Paistiominaisuudet päivitetty, mutta profiilia ei tallennettu levylle @@ -15429,7 +15475,7 @@ Toista toiminto lopussa: {0} MODBUS irrotettu - + Connected via MODBUS Yhdistetty MODBUSin kautta @@ -15596,27 +15642,19 @@ Toista toiminto lopussa: {0} Sampling Näytteenotto - - - - - - Warning - Varoitus - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Tiukka näytteenottoväli saattaa johtaa epävakauteen joissakin koneissa. Suosittelemme vähintään 1 s. - + Incompatible variables found in %s Yhteensopimattomia muuttujia löytyy %s - + Assignment problem Tehtävä ongelma @@ -15710,8 +15748,8 @@ Toista toiminto lopussa: {0} seurata pois - - + + Save Statistics Tallenna tilastot @@ -15873,19 +15911,19 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Käsityöläinen määritetty kohteelle {0} - + Load theme {0}? Ladataanko teema {0}? - + Adjust Theme Related Settings Säädä teemaan liittyviä asetuksia - + Loaded theme {0} Ladattu teema {0} @@ -15896,8 +15934,8 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Havaittiin väripari, jota voi olla vaikea nähdä: - - + + Simulator started @{}x Simulaattori käynnistyi @{}x @@ -15948,14 +15986,14 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa autoDROP pois päältä - + PID set to OFF PID asetettu asentoon OFF - + PID set to ON @@ -16175,7 +16213,7 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa {0} on tallennettu. Uusi paistaminen on alkanut - + Invalid artisan format @@ -16240,10 +16278,10 @@ Nykyiset asetukset kannattaa tallentaa etukäteen valikon Ohje >> Tallenna Profiili tallennettu - - - - + + + + @@ -16335,347 +16373,347 @@ Nykyiset asetukset kannattaa tallentaa etukäteen valikon Ohje >> Tallenna Asetusten lataus peruutettu - - + + Statistics Saved Tilastot tallennettu - + No statistics found Tilastoja ei löytynyt - + Excel Production Report exported to {0} Excel-tuotantoraportti viety osoitteeseen {0} - + Ranking Report Ranking-raportti - + Ranking graphs are only generated up to {0} profiles Sijoituskaavioita luodaan vain {0} profiiliin asti - + Profile missing DRY event Profiilista puuttuu DRY-tapahtuma - + Profile missing phase events Profiilista puuttuvat vaihetapahtumat - + CSV Ranking Report exported to {0} CSV-sijoitusraportti vietiin osoitteeseen {0} - + Excel Ranking Report exported to {0} Excel-sijoitusraportti viety osoitteeseen {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth-vaakaa ei voi yhdistää, kun Artisanilta on estetty lupa käyttää Bluetoothia - + Bluetooth access denied Bluetooth-yhteys estetty - + Hottop control turned off Hottop-ohjaus pois päältä - + Hottop control turned on Hottop-ohjaus päällä - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Hottopin ohjaamiseksi sinun on ensin aktivoitava superkäyttäjätila napsauttamalla hiiren oikeaa painiketta ajastimen LCD-näytössä! - - + + Settings not found Asetuksia ei löydy - + artisan-settings artesaani-asetuksiin - + Save Settings Tallenna asetukset - + Settings saved Asetukset Tallennettu - + artisan-theme käsityöläinen teema - + Save Theme Tallenna teema - + Theme saved Teema tallennettu - + Load Theme Lataa teema - + Theme loaded Teema ladattu - + Background profile removed Taustaprofiili poistettu - + Alarm Config Hälytysasetus - + Alarms are not available for device None Hälytykset eivät ole käytettävissä laitteelle Ei mitään - + Switching the language needs a restart. Restart now? Kielen vaihtaminen vaatii uudelleenkäynnistyksen. Käynnistä uudelleen nyt? - + Restart Uudelleenkäynnistää - + Import K202 CSV Tuo K202 CSV - + K202 file loaded successfully K202-tiedoston lataus onnistui - + Import K204 CSV Tuo K204 CSV - + K204 file loaded successfully K204-tiedoston lataus onnistui - + Import Probat Recipe Tuo Probat-resepti - + Probat Pilot data imported successfully Probat Pilot -tietojen tuonti onnistui - + Import Probat Pilot failed Tuo Probat Pilot epäonnistui - - + + {0} imported {0} tuotu - + an error occurred on importing {0} tapahtui virhe tuotaessa {0} - + Import Cropster XLS Tuo Cropster XLS - + Import RoastLog URL Tuo RoastLog-URL-osoite - + Import RoastPATH URL Tuo RoastPATH-URL-osoite - + Import Giesen CSV Tuo Giesen CSV - + Import Petroncini CSV Tuo Petroncini CSV - + Import IKAWA URL Tuo IKAWA URL-osoite - + Import IKAWA CSV Tuo IKAWA CSV - + Import Loring CSV Tuo Loring CSV - + Import Rubasse CSV Tuo Rubassen CSV - + Import HH506RA CSV Tuo HH506RA CSV - + HH506RA file loaded successfully HH506RA-tiedoston lataus onnistui - + Save Graph as Tallenna kaavio nimellä - + {0} size({1},{2}) saved {0} koko({1},{2}) tallennettu - + Save Graph as PDF Tallenna kaavio PDF-muodossa - + Save Graph as SVG Tallenna kaavio SVG-muodossa - + {0} saved {0} tallennettu - + Wheel {0} loaded Pyörä {0} ladattu - + Invalid Wheel graph format Virheellinen pyörän kaaviomuoto - + Buttons copied to Palette # Painikkeet kopioitu palettiin # - + Palette #%i restored Paletti #%i palautettu - + Palette #%i empty Paletti #%i tyhjä - + Save Palettes Tallenna paletit - + Palettes saved Paletit tallennettu - + Palettes loaded Paletit ladattu - + Invalid palettes file format Virheellinen palettitiedostomuoto - + Alarms loaded Hälytykset ladattu - + Fitting curves... Kaarien sovittaminen... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Varoitus: Kiinnostavan analyysivälin alku on aikaisempi kuin käyrän sovituksen alku. Korjaa tämä Config> Curves> Analyse -välilehdellä. - + Analysis earlier than Curve fit Analyysi aikaisemmin kuin käyrän sovitus - + Simulator stopped Simulaattori pysähtyi - + debug logging ON virheenkorjauksen kirjaus PÄÄLLÄ @@ -17329,45 +17367,6 @@ Profiilista puuttuu [CHARGE] tai [DROP] Background profile not found Taustaprofiilia ei löydy - - - Scheduler started - Aikataulu käynnistyi - - - - Scheduler stopped - Ajastin pysähtyi - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Valmiit paahdot eivät muuta aikataulua, kun aikatauluikkuna on suljettu - - - - - 1 batch - 1 erä - - - - - - - {} batches - {} erää - - - - Updating completed roast properties failed - Valmiiden paahtoominaisuuksien päivittäminen epäonnistui - - - - Fetching completed roast properties failed - Valmiiden paahtoominaisuuksien nouto epäonnistui - Event # {0} recorded at BT = {1} Time = {2} Tapahtuma # {0} tallennettu BT = {1} aika = {2} @@ -17435,51 +17434,6 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Plus - - - debug logging ON - virheenkorjauksen kirjaus PÄÄLLÄ - - - - debug logging OFF - virheenkorjauksen kirjaus POIS PÄÄLTÄ - - - - 1 day left - 1 päivä jäljellä - - - - {} days left - {} päiviä jäljellä - - - - Paid until - Maksettu asti - - - - Please visit our {0}shop{1} to extend your subscription - Käy {0} kaupassamme {1} jatkaaksesi tilaustasi - - - - Do you want to extend your subscription? - Haluatko jatkaa tilaustasi? - - - - Your subscription ends on - Tilauksesi päättyy - - - - Your subscription ended on - Tilauksesi päättyi - Roast successfully upload to {} @@ -17669,6 +17623,51 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Remember Muistaa + + + debug logging ON + virheenkorjauksen kirjaus PÄÄLLÄ + + + + debug logging OFF + virheenkorjauksen kirjaus POIS PÄÄLTÄ + + + + 1 day left + 1 päivä jäljellä + + + + {} days left + {} päiviä jäljellä + + + + Paid until + Maksettu asti + + + + Please visit our {0}shop{1} to extend your subscription + Käy {0} kaupassamme {1} jatkaaksesi tilaustasi + + + + Do you want to extend your subscription? + Haluatko jatkaa tilaustasi? + + + + Your subscription ends on + Tilauksesi päättyy + + + + Your subscription ended on + Tilauksesi päättyi + ({} of {} done) ({}/{} valmis) @@ -17789,10 +17788,10 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - - - - + + + + Roaster Scope @@ -18164,6 +18163,16 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Tab + + + To-Do + Tehdä + + + + Completed + Valmis + @@ -18196,7 +18205,7 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Aseta RS - + Extra @@ -18245,32 +18254,32 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - + ET/BT ET / BT - + Modbus - + S7 - + Scale Mittakaava - + Color Väri - + WebSocket @@ -18307,17 +18316,17 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Perustaa - + Details Yksityiskohdat - + Loads Kuormat - + Protocol Pöytäkirja @@ -18402,16 +18411,6 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa LCDs LCD-näytöt - - - To-Do - Tehdä - - - - Completed - Valmis - Done Tehty @@ -18534,7 +18533,7 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - + @@ -18554,7 +18553,7 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa Liota HH: MM - + @@ -18564,7 +18563,7 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - + @@ -18588,37 +18587,37 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - + Device Laite - + Comm Port Tiedonsiirtoportti - + Baud Rate Siirtonopeus - + Byte Size Tavu - + Parity Pariteetti - + Stopbits - + Timeout Aikalisä @@ -18626,16 +18625,16 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - - + + Time Aika - - + + @@ -18644,8 +18643,8 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - - + + @@ -18654,104 +18653,104 @@ Pitääksesi sen ilmaisena ja ajan tasalla, tue meitä lahjoituksellasi ja tilaa - + CHARGE LATAUS - + DRY END KUIVA LOPPU - + FC START - + FC END FC LOPPU - + SC START - + SC END SC LOPPU - + DROP PUDOTA - + COOL VIILEÄ - + #{0} {1}{2} # {0} {1} {2} - + Power Teho - + Duration Kesto - + CO2 - + Load Ladata - + Source Lähde - + Kind Ystävällinen - + Name Nimi - + Weight Paino @@ -19634,7 +19633,7 @@ PID:n aloitteesta - + @@ -19655,7 +19654,7 @@ PID:n aloitteesta - + Show help Näytä apua @@ -19809,20 +19808,24 @@ on vähennettävä 4 kertaa. Suorita näytteenottotoiminto synkronisesti ({}) joka näytteenottoväli tai valitse toistuva aikaväli suorittaaksesi sen asynkronisesti näytteenoton aikana - + OFF Action String OFF Toimintomerkkijono - + ON Action String ON Toimintomerkkijono - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Ylimääräinen viive yhteyden muodostamisen jälkeen sekunneissa ennen pyyntöjen lähettämistä (tarvitaan Arduino-laitteille, jotka käynnistyvät uudelleen yhteyden yhteydessä) + + + Extra delay in Milliseconds between MODBUS Serial commands Ylimääräinen viive millisekunteina MODBUS-sarjakomentojen välillä @@ -19838,12 +19841,7 @@ on vähennettävä 4 kertaa. Skannaa MODBUS - - Reset socket connection on error - Nollaa pistorasiayhteys virheen sattuessa - - - + Scan S7 Skannaa S7 @@ -19859,7 +19857,7 @@ on vähennettävä 4 kertaa. Vain ladatuille taustoille lisälaitteilla - + The maximum nominal batch size of the machine in kg Koneen suurin nimellinen eräkoko kg @@ -20293,32 +20291,32 @@ Currently in TEMP MODE Tällä hetkellä TEMP MODE - + <b>Label</b>= <b>Etiketti</b>= - + <b>Description </b>= <b>Kuvaus </b>= - + <b>Type </b>= <b>Tyyppi </b>= - + <b>Value </b>= <b>Arvo </b>= - + <b>Documentation </b>= <b>Dokumentaatio </b>= - + <b>Button# </b>= <b>Painike </b>= @@ -20402,6 +20400,10 @@ Tällä hetkellä TEMP MODE Sets button colors to grey scale and LCD colors to black and white Asettaa painikkeiden värit harmaasävyiksi ja LCD-näytön värit mustaksi ja valkoiseksi + + Reset socket connection on error + Nollaa pistorasiayhteys virheen sattuessa + Action String Toimintamerkkijono diff --git a/src/translations/artisan_fr.qm b/src/translations/artisan_fr.qm index 534dc0721..a3a8198f0 100644 Binary files a/src/translations/artisan_fr.qm and b/src/translations/artisan_fr.qm differ diff --git a/src/translations/artisan_fr.ts b/src/translations/artisan_fr.ts index f4aceb04e..bc451d27c 100644 --- a/src/translations/artisan_fr.ts +++ b/src/translations/artisan_fr.ts @@ -9,57 +9,57 @@ Commanditaire de sortie - + About A propos de - + Core Developers Dévelopeurs du système - + License Licence - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Un problème est survenu lors de la récupération des dernières informations sur la version. Veuillez vérifier votre connexion Internet, réessayer plus tard ou vérifier manuellement. - + A new release is available. Une nouvelle version est disponible. - + Show Change list Afficher la liste des modifications - + Download Release Télécharger la version - + You are using the latest release. Vous utilisez la dernière version. - + You are using a beta continuous build. Vous utilisez une version bêta continue. - + You will see a notice here once a new official release is available. Vous verrez un avis ici une fois qu'une nouvelle version officielle sera disponible. - + Update status État de mise à jour @@ -258,14 +258,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Annuler + - - - - + + + + Restore Defaults @@ -293,7 +313,7 @@ - + @@ -321,7 +341,7 @@ - + @@ -379,17 +399,6 @@ Save Enregistrer - - - - - - - - - OK - OK - On @@ -602,15 +611,6 @@ Write PIDs Ecrire PIDs - - - - - - - Cancel - Annuler - Set ET PID to MM:SS time units @@ -629,8 +629,8 @@ - - + + @@ -650,7 +650,7 @@ - + @@ -690,7 +690,7 @@ Debut - + Scan scanner @@ -775,9 +775,9 @@ mettre à jour - - - + + + Save Defaults Enregistrer les valeurs par défaut @@ -1553,12 +1553,12 @@ REFROIDISSEMENT - + START on CHARGE DÉMARRER sur CHARGE - + OFF on DROP OFF sur DROP @@ -1630,61 +1630,61 @@ REFROIDISSEMENT Afficher toujours - + Heavy FC 1erC Fort - + Low FC 1erC Léger - + Light Cut Cut Blond - + Dark Cut Cut Sombre - + Drops Gouttes - + Oily Huileux - + Uneven Inégal - + Tipping - + Scorching - + Divots @@ -2504,14 +2504,14 @@ REFROIDISSEMENT - + ET TE - + BT TG @@ -2534,24 +2534,19 @@ REFROIDISSEMENT mots - + optimize optimiser - + fetch full blocks récupérer des blocs complets - - reset - réinitialiser - - - + compression compression @@ -2737,6 +2732,10 @@ REFROIDISSEMENT Elec Électrique + + reset + réinitialiser + Title Titre @@ -2940,6 +2939,16 @@ REFROIDISSEMENT Contextual Menu + + + All batches prepared + Tous les lots préparés + + + + No batch prepared + Aucun lot préparé + Add point @@ -2985,16 +2994,6 @@ REFROIDISSEMENT Edit Edition - - - All batches prepared - Tous les lots préparés - - - - No batch prepared - Aucun lot préparé - Exit Designer Quitter Designer @@ -4364,20 +4363,20 @@ REFROIDISSEMENT Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4470,42 +4469,42 @@ REFROIDISSEMENT - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4574,10 +4573,10 @@ REFROIDISSEMENT - - - - + + + + @@ -4775,12 +4774,12 @@ REFROIDISSEMENT - - - - - - + + + + + + @@ -4789,17 +4788,17 @@ REFROIDISSEMENT Erreur de valeur: - + Serial Exception: invalid comm port Exception série: comm port invalide - + Serial Exception: timeout Exception série: timeout - + Unable to move CHARGE to a value that does not exist Impossible de bouger CHARGER sur une valeur non existante @@ -4809,30 +4808,30 @@ REFROIDISSEMENT Communication Modbus reprise - + Modbus Error: failed to connect Erreur Modbus : échec de la connexion - - - - - - - - - + + + + + + + + + Modbus Error: Erreur Modbus: - - - - - - + + + + + + Modbus Communication Error Erreur de communication Modbus @@ -4916,52 +4915,52 @@ REFROIDISSEMENT Exception: {} n'est pas un fichier de paramètres valide - - - - - + + + + + Error Erreur - + Exception: WebLCDs not supported by this build Exception : WebLCD non pris en charge par cette version - + Could not start WebLCDs. Selected port might be busy. Impossible de démarrer les WebLCD. Le port sélectionné est peut-être occupé. - + Failed to save settings Échec de l'enregistrement des paramètres - - + + Exception (probably due to an empty profile): Exception (probablement suite à un fichier vide): - + Analyze: CHARGE event required, none found Analyser: événement CHARGE requis, aucun trouvé - + Analyze: DROP event required, none found Analyser: événement DROP requis, aucun trouvé - + Analyze: no background profile data available Analyser: aucune donnée de profil de fond disponible - + Analyze: background profile requires CHARGE and DROP events Analyser: le profil d'arrière-plan nécessite les événements CHARGE et DROP @@ -5060,6 +5059,12 @@ REFROIDISSEMENT Form Caption + + + + Custom Blend + Mélange personnalisé + Axes @@ -5194,12 +5199,12 @@ REFROIDISSEMENT Configuration Ports - + MODBUS Help Aide MODBUS - + S7 Help Aide S7 @@ -5219,23 +5224,17 @@ REFROIDISSEMENT Propriétés de la Torréfaction - - - Custom Blend - Mélange personnalisé - - - + Energy Help Aide énergétique - + Tare Setup Réglage tare - + Set Measure from Profile Définir la mesure à partir du profil @@ -5465,27 +5464,27 @@ REFROIDISSEMENT Gestion - + Registers Registres - - + + Commands Commandes - + PID PID - + Serial Série @@ -5496,37 +5495,37 @@ REFROIDISSEMENT - + Input Entrée - + Machine Machine - + Timeout Timeout - + Nodes Nœuds - + Messages Messages - + Flags Drapeaux - + Events Evenements @@ -5538,14 +5537,14 @@ REFROIDISSEMENT - + Energy Énergie - + CO2 @@ -5861,14 +5860,14 @@ REFROIDISSEMENT HTML Report Template - + BBP Total Time Durée totale BBP - + BBP Bottom Temp Température inférieure BBP @@ -5885,849 +5884,849 @@ REFROIDISSEMENT - + Whole Color Couleur Grain - - + + Profile Profile - + Roast Batches Lots de torréfaction - - - + + + Batch Lot - - + + Date Date - - - + + + Beans Grains de Café - - - + + + In Entrée - - + + Out Sortie - - - + + + Loss Perte - - + + SUM SUM - + Production Report Rapport de production - - + + Time Temps - - + + Weight In Poids en - - + + CHARGE BT CHARGE TG - - + + FCs Time d1C Temp - - + + FCs BT d1C TG - - + + DROP Time VIDAGE Temp - - + + DROP BT VIDAGE TG - + Dry Percent Séchage Pourcentage - + MAI Percent MAI Pourcentage - + Dev Percent Formation Pourcentage - - + + AUC SSC - - + + Weight Loss Perte de Poids - - + + Color Couleur - + Cupping Dégustation - + Roaster Torréfacteur - + Capacity Capacité - + Operator Opérateur - + Organization Organisation - + Drum Speed Vitesse tambour - + Ground Color Couleur Moulu - + Color System Système de couleur - + Screen Min - + Screen Max - + Bean Temp Température Grains - + CHARGE ET CHARGE TE - + TP Time Temps TP - + TP ET TP TE - + TP BT TP TG - + DRY Time Temps de séchage - + DRY ET SEC TE - + DRY BT SEC TG - + FCs ET d1C TE - + FCe Time d1C Temp - + FCe ET f1C TE - + FCe BT f1C TG - + SCs Time d2C Temp - + SCs ET d2C TE - + SCs BT d2C TG - + SCe Time f2C Temp - + SCe ET f2C TE - + SCe BT f2C TG - + DROP ET VIDAGE TE - + COOL Time REFROIDISSEMENT Temp - + COOL ET REFROIDISSEMENT TE - + COOL BT REFROIDISSEMENT TG - + Total Time Temps total - + Dry Phase Time Temps de phase sèche - + Mid Phase Time Temps de mi-phase - + Finish Phase Time Temps de la phase de fin - + Dry Phase RoR Phase sèche RoR - + Mid Phase RoR Phase intermédiaire RoR - + Finish Phase RoR Finir la phase RoR - + Dry Phase Delta BT Delta TG de phase sèche - + Mid Phase Delta BT Delta TG de mi-phase - + Finish Phase Delta BT Delta TG de la phase de fin - + Finish Phase Rise Finir la phase Montée - + Total RoR RoR total - + FCs RoR d1C RoR - + MET TEM - + AUC Begin Début AUC - + AUC Base Base AUC - + Dry Phase AUC ASC en phase sèche - + Mid Phase AUC AUC à mi-phase - + Finish Phase AUC Terminer la phase AUC - + Weight Out Dépasser le poids - + Volume In Volume entrant - + Volume Out Sortie de volume - + Volume Gain Volume Grains - + Green Density Densité verte - + Roasted Density Densité rôtie - + Moisture Greens Humidité vert - + Moisture Roasted Humidité Torréfié - + Moisture Loss Perte d'humidité - + Organic Loss Perte organique - + Ambient Humidity Humidité ambiante - + Ambient Pressure Pression ambiante - + Ambient Temperature Température ambiante - - + + Roasting Notes Notes de Torréfaction - - + + Cupping Notes Notes de Dégustation - + Heavy FC 1erC Fort - + Low FC 1erC Léger - + Light Cut Cut Blond - + Dark Cut Cut Sombre - + Drops Gouttes - + Oily Huileux - + Uneven Inégal - + Tipping Pourboire - + Scorching Brûlant - + Divots - + Mode Mode - + BTU Batch BTU Lot - + BTU Batch per green kg BTU lot par kg de café vert - + CO2 Batch CO2 Lot - + BTU Preheat BTU Préchauffer - + CO2 Preheat CO2 Préchauffer - + BTU BBP - + CO2 BBP BBP CO2 - + BTU Cooling BTU Refroidissement - + CO2 Cooling CO2 Refroidissement - + BTU Roast Rôti BTU - + BTU Roast per green kg Rôti BTU par kg vert - + CO2 Roast Rôti de CO2 - + CO2 Batch per green kg CO2 lot par kg de café vert - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Lot d'efficacité - + Efficiency Roast Rôti d'efficacité - + BBP Begin Début du BBP - + BBP Begin to Bottom Time BBP Début jusqu'à l'heure du fond - + BBP Bottom to CHARGE Time Temps de CHARGE du bas du BBP - + BBP Begin to Bottom RoR BBP commence au RoR inférieur - + BBP Bottom to CHARGE RoR BBP Bas à CHARGE RoR - + File Name Nom de fichier - + Roast Ranking Classement torréfaction - + Ranking Report Rapport de classement - + AVG moy - + Roasting Report Rapport de Torréfaction - + Date: Date: - + Beans: Grains: - + Weight: Poids: - + Volume: Volume: - + Roaster: Torréfacteur: - + Operator: Opérateur: - + Organization: Organisation: - + Cupping: Dégustation: - + Color: Couleur: - + Energy: Énergie: - + CO2: - + CHARGE: CHARGE: - + Size: Taille: - + Density: Densité: - + Moisture: Humidité: - + Ambient: Ambient: - + TP: TP: - + DRY: SEC: - + FCs: d1C: - + FCe: f1C: - + SCs: d2C: - + SCe: f2C: - + DROP: VIDAGE: - + COOL: REFROIDISSEMENT: - + MET: TEM: - + CM: CM: - + Drying: Séchage: - + Maillard: - + Finishing: Développement: - + Cooling: Refroidissement: - + Background: Arrière plan: - + Alarms: Alarme: - + RoR: VdM: - + AUC: SSC: - + Events Evenements @@ -12385,6 +12384,92 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Label + + + + + + + + + Weight + Poids + + + + + + + Beans + Grains + + + + + + Density + Densité + + + + + + Color + Couleur + + + + + + Moisture + Humidité + + + + + + + Roasting Notes + Notes de Torréfaction + + + + Score + Score + + + + + Cupping Score + Score de ventouses + + + + + + + Cupping Notes + Notes de Dégustation + + + + + + + + Roasted + Torréfié + + + + + + + + + Green + Vert + @@ -12489,7 +12574,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12508,7 +12593,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12524,7 +12609,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12543,7 +12628,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12570,7 +12655,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12602,7 +12687,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + DRY SEC @@ -12619,7 +12704,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + FCs d1C @@ -12627,7 +12712,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + FCe f1c @@ -12635,7 +12720,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + SCs d2C @@ -12643,7 +12728,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + SCe f2C @@ -12656,7 +12741,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12671,10 +12756,10 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie /min - - - - + + + + @@ -12682,8 +12767,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie ON - - + + @@ -12697,8 +12782,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Cycle - - + + Input Entrée @@ -12732,7 +12817,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + @@ -12749,8 +12834,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Mode @@ -12812,7 +12897,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + Label @@ -12937,21 +13022,21 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie max SV - + P P - + I I - + D @@ -13013,13 +13098,6 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Markers Marqueurs - - - - - Color - Couleur - Text Color @@ -13050,9 +13128,9 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Taille - - + + @@ -13090,8 +13168,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Event @@ -13104,7 +13182,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Action - + Command Commande @@ -13116,7 +13194,7 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Décalage - + Factor @@ -13133,14 +13211,14 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Temp - + Unit Unité - + Source Source @@ -13151,10 +13229,10 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Regrouper - - - + + + OFF @@ -13205,15 +13283,15 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Registre - - + + Area Surface - - + + DB# DB# @@ -13221,54 +13299,54 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - + Start Debut - - + + Comm Port Port Comm - - + + Baud Rate Débit en Bauds - - + + Byte Size Taille en Octets - - + + Parity Parité - - + + Stopbits Stopbits - - + + @@ -13305,8 +13383,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Type Type @@ -13316,8 +13394,8 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Host Hôte @@ -13328,20 +13406,20 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Port Port - + SV Factor Facteur SV - + pid Factor Facteur pid @@ -13363,75 +13441,75 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie - - + + Device Périphérique - + Rack - + Slot - + Path Chemin d'accès - + ID identifiant - + Connect Relier - + Reconnect Reconnecter - - + + Request Demander - + Message ID ID du message - + Machine ID ID de la machine - + Data Données - + Message Un message - + Data Request Demande de données - - + + Node Nœud @@ -13493,17 +13571,6 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie g g - - - - - - - - - Weight - Poids - @@ -13511,25 +13578,6 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Volume Volume - - - - - - - - Green - Vert - - - - - - - - Roasted - Torréfié - @@ -13580,31 +13628,16 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Date - + Batch Lot - - - - - - Beans - Grains - % % - - - - - Density - Densité - Screen @@ -13620,13 +13653,6 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Ground Moulu - - - - - Moisture - Humidité - @@ -13639,22 +13665,6 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Ambient Conditions Conditions Ambientes - - - - - - Roasting Notes - Notes de Torréfaction - - - - - - - Cupping Notes - Notes de Dégustation - Ambient Source @@ -13676,140 +13686,140 @@ Artisan démarrera le programme à chaque période d'échantillonnage. La sortie Blend - + Template Modèle - + Results in Résulte en - + Rating Notation - + Pressure % Pression % - + Electric Energy Mix: Mix énergétique électrique: - + Renewable Renouvelable - - + + Pre-Heating Préchauffage - - + + Between Batches Entre les lots - - + + Cooling Refroidissement - + Between Batches after Pre-Heating Entre les lots après le préchauffage - + (mm:ss) (mm: ss) - + Duration Durée - + Measured Energy or Output % Énergie mesurée ou% de sortie - - + + Preheat Préchauffer - - + + BBP - - - - + + + + Roast Torréfaction - - + + per kg green coffee par kg de café vert - + Load Charger - + Organization Organisation - + Operator Opérateur - + Machine Machine - + Model Modèle - + Heating Chauffage - + Drum Speed Vitesse tambour - + organic material matière organique @@ -14132,12 +14142,6 @@ Tous les LCDs Roaster Torréfacteur - - - - Cupping Score - Score de ventouses - Max characters per line @@ -14217,7 +14221,7 @@ Tous les LCDs Couleur des bords (RVBA) - + roasted torréfié @@ -14364,22 +14368,22 @@ Tous les LCDs - + ln() ln() - - + + x x - - + + Bkgnd Fond @@ -14528,99 +14532,99 @@ Tous les LCDs Charger les grains - + /m /m - + greens vert - - - + + + STOP COMMENCER - - + + OPEN OUVRIR - - - + + + CLOSE FERMER - - + + AUTO - - - + + + MANUAL MANUEL - + STIRRER AGITATEUR - + FILL REMPLIR - + RELEASE LIBÉRER - + HEATING CHAUFFAGE - + COOLING REFROIDISSEMENT - + RMSE BT - + MSE BT MSE TG - + RoR VdM - + @FCs @d1C - + Max+/Max- RoR Max + / Max- RoR @@ -14946,11 +14950,6 @@ Tous les LCDs Aspect Ratio Ratio des Dimensions - - - Score - Score - RPM TPM @@ -15392,6 +15391,12 @@ Tous les LCDs Menu + + + + Schedule + Plan + @@ -15848,12 +15853,6 @@ Tous les LCDs Sliders Curseurs - - - - Schedule - Plan - Full Screen @@ -16010,6 +16009,53 @@ Tous les LCDs Message + + + Scheduler started + Planificateur démarré + + + + Scheduler stopped + Planificateur arrêté + + + + + + + Warning + Avertissement + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Les rôtisseries terminées n'ajusteront pas le calendrier tant que la fenêtre de programmation est fermée + + + + + 1 batch + 1 lot + + + + + + + {} batches + {} lots + + + + Updating completed roast properties failed + La mise à jour des propriétés de torréfaction a échoué + + + + Fetching completed roast properties failed + La récupération des propriétés du rôti a échoué + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16570,20 +16616,20 @@ Répétez l'opération à la fin: {0} - + Bluetootooth access denied Accès Bluetooth refusé - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Paramètres du port série: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16617,50 +16663,50 @@ Répétez l'opération à la fin: {0} Lecture profiles arrière plan... - + Event table copied to clipboard Table d'événements copiée dans le presse-papiers - + The 0% value must be less than the 100% value. La valeur 0% doit être inférieure à la valeur 100%. - - + + Alarms from events #{0} created Alarmes des événements n ° {0} créées - - + + No events found Aucun événements trouvés - + Event #{0} added Événement n ° {0} ajouté - + No profile found Aucun profile adéquat trouvé - + Events #{0} deleted Événements n ° {0} supprimés - + Event #{0} deleted Événement n ° {0} supprimé - + Roast properties updated but profile not saved to disk Propriétés de torréfaction mises à jour mais profile non sauvé sur le disque @@ -16675,7 +16721,7 @@ Répétez l'opération à la fin: {0} MODBUS déconnecté - + Connected via MODBUS Connecté via MODBUS @@ -16842,27 +16888,19 @@ Répétez l'opération à la fin: {0} Sampling Échantillonnage - - - - - - Warning - Avertissement - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Un intervalle d'échantillonnage serré peut entraîner une instabilité sur certaines machines. Nous suggérons un minimum de 1s. - + Incompatible variables found in %s Variables incompatibles trouvées dans %s - + Assignment problem Problème d'affectation @@ -16956,8 +16994,8 @@ Répétez l'opération à la fin: {0} suivre - - + + Save Statistics Enregistrer les statistiques @@ -17119,19 +17157,19 @@ Pour le garder gratuit et à jour, veuillez nous soutenir avec votre don et vous Artisan configuré pour {0} - + Load theme {0}? Charger le thème {0}? - + Adjust Theme Related Settings Ajuster les paramètres liés au thème - + Loaded theme {0} Thème chargé {0} @@ -17142,8 +17180,8 @@ Pour le garder gratuit et à jour, veuillez nous soutenir avec votre don et vous Détecté une paire de couleurs qui peut être difficile à voir: - - + + Simulator started @{}x Le simulateur a démarré @ {} x @@ -17194,14 +17232,14 @@ Pour le garder gratuit et à jour, veuillez nous soutenir avec votre don et vous autoDROP désactivé - + PID set to OFF PID changé sur OFF - + PID set to ON @@ -17421,7 +17459,7 @@ Pour le garder gratuit et à jour, veuillez nous soutenir avec votre don et vous {0} a été enregistré. Un nouveau rôti a commencé - + Invalid artisan format @@ -17486,10 +17524,10 @@ Il est conseillé de sauvegarder au préalable vos paramètres actuels via le me Profile sauvé - - - - + + + + @@ -17581,347 +17619,347 @@ Il est conseillé de sauvegarder au préalable vos paramètres actuels via le me Charger les paramètres annulé - - + + Statistics Saved Statistiques enregistrées - + No statistics found Aucune statistique trouvée - + Excel Production Report exported to {0} Rapport de production Excel exporté vers {0} - + Ranking Report Rapport de classement - + Ranking graphs are only generated up to {0} profiles Les graphiques de classement ne sont générés que jusqu'à {0} profils - + Profile missing DRY event Événement DRY manquant dans le profil - + Profile missing phase events Evénements de phase manquants dans le profil - + CSV Ranking Report exported to {0} Rapport de classement CSV exporté vers {0} - + Excel Ranking Report exported to {0} Rapport de classement Excel exporté vers {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied La balance Bluetooth ne peut pas être connectée alors que l'autorisation pour Artisan d'accéder au Bluetooth est refusée - + Bluetooth access denied Accès Bluetooth refusé - + Hottop control turned off Commande Hottop désactivée - + Hottop control turned on Commande Hottop activée - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Pour contrôler un Hottop, vous devez d'abord activer le mode super utilisateur via un clic droit sur l'écran LCD de la minuterie! - - + + Settings not found Paramètres introuvables - + artisan-settings artisanat - + Save Settings Enregistrer les paramètres - + Settings saved Paramètres sauvegardés - + artisan-theme thème artisanal - + Save Theme Enregistrer le thème - + Theme saved Thème enregistré - + Load Theme Charger le thème - + Theme loaded Thème chargé - + Background profile removed Profil d'arrière-plan supprimé - + Alarm Config Config Alarme - + Alarms are not available for device None Alarmes non disponible pour périphérique Aucun - + Switching the language needs a restart. Restart now? Le changement de langue nécessite un redémarrage. Redémarrer maintenant? - + Restart Redémarrer - + Import K202 CSV Importer K202 CSV - + K202 file loaded successfully fichier K202 importé correctement - + Import K204 CSV Importer K204 CSV - + K204 file loaded successfully fichier K204 chargé correctement - + Import Probat Recipe Importer une recette Probat - + Probat Pilot data imported successfully Importation réussie des données Probat Pilot - + Import Probat Pilot failed Échec de l'importation du pilote Probat - - + + {0} imported {0} importé - + an error occurred on importing {0} une erreur s'est produite lors de l'importation de {0} - + Import Cropster XLS Importer Cropster XLS - + Import RoastLog URL Importer l'URL RoastLog - + Import RoastPATH URL Importer l'URL RoastPATH - + Import Giesen CSV Importer Giesen CSV - + Import Petroncini CSV Importer le CSV Petroncini - + Import IKAWA URL Importer l'URL IKAWA - + Import IKAWA CSV Importer IKAWA CSV - + Import Loring CSV Importer Loring CSV - + Import Rubasse CSV Importer Rubasse CSV - + Import HH506RA CSV Importer HH506RA CSV - + HH506RA file loaded successfully fichier HH506RA chargé correctement - + Save Graph as Enregistrer le graphique sous - + {0} size({1},{2}) saved {0} taille ({1}, {2}) enregistrée - + Save Graph as PDF Sauver Graph en PDF - + Save Graph as SVG Sauver Graphique en SVG - + {0} saved {0} enregistré - + Wheel {0} loaded Roue {0} chargée - + Invalid Wheel graph format Format graph roue invalide - + Buttons copied to Palette # Boutons copiés dans la Palette # - + Palette #%i restored Palette #%i restaurée - + Palette #%i empty Palette #%i vide - + Save Palettes Enregistrer palettes - + Palettes saved Palettes enregistrée - + Palettes loaded Palettes chargées - + Invalid palettes file format Format fichier palette invalide - + Alarms loaded Alarmes chargées - + Fitting curves... Ajustement des courbes ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Attention: le début de l'intervalle d'analyse d'intérêt est antérieur au début de l'ajustement de la courbe. Corrigez cela dans l'onglet Config> Courbes> Analyser. - + Analysis earlier than Curve fit Analyse antérieure à l'ajustement de courbe - + Simulator stopped Le simulateur s'est arrêté - + debug logging ON journal de débogage activé @@ -18575,45 +18613,6 @@ Profile manquant [CHARGE] ou [VIDAGE] Background profile not found Profile arrière plan non trouvé - - - Scheduler started - Planificateur démarré - - - - Scheduler stopped - Planificateur arrêté - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Les rôtisseries terminées n'ajusteront pas le calendrier tant que la fenêtre de programmation est fermée - - - - - 1 batch - 1 lot - - - - - - - {} batches - {} lots - - - - Updating completed roast properties failed - La mise à jour des propriétés de torréfaction a échoué - - - - Fetching completed roast properties failed - La récupération des propriétés du rôti a échoué - Event # {0} recorded at BT = {1} Time = {2} Evenement # {0} enregistré à TG = {1} Temps = {2} @@ -18983,51 +18982,6 @@ Continuez? Plus - - - debug logging ON - journal de débogage activé - - - - debug logging OFF - débogage déconnexion OFF - - - - 1 day left - 1 jour restant - - - - {} days left - {} jours restants - - - - Paid until - Payé jusqu'au - - - - Please visit our {0}shop{1} to extend your subscription - Veuillez visiter notre {0}boutique{1} pour prolonger votre abonnement - - - - Do you want to extend your subscription? - Vous souhaitez prolonger votre abonnement ? - - - - Your subscription ends on - Votre abonnement se termine le - - - - Your subscription ended on - Votre abonnement a pris fin le - Roast successfully upload to {} @@ -19217,6 +19171,51 @@ Continuez? Remember Mémoriser + + + debug logging ON + journal de débogage activé + + + + debug logging OFF + débogage déconnexion OFF + + + + 1 day left + 1 jour restant + + + + {} days left + {} jours restants + + + + Paid until + Payé jusqu'au + + + + Please visit our {0}shop{1} to extend your subscription + Veuillez visiter notre {0}boutique{1} pour prolonger votre abonnement + + + + Do you want to extend your subscription? + Vous souhaitez prolonger votre abonnement ? + + + + Your subscription ends on + Votre abonnement se termine le + + + + Your subscription ended on + Votre abonnement a pris fin le + ({} of {} done) ({} sur {} terminés) @@ -19419,10 +19418,10 @@ Continuez? - - - - + + + + Roaster Scope Analyseur de torréfaction @@ -19805,6 +19804,16 @@ Continuez? Tab + + + To-Do + À Faire + + + + Completed + Complété + @@ -19837,7 +19846,7 @@ Continuez? Définir le RS - + Extra @@ -19886,32 +19895,32 @@ Continuez? - + ET/BT TE/TG - + Modbus Modbus - + S7 S7 - + Scale Balance - + Color Couleur - + WebSocket @@ -19948,17 +19957,17 @@ Continuez? Installer - + Details Des détails - + Loads Charges - + Protocol Protocole @@ -20043,16 +20052,6 @@ Continuez? LCDs LCDs - - - To-Do - À Faire - - - - Completed - Complété - Done Complété @@ -20183,7 +20182,7 @@ Continuez? - + @@ -20203,7 +20202,7 @@ Continuez? - + @@ -20213,7 +20212,7 @@ Continuez? - + @@ -20237,37 +20236,37 @@ Continuez? - + Device Périphérique - + Comm Port Port série - + Baud Rate Débit en Bauds - + Byte Size Taille en Octets - + Parity Parité - + Stopbits Bit d'arrêt - + Timeout Timeout @@ -20275,16 +20274,16 @@ Continuez? - - + + Time Temps - - + + @@ -20293,8 +20292,8 @@ Continuez? - - + + @@ -20303,104 +20302,104 @@ Continuez? - + CHARGE CHARGE - + DRY END FIN SECHAGE - + FC START DEBUT 1erC - + FC END FIN 1erC - + SC START DEBUT 2emeC - + SC END FIN 2emeC - + DROP VIDAGE - + COOL REFROIDISSEMENT - + #{0} {1}{2} #{0} {1}{2} - + Power Chauffe - + Duration Durée - + CO2 - + Load Charge - + Source Source - + Kind Gentil - + Name Nom - + Weight Poids @@ -21406,7 +21405,7 @@ initié par le PID - + @@ -21427,7 +21426,7 @@ initié par le PID - + Show help Monter l'aide @@ -21581,20 +21580,24 @@ doit être réduit de 4 fois. Exécutez l'action d'échantillonnage de manière synchrone ({}) à chaque intervalle d'échantillonnage ou sélectionnez un intervalle de temps de répétition pour l'exécuter de manière asynchrone pendant l'échantillonnage. - + OFF Action String Chaîne d'action OFF - + ON Action String Chaîne d'action ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Délai supplémentaire après la connexion en secondes avant l'envoi des requêtes (nécessaire aux appareils Arduino redémarrant lors de la connexion) + + + Extra delay in Milliseconds between MODBUS Serial commands Délai supplémentaire en millisecondes entre les commandes série MODBUS @@ -21610,12 +21613,7 @@ doit être réduit de 4 fois. Scan MODBUS - - Reset socket connection on error - Réinitialiser la connexion socket en cas d'erreur - - - + Scan S7 @@ -21631,7 +21629,7 @@ doit être réduit de 4 fois. Pour les arrières-plans chargés uniquement avec des périphériques extra - + The maximum nominal batch size of the machine in kg La taille nominale maximale du lot de la machine en kg @@ -22065,32 +22063,32 @@ Currently in TEMP MODE Actuellement en MODE TEMP - + <b>Label</b>= <b>Label</b>= - + <b>Description </b>= <b>Description </b>= - + <b>Type </b>= <b>Type </b>= - + <b>Value </b>= <b>Valeur </b>= - + <b>Documentation </b>= <b>Documentation </b>= - + <b>Button# </b>= <b>Bouton# </b>= @@ -22174,6 +22172,10 @@ Actuellement en MODE TEMP Sets button colors to grey scale and LCD colors to black and white Définit les couleurs des boutons sur l'échelle de gris et les couleurs de l'écran LCD sur le noir et blanc. + + Reset socket connection on error + Réinitialiser la connexion socket en cas d'erreur + Action String Chaîne d'Action diff --git a/src/translations/artisan_gd.qm b/src/translations/artisan_gd.qm index 13572803d..4e1f8f5c5 100644 Binary files a/src/translations/artisan_gd.qm and b/src/translations/artisan_gd.qm differ diff --git a/src/translations/artisan_gd.ts b/src/translations/artisan_gd.ts index 08b5a4a46..7943cff69 100644 --- a/src/translations/artisan_gd.ts +++ b/src/translations/artisan_gd.ts @@ -9,57 +9,57 @@ Urrasair saoraidh - + About Mu dheidhinn - + Core Developers Prìomh luchd-leasachaidh - + License Cead - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Bha duilgheadas ann am fiosrachadh dreach as ùire fhaighinn air ais. Thoir sùil air a ’cheangal eadar-lìn agad, feuch ris a-rithist nas fhaide air adhart, no thoir sùil air le làimh. - + A new release is available. Tha brath ùr ri fhaighinn. - + Show Change list Seall liosta Atharrachadh - + Download Release Luchdaich sìos brath - + You are using the latest release. Tha thu a ’cleachdadh an sgaoileadh as ùire. - + You are using a beta continuous build. Tha thu a ’cleachdadh togail beta leantainneach. - + You will see a notice here once a new official release is available. Chì thu fios an seo aon uair ‘s gu bheil brath oifigeil ùr ri fhaighinn. - + Update status Inbhe ùrachaidh @@ -211,14 +211,34 @@ Button + + + + + + + + + OK + Ceart gu leòr + + + + + + + + Cancel + Sguir dheth + - - - - + + + + Restore Defaults @@ -246,7 +266,7 @@ - + @@ -274,7 +294,7 @@ - + @@ -332,17 +352,6 @@ Save Sàbhail - - - - - - - - - OK - Ceart gu leòr - On @@ -555,15 +564,6 @@ Write PIDs Sgrìobh PIDs - - - - - - - Cancel - Sguir dheth - Set ET PID to MM:SS time units @@ -582,8 +582,8 @@ - - + + @@ -603,7 +603,7 @@ - + @@ -643,7 +643,7 @@ Tòisich - + Scan Sgan @@ -728,9 +728,9 @@ ùrachadh - - - + + + Save Defaults Sàbhail easbhaidhean @@ -1379,12 +1379,12 @@ CRÌOCH Flùr - + START on CHARGE TÒRRADH AIR A ’CHARGE - + OFF on DROP OFF air DROP @@ -1456,61 +1456,61 @@ CRÌOCH Seall an-còmhnaidh - + Heavy FC FC trom - + Low FC FC Ìosal - + Light Cut Gearradh aotrom - + Dark Cut Gearradh dorcha - + Drops A' tuiteam - + Oily Olach - + Uneven Neo-chòmhnard - + Tipping A ’sgioblachadh - + Scorching A ’sgrìobadh - + Divots Sgoltagan @@ -2278,14 +2278,14 @@ CRÌOCH - + ET - + BT @@ -2308,24 +2308,19 @@ CRÌOCH faclan - + optimize optimachadh - + fetch full blocks faigh blocaichean slàn - - reset - ath-shuidhich - - - + compression dlùthadh @@ -2511,6 +2506,10 @@ CRÌOCH Elec + + reset + ath-shuidhich + Title Tiotal @@ -2582,6 +2581,16 @@ CRÌOCH Contextual Menu + + + All batches prepared + A h-uile pasgan ullaichte + + + + No batch prepared + Chan eil baidse air ullachadh + Add point @@ -2627,16 +2636,6 @@ CRÌOCH Edit Deasaich - - - All batches prepared - A h-uile pasgan ullaichte - - - - No batch prepared - Chan eil baidse air ullachadh - Countries @@ -3971,20 +3970,20 @@ CRÌOCH Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4077,42 +4076,42 @@ CRÌOCH - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4181,10 +4180,10 @@ CRÌOCH - - - - + + + + @@ -4382,12 +4381,12 @@ CRÌOCH - - - - - - + + + + + + @@ -4396,17 +4395,17 @@ CRÌOCH Mearachd luach: - + Serial Exception: invalid comm port Eisimpleir sreathach: port comm mì-dhligheach - + Serial Exception: timeout Eisimpleir sreathach: ùine-ama - + Unable to move CHARGE to a value that does not exist Cha ghabh CHARGE a ghluasad gu luach nach eil ann @@ -4416,30 +4415,30 @@ CRÌOCH Conaltradh Modbus air ath-thòiseachadh - + Modbus Error: failed to connect Mearachd Modbus: dh'fhàillig ceangal - - - - - - - - - + + + + + + + + + Modbus Error: Mearachd Modbus: - - - - - - + + + + + + Modbus Communication Error Mearachd conaltraidh Modbus @@ -4523,52 +4522,52 @@ CRÌOCH Eisimpleir: {} chan e faidhle roghainnean dligheach a th' ann - - - - - + + + + + Error Mearachd - + Exception: WebLCDs not supported by this build Eisgeachd: WebLCDs nach eil a ’faighinn taic bhon togail seo - + Could not start WebLCDs. Selected port might be busy. Cha b' urrainn dhuinn WebLCDs a thòiseachadh. Is dòcha gu bheil am port taghte trang. - + Failed to save settings Dh'fhàillig na roghainnean a shàbhaladh - - + + Exception (probably due to an empty profile): Eisimpleir (is dòcha mar thoradh air pròifil falamh): - + Analyze: CHARGE event required, none found Mion-sgrùdadh: Tachartas CHARGE a dhìth, cha deach gin a lorg - + Analyze: DROP event required, none found Mion-sgrùdadh: Tha feum air tachartas DROP, cha deach gin a lorg - + Analyze: no background profile data available Mion-sgrùdadh: chan eil dàta cùl-fhiosrachaidh ri fhaighinn - + Analyze: background profile requires CHARGE and DROP events Dèan mion-sgrùdadh: feumaidh ìomhaigh cùl-fhiosrachaidh tachartasan CHARGE agus DROP @@ -4608,6 +4607,12 @@ CRÌOCH Form Caption + + + + Custom Blend + Measgachadh gnàthaichte + Axes @@ -4742,12 +4747,12 @@ CRÌOCH Rèiteachadh puirt - + MODBUS Help Taic MODBUS - + S7 Help Taic S7 @@ -4767,23 +4772,17 @@ CRÌOCH Togalaichean ròsta - - - Custom Blend - Measgachadh gnàthaichte - - - + Energy Help Taic Cumhachd - + Tare Setup Suidhich Tare - + Set Measure from Profile Suidhich tomhas bho phròifil @@ -4993,27 +4992,27 @@ CRÌOCH Riaghladh - + Registers Clàran - - + + Commands Òrdughan - + PID - + Serial Sreathach @@ -5024,37 +5023,37 @@ CRÌOCH - + Input Cuir a-steach - + Machine Inneal - + Timeout A 'gabhail fois - + Nodes Nòtaichean - + Messages Brathan - + Flags Brataichean - + Events Tachartasan @@ -5066,14 +5065,14 @@ CRÌOCH - + Energy Cumhachd - + CO2 @@ -5309,14 +5308,14 @@ CRÌOCH HTML Report Template - + BBP Total Time Ùine iomlan BBP - + BBP Bottom Temp Teòthachd as ìsle BBP @@ -5333,849 +5332,849 @@ CRÌOCH - + Whole Color Dath slàn - - + + Profile Pròifil - + Roast Batches Baidsean ròsta - - - + + + Batch Baisc - - + + Date Ceann-latha - - - + + + Beans - - - + + + In Anns - - + + Out A-mach - - - + + + Loss Cailleadh - - + + SUM - + Production Report Aithisg riochdachaidh - - + + Time Ùine - - + + Weight In Cuideam a-steach - - + + CHARGE BT CRUINNEACHADH BT - - + + FCs Time Uair FCs - - + + FCs BT - - + + DROP Time Ùine DROP - - + + DROP BT - + Dry Percent Tioram sa cheud - + MAI Percent MAI sa cheud - + Dev Percent Dev sa cheud - - + + AUC - - + + Weight Loss Caill cuideam - - + + Color Dath - + Cupping - + Roaster - + Capacity Comas - + Operator Neach-obrachaidh - + Organization Eagrachadh - + Drum Speed Astar an druma - + Ground Color Dath na talmhainn - + Color System Siostam dath - + Screen Min Sgrion Min - + Screen Max Sgrion Max - + Bean Temp - + CHARGE ET CRUINNEACHADH ET - + TP Time Uair TP - + TP ET - + TP BT - + DRY Time Àm TIRIM - + DRY ET TIR ET - + DRY BT BT tioram - + FCs ET - + FCe Time Uair Fce - + FCe ET Fce ET - + FCe BT Fce BT - + SCs Time Uair SCs - + SCs ET - + SCs BT - + SCe Time Uair SCe - + SCe ET SCE ET - + SCe BT Sge BT - + DROP ET - + COOL Time Uair COOL - + COOL ET - + COOL BT - + Total Time Ùine Iomlan - + Dry Phase Time Ùine ìre tioram - + Mid Phase Time Am Meadhan Ìre - + Finish Phase Time Crìochnaich Ìre Ùine - + Dry Phase RoR RoR ìre tioram - + Mid Phase RoR Meadhan Ìre RoR - + Finish Phase RoR Crìochnaich Ìre RoR - + Dry Phase Delta BT Ìre Tioram Delta BT - + Mid Phase Delta BT Meadhan-ìre Delta BT - + Finish Phase Delta BT Crìochnaich ìre Delta BT - + Finish Phase Rise Crìochnaich ìre àrdachadh - + Total RoR Iomlan RoR - + FCs RoR - + MET - + AUC Begin Tòisichidh AUC - + AUC Base Bunait AUC - + Dry Phase AUC Ìre Tioram AUC - + Mid Phase AUC AUC Meadhan-ìre - + Finish Phase AUC Crìochnaich ìre AUC - + Weight Out Cuideam a-mach - + Volume In Meud a-steach - + Volume Out Tomhas a-mach - + Volume Gain Meudachadh Meud - + Green Density Dùmhlachd Uaine - + Roasted Density Dùmhlachd ròsta - + Moisture Greens Glasan taise - + Moisture Roasted Ròsta taise - + Moisture Loss Cailleadh Taiseachd - + Organic Loss Call organach - + Ambient Humidity Taiseachd àrainneachdail - + Ambient Pressure Brùthadh àrainneachdail - + Ambient Temperature Ambient Teòthachd - - + + Roasting Notes Notaichean ròstadh - - + + Cupping Notes Notaichean cupping - + Heavy FC FC trom - + Low FC FC Ìosal - + Light Cut Gearradh aotrom - + Dark Cut Gearradh dorcha - + Drops A' tuiteam - + Oily Olach - + Uneven Neo-chòmhnard - + Tipping A ’sgioblachadh - + Scorching A ’sgrìobadh - + Divots Sgoltagan - + Mode Modh - + BTU Batch Baidse BTU - + BTU Batch per green kg Baidse BTU gach kg uaine - + CO2 Batch CO2 Baidse - + BTU Preheat - + CO2 Preheat - + BTU BBP - + CO2 BBP - + BTU Cooling Fuarachadh BTU - + CO2 Cooling CO2 Fuarachadh - + BTU Roast Ròsta BTU - + BTU Roast per green kg BTU Ròsta gach kg uaine - + CO2 Roast CO2 Ròc - + CO2 Batch per green kg CO2 Baidse gach kg uaine - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Baidse Èifeachdas - + Efficiency Roast Roast Èifeachdas - + BBP Begin Tòisichidh BBP - + BBP Begin to Bottom Time Ùine tòiseachaidh BBP - + BBP Bottom to CHARGE Time BBP Bun gu Àm CHARGE - + BBP Begin to Bottom RoR BBP Tòisich gu Bun RoR - + BBP Bottom to CHARGE RoR BBP Bun gu CHARGE RoR - + File Name Ainm faidhle - + Roast Ranking Rangachadh ròsta - + Ranking Report Aithisg Rangachaidh - + AVG - + Roasting Report Aithisg Ròstadh - + Date: Ceann-latha: - + Beans: - + Weight: Cuideam: - + Volume: Meud: - + Roaster: - + Operator: Gnìomhaiche: - + Organization: Buidheann: - + Cupping: Cupan: - + Color: Dath: - + Energy: Lùth: - + CO2: - + CHARGE: TALAMH: - + Size: Meud: - + Density: Dùmhlachd: - + Moisture: Taiseachd: - + Ambient: Àrainneachdail: - + TP: - + DRY: TIRIM: - + FCs: - + FCe: Fce: - + SCs: - + SCe: - + DROP: Drop: - + COOL: TARRAINGEACH: - + MET: - + CM: - + Drying: A 'tiormachadh: - + Maillard: - + Finishing: A' crìochnachadh: - + Cooling: Fuarachadh: - + Background: Cùl-fhiosrachadh: - + Alarms: - + RoR: - + AUC: - + Events Tachartasan @@ -11355,6 +11354,92 @@ CTRL+SHIFT+F [Buann] Label + + + + + + + + + Weight + Cuideam + + + + + + + Beans + + + + + + + Density + Dùmhlachd + + + + + + Color + Dath + + + + + + Moisture + Taiseachd + + + + + + + Roasting Notes + Notaichean ròstadh + + + + Score + Sgòr + + + + + Cupping Score + Sgòr Cupping + + + + + + + Cupping Notes + Notaichean cupping + + + + + + + + Roasted + Ròsta + + + + + + + + + Green + Uaine + @@ -11459,7 +11544,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11478,7 +11563,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11494,7 +11579,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11513,7 +11598,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11540,7 +11625,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11572,7 +11657,7 @@ CTRL+SHIFT+F [Buann] - + DRY TIRIM @@ -11589,7 +11674,7 @@ CTRL+SHIFT+F [Buann] - + FCs FCan @@ -11597,7 +11682,7 @@ CTRL+SHIFT+F [Buann] - + FCe Fce @@ -11605,7 +11690,7 @@ CTRL+SHIFT+F [Buann] - + SCs @@ -11613,7 +11698,7 @@ CTRL+SHIFT+F [Buann] - + SCe @@ -11626,7 +11711,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11641,10 +11726,10 @@ CTRL+SHIFT+F [Buann] / min - - - - + + + + @@ -11652,8 +11737,8 @@ CTRL+SHIFT+F [Buann] AIR - - + + @@ -11667,8 +11752,8 @@ CTRL+SHIFT+F [Buann] Rothaireachd - - + + Input Cuir a-steach @@ -11702,7 +11787,7 @@ CTRL+SHIFT+F [Buann] - + @@ -11719,8 +11804,8 @@ CTRL+SHIFT+F [Buann] - - + + Mode @@ -11782,7 +11867,7 @@ CTRL+SHIFT+F [Buann] - + Label @@ -11907,21 +11992,21 @@ CTRL+SHIFT+F [Buann] SV air a char as àirde - + P P. - + I I. - + D @@ -11983,13 +12068,6 @@ CTRL+SHIFT+F [Buann] Markers Comharran - - - - - Color - Dath - Text Color @@ -12020,9 +12098,9 @@ CTRL+SHIFT+F [Buann] Meud - - + + @@ -12060,8 +12138,8 @@ CTRL+SHIFT+F [Buann] - - + + Event @@ -12074,7 +12152,7 @@ CTRL+SHIFT+F [Buann] Gnìomh - + Command Òrdugh @@ -12086,7 +12164,7 @@ CTRL+SHIFT+F [Buann] - + Factor @@ -12103,14 +12181,14 @@ CTRL+SHIFT+F [Buann] - + Unit Aonad - + Source Stòr @@ -12121,10 +12199,10 @@ CTRL+SHIFT+F [Buann] Braisle - - - + + + OFF @@ -12175,15 +12253,15 @@ CTRL+SHIFT+F [Buann] Clàr - - + + Area Sgìre - - + + DB# DB # @@ -12191,54 +12269,54 @@ CTRL+SHIFT+F [Buann] - + Start Tòisich - - + + Comm Port Port Port - - + + Baud Rate Ìre Baud - - + + Byte Size Meud Byte - - + + Parity Co-ionnanachd - - + + Stopbits Sgoltagan stad - - + + @@ -12275,8 +12353,8 @@ CTRL+SHIFT+F [Buann] - - + + Type Seòrsa @@ -12286,8 +12364,8 @@ CTRL+SHIFT+F [Buann] - - + + Host òstair @@ -12298,20 +12376,20 @@ CTRL+SHIFT+F [Buann] - - + + Port - + SV Factor Factor SV - + pid Factor @@ -12333,75 +12411,75 @@ CTRL+SHIFT+F [Buann] Teann - - + + Device Inneal - + Rack Raca - + Slot Sliotan - + Path Slighe - + ID - + Connect Ceangail - + Reconnect Ath-cheangal - - + + Request Iarrtas - + Message ID ID teachdaireachd - + Machine ID ID inneal - + Data Dàta - + Message Teachdaireachd - + Data Request Iarrtas dàta - - + + Node Nòd @@ -12463,17 +12541,6 @@ CTRL+SHIFT+F [Buann] g - - - - - - - - - Weight - Cuideam - @@ -12481,25 +12548,6 @@ CTRL+SHIFT+F [Buann] Volume Toirt - - - - - - - - Green - Uaine - - - - - - - - Roasted - Ròsta - @@ -12550,31 +12598,16 @@ CTRL+SHIFT+F [Buann] Ceann-latha - + Batch Baisc - - - - - - Beans - - % - - - - - Density - Dùmhlachd - Screen @@ -12590,13 +12623,6 @@ CTRL+SHIFT+F [Buann] Ground Grunnd - - - - - Moisture - Taiseachd - @@ -12609,22 +12635,6 @@ CTRL+SHIFT+F [Buann] Ambient Conditions Suidheachadh àrainneachd - - - - - - Roasting Notes - Notaichean ròstadh - - - - - - - Cupping Notes - Notaichean cupping - Ambient Source @@ -12646,140 +12656,140 @@ CTRL+SHIFT+F [Buann] Measgachadh - + Template Teamplaid - + Results in Toraidhean a-steach - + Rating Rangachadh - + Pressure % Brùthadh% - + Electric Energy Mix: Measgachadh Cumhachd Dealain: - + Renewable Ath-nuadhachail - - + + Pre-Heating Ro-teasachadh - - + + Between Batches Eadar batches - - + + Cooling Fuarachadh - + Between Batches after Pre-Heating Eadar batches às deidh teasachadh ro-làimh - + (mm:ss) (mm: ss) - + Duration Faid - + Measured Energy or Output % Cumhachd no Toradh Tomhais% - - + + Preheat - - + + BBP - - - - + + + + Roast Ròsta - - + + per kg green coffee gach kg cofaidh uaine - + Load Luchdaich - + Organization Eagrachadh - + Operator Neach-obrachaidh - + Machine Inneal - + Model Modail - + Heating Teasachadh - + Drum Speed Astar an druma - + organic material stuth organach @@ -13103,12 +13113,6 @@ LCDs Uile Roaster - - - - Cupping Score - Sgòr Cupping - Max characters per line @@ -13188,7 +13192,7 @@ LCDs Uile Dath iomall (RGBA) - + roasted ròsta @@ -13335,22 +13339,22 @@ LCDs Uile - + ln() ln () - - + + x - - + + Bkgnd @@ -13499,99 +13503,99 @@ LCDs Uile Cuir cìs air na pònairean - + /m / m - + greens uaine - - - + + + STOP - - + + OPEN FOSGLADH - - - + + + CLOSE CLÀR - - + + AUTO - - - + + + MANUAL LAOIDH - + STIRRER STÒRAIR - + FILL LAOIDH - + RELEASE LAOIDH - + HEATING HEATING - + COOLING COOLADH - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -13917,11 +13921,6 @@ LCDs Uile Aspect Ratio Co-mheas Taobh - - - Score - Sgòr - Coarse Garbh @@ -14110,6 +14109,12 @@ LCDs Uile Menu + + + + Schedule + Plana + @@ -14566,12 +14571,6 @@ LCDs Uile Sliders Sleamhnagan - - - - Schedule - Plana - Full Screen @@ -14680,6 +14679,53 @@ LCDs Uile Message + + + Scheduler started + Thòisich an clàr-ama + + + + Scheduler stopped + Sguir an clàr-ama + + + + + + + Warning + Rabhadh + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Cha atharraich ròstagan crìochnaichte an clàr fhad ‘s a bhios uinneag a’ chlàr dùinte + + + + + 1 batch + 1 baidse + + + + + + + {} batches + + + + + Updating completed roast properties failed + Dh'fhàillig ùrachadh nan togalaichean ròsta crìochnaichte + + + + Fetching completed roast properties failed + Dh'fhàillig le bhith a' faighinn thogalaichean ròsta crìochnaichte + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15240,20 +15286,20 @@ Dèan a-rithist an gnìomh aig an deireadh: {0} - + Bluetootooth access denied Chaidh ruigsinneachd Bluetooth a dhiùltadh - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Roghainnean port sreathach: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15287,50 +15333,50 @@ Dèan a-rithist an gnìomh aig an deireadh: {0} A’ leughadh pròifil cùl-fhiosrachaidh... - + Event table copied to clipboard Clàr tachartais air a chopaigeadh chun chlàr-chlàir - + The 0% value must be less than the 100% value. Feumaidh an luach 0% a bhith nas lugha na an luach 100%. - - + + Alarms from events #{0} created Alarms o thachartasan #{0} air an cruthachadh - - + + No events found Cha deach tachartasan a lorg - + Event #{0} added Tachartas #{0} air a chur ris - + No profile found Cha deach ìomhaigh a lorg - + Events #{0} deleted Tachartasan #{0} air an sguabadh às - + Event #{0} deleted Tachartas #{0} air a sguabadh às - + Roast properties updated but profile not saved to disk Feartan ròsta air an ùrachadh ach cha deach a’ phròifil a shàbhaladh air diosc @@ -15345,7 +15391,7 @@ Dèan a-rithist an gnìomh aig an deireadh: {0} MODBUS air a dhì-cheangal - + Connected via MODBUS Ceangailte tro MODBUS @@ -15512,27 +15558,19 @@ Dèan a-rithist an gnìomh aig an deireadh: {0} Sampling Samplachadh - - - - - - Warning - Rabhadh - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Dh’ fhaodadh eadar-ama samplachaidh teann leantainn gu neo-sheasmhachd air cuid de dh’ innealan. Tha sinn a’ moladh co-dhiù 1s. - + Incompatible variables found in %s Caochladairean neo-fhreagarrach air an lorg ann an %s - + Assignment problem Duilgheadas sònrachadh @@ -15626,8 +15664,8 @@ Dèan a-rithist an gnìomh aig an deireadh: {0} lean air falbh - - + + Save Statistics Sàbhail Staitistig @@ -15789,19 +15827,19 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Artisan air a rèiteachadh airson {0} - + Load theme {0}? Luchdaich cuspair {0}? - + Adjust Theme Related Settings Atharraich roghainnean co-cheangailte ri cuspair - + Loaded theme {0} Cuspair air a luchdachadh {0} @@ -15812,8 +15850,8 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Lorg sinn paidhir dath a dh’ fhaodadh a bhith duilich fhaicinn: - - + + Simulator started @{}x Thòisich simuladair @{}x @@ -15864,14 +15902,14 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta autoDROP dheth - + PID set to OFF PID air a chuir dheth - + PID set to ON @@ -16091,7 +16129,7 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Chaidh {0} a shàbhaladh. Tha ròstadh ùr air tòiseachadh - + Invalid artisan format @@ -16156,10 +16194,10 @@ Tha e ciallach na roghainnean gnàthach agad a shàbhaladh ro làimh tro Help &g Pròifil air a shàbhaladh - - - - + + + + @@ -16251,347 +16289,347 @@ Tha e ciallach na roghainnean gnàthach agad a shàbhaladh ro làimh tro Help &g Chaidh na roghainnean luchdaidh a chur dheth - - + + Statistics Saved Staitistig air a shàbhaladh - + No statistics found Cha deach staitistig a lorg - + Excel Production Report exported to {0} Aithisg Riochdachaidh Excel air às-mhalairt gu {0} - + Ranking Report Aithisg Rangachaidh - + Ranking graphs are only generated up to {0} profiles Cha tèid grafaichean rangachaidh a chruthachadh ach suas ri {0} pròifil - + Profile missing DRY event Pròifil tachartas DRY a dhìth - + Profile missing phase events Pròifil de thachartasan ìre a tha a dhìth - + CSV Ranking Report exported to {0} Aithisg Rangachaidh CSV air a às-mhalairt gu {0} - + Excel Ranking Report exported to {0} Aithisg Rangachadh Excel air a às-mhalairt gu {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Chan urrainnear sgèile Bluetooth a cheangal fhad ‘s a tha cead dha Artisan faighinn gu Bluetooth air a dhiùltadh - + Bluetooth access denied Chaidh ruigsinneachd Bluetooth a dhiùltadh - + Hottop control turned off Chuir smachd hottop dheth - + Hottop control turned on Tionndaidh smachd hottop air - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Gus smachd a chumail air Hottop feumaidh tu am modh sàr-chleachdaiche a chuir an gnìomh le bhith a’ cliogadh deas air an timer LCD an toiseach! - - + + Settings not found Cha deach na roghainnean a lorg - + artisan-settings suidheachaidhean-ciùird - + Save Settings Sàbhail roghainnean - + Settings saved Roghainnean air an sàbhaladh - + artisan-theme cuspair-ciùird - + Save Theme Sàbhail Cuspair - + Theme saved Cuspair air a shàbhaladh - + Load Theme Luchdaich Theme - + Theme loaded Cuspair air a luchdachadh - + Background profile removed Pròifil cùl-fhiosrachaidh air a thoirt air falbh - + Alarm Config Config rabhaidh - + Alarms are not available for device None Chan eil rabhaidh ri fhaighinn airson inneal Chan eil gin - + Switching the language needs a restart. Restart now? Feumaidh atharrachadh a’ chànain ath-thòiseachadh. Ath-thòiseachadh a-nis? - + Restart Ath-thòisich - + Import K202 CSV Cuir a-steach K202 CSV - + K202 file loaded successfully K202 air a luchdachadh gu soirbheachail - + Import K204 CSV Cuir a-steach K204 CSV - + K204 file loaded successfully K204 air a luchdachadh gu soirbheachail - + Import Probat Recipe Cuir a-steach Recipe Probat - + Probat Pilot data imported successfully Chaidh dàta Probat Pilot a thoirt a-steach gu soirbheachail - + Import Probat Pilot failed Dh'fhàillig ion-phortadh Probat Pilot - - + + {0} imported {0} air a thoirt a-steach - + an error occurred on importing {0} thachair mearachd le toirt a-steach {0} - + Import Cropster XLS Cuir a-steach Cropster XLS - + Import RoastLog URL Cuir a-steach URL RoastLog - + Import RoastPATH URL Cuir a-steach URL RoastPATH - + Import Giesen CSV Cuir a-steach Giesen CSV - + Import Petroncini CSV Cuir a-steach Petroncini CSV - + Import IKAWA URL Cuir a-steach URL IKAWA - + Import IKAWA CSV Cuir a-steach IKAWA CSV - + Import Loring CSV Cuir a-steach Loring CSV - + Import Rubasse CSV Cuir a-steach Rubasse CSV - + Import HH506RA CSV Cuir a-steach HH506RA CSV - + HH506RA file loaded successfully Chaidh faidhle HH506RA a luchdachadh gu soirbheachail - + Save Graph as Sàbhail an graf mar - + {0} size({1},{2}) saved {0} meud ({1},{2}) air a shàbhaladh - + Save Graph as PDF Sàbhail an graf mar pdf - + Save Graph as SVG Sàbhail Graf mar SVG - + {0} saved {0} air a shàbhaladh - + Wheel {0} loaded Cuibhle {0} air a luchdachadh - + Invalid Wheel graph format Cruth graf cuibhle mì-dhligheach - + Buttons copied to Palette # Putanan air an lethbhreacadh gu Palette # - + Palette #%i restored Ath-shuidhich am paileas #%i - + Palette #%i empty Paidhle #%i falamh - + Save Palettes Sàbhail Palettes - + Palettes saved Palettes air an sàbhaladh - + Palettes loaded Palettes air an luchdachadh - + Invalid palettes file format Fòrmat faidhle palettes mì-dhligheach - + Alarms loaded Alarm air a luchdachadh - + Fitting curves... A 'suidheachadh curves ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Rabhadh: Tha toiseach an eadar-ama mion-sgrùdadh ùidh nas tràithe na toiseach suidheachadh lùbte. Ceartaich seo air an tab Config> Curves> Analyze. - + Analysis earlier than Curve fit Mion-sgrùdadh nas tràithe na Curve fit - + Simulator stopped Simulator air stad - + debug logging ON logadh deasbaid AIR @@ -17245,45 +17283,6 @@ Pròifil a dhìth [CHARGE] no [DROP] Background profile not found Cha deach pròifil cùl-fhiosrachaidh a lorg - - - Scheduler started - Thòisich an clàr-ama - - - - Scheduler stopped - Sguir an clàr-ama - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Cha atharraich ròstagan crìochnaichte an clàr fhad ‘s a bhios uinneag a’ chlàr dùinte - - - - - 1 batch - 1 baidse - - - - - - - {} batches - - - - - Updating completed roast properties failed - Dh'fhàillig ùrachadh nan togalaichean ròsta crìochnaichte - - - - Fetching completed roast properties failed - Dh'fhàillig le bhith a' faighinn thogalaichean ròsta crìochnaichte - Event # {0} recorded at BT = {1} Time = {2} Tachartas # {0} air a chlàradh aig BT = {1} Ùine = {2} @@ -17351,51 +17350,6 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Plus - - - debug logging ON - logadh deasbaid AIR - - - - debug logging OFF - debug logadh OFF - - - - 1 day left - 1 latha air fhàgail - - - - {} days left - {} latha air fhàgail - - - - Paid until - Pàigheadh gus - - - - Please visit our {0}shop{1} to extend your subscription - Feuch an tadhal thu air a ’bhùth {0} againn {1} gus an fho-sgrìobhadh agad a leudachadh - - - - Do you want to extend your subscription? - A bheil thu airson an fho-sgrìobhadh agad a leudachadh? - - - - Your subscription ends on - Thig an fho-sgrìobhadh agad gu crìch - - - - Your subscription ended on - Thàinig an fho-sgrìobhadh agad gu crìch air adhart - Roast successfully upload to {} @@ -17585,6 +17539,51 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Remember Cuimhnich + + + debug logging ON + logadh deasbaid AIR + + + + debug logging OFF + debug logadh OFF + + + + 1 day left + 1 latha air fhàgail + + + + {} days left + {} latha air fhàgail + + + + Paid until + Pàigheadh gus + + + + Please visit our {0}shop{1} to extend your subscription + Feuch an tadhal thu air a ’bhùth {0} againn {1} gus an fho-sgrìobhadh agad a leudachadh + + + + Do you want to extend your subscription? + A bheil thu airson an fho-sgrìobhadh agad a leudachadh? + + + + Your subscription ends on + Thig an fho-sgrìobhadh agad gu crìch + + + + Your subscription ended on + Thàinig an fho-sgrìobhadh agad gu crìch air adhart + ({} of {} done) ({} à {} dèanta) @@ -17693,10 +17692,10 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - - - - + + + + Roaster Scope @@ -18068,6 +18067,16 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Tab + + + To-Do + Ri dhèanamh + + + + Completed + Air a chrìochnachadh + @@ -18100,7 +18109,7 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Suidhich RS - + Extra @@ -18149,32 +18158,32 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - + ET/BT ET / BT - + Modbus - + S7 - + Scale Sgèile - + Color Dath - + WebSocket @@ -18211,17 +18220,17 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Cuir air chois - + Details Mion-fhiosrachadh - + Loads Luchdaich - + Protocol Pròtacal @@ -18306,16 +18315,6 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta LCDs - - - To-Do - Ri dhèanamh - - - - Completed - Air a chrìochnachadh - Done Dèanta @@ -18434,7 +18433,7 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - + @@ -18454,7 +18453,7 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta Soak HH: MM - + @@ -18464,7 +18463,7 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - + @@ -18488,37 +18487,37 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - + Device Inneal - + Comm Port Port Port - + Baud Rate Ìre Baud - + Byte Size Meud Byte - + Parity Co-ionnanachd - + Stopbits Sgoltagan stad - + Timeout A 'gabhail fois @@ -18526,16 +18525,16 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - - + + Time Ùine - - + + @@ -18544,8 +18543,8 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - - + + @@ -18554,104 +18553,104 @@ Gus a chumail saor agus gnàthach feuch an toir thu taic dhuinn leis an tabharta - + CHARGE ATHARRACHADH - + DRY END CRÌOCH DEIREANNACH - + FC START TÒRR FC - + FC END CRÌOCH FC - + SC START SC TÒISEACH - + SC END SC CRÌOCH - + DROP DROPACH - + COOL TARRAINGEACH - + #{0} {1}{2} # {0} {1} {2} - + Power Cumhachd - + Duration Faid - + CO2 - + Load Luchdaich - + Source Stòr - + Kind Math - + Name Ainm - + Weight Cuideam @@ -19526,7 +19525,7 @@ air a thòiseachadh leis a’ PID - + @@ -19547,7 +19546,7 @@ air a thòiseachadh leis a’ PID - + Show help Seall cuideachadh @@ -19701,20 +19700,24 @@ feumar a lùghdachadh 4 tursan. Ruith an gnìomh samplaidh gu sioncronach ({}) gach eadar-ama samplachaidh no tagh eadar-ama ath-aithris gus a ruith gu neo-shioncronach fhad ‘s a tha thu a’ samplachadh - + OFF Action String OFF sreang gnìomh - + ON Action String AIR Sreang Gnìomh - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Dàil a bharrachd às deidh ceangal ann an diogan mus cuir thu iarrtasan (feumach air innealan Arduino ag ath-thòiseachadh air ceangal) + + + Extra delay in Milliseconds between MODBUS Serial commands Dàil a bharrachd ann am Milliseconds eadar òrdughan sreathach MODBUS @@ -19730,12 +19733,7 @@ feumar a lùghdachadh 4 tursan. Sgan MODBUS - - Reset socket connection on error - Ath-shuidhich ceangal socaid air mearachd - - - + Scan S7 Dèan scan S7 @@ -19751,7 +19749,7 @@ feumar a lùghdachadh 4 tursan. Airson cùl-fhiosrachadh luchdaichte le innealan a bharrachd a-mhàin - + The maximum nominal batch size of the machine in kg Am meud baidse ainmichte as àirde den inneal ann an kg @@ -20185,32 +20183,32 @@ Currently in TEMP MODE An-dràsta ann an TEMP MODE - + <b>Label</b>= <b>Label</b>= - + <b>Description </b>= <b>Tuairisgeul</b>= - + <b>Type </b>= <b>Seòrsa</b>= - + <b>Value </b>= <b>Luach</b>= - + <b>Documentation </b>= <b>Sgrìobhadh</b>= - + <b>Button# </b>= <b>Putan#</b>= @@ -20294,6 +20292,10 @@ An-dràsta ann an TEMP MODE Sets button colors to grey scale and LCD colors to black and white Suidhich dathan putan gu sgèile liath agus dathan LCD gu dubh is geal + + Reset socket connection on error + Ath-shuidhich ceangal socaid air mearachd + Action String Sreath gnìomh diff --git a/src/translations/artisan_he.qm b/src/translations/artisan_he.qm index 3b050dcd3..06399f023 100644 Binary files a/src/translations/artisan_he.qm and b/src/translations/artisan_he.qm differ diff --git a/src/translations/artisan_he.ts b/src/translations/artisan_he.ts index 9abd97d7c..f8362410f 100644 --- a/src/translations/artisan_he.ts +++ b/src/translations/artisan_he.ts @@ -9,57 +9,57 @@ שחרר נותן חסות - + About אודות - + Core Developers מפתחים - + License רישיון - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. הייתה בעיה באחזור המידע הגרסא העדכני ביותר. אנא בדוק את חיבור האינטרנט שלך, נסה שוב מאוחר יותר, או בדוק באופן ידני. - + A new release is available. מהדורה חדשה זמינה. - + Show Change list הצג רשימת שינויים - + Download Release הורד מהדורה - + You are using the latest release. אתה משתמש במהדורה האחרונה. - + You are using a beta continuous build. אתה משתמש בבניית רציף בטא. - + You will see a notice here once a new official release is available. תראה כאן הודעה לאחר שתהיה זמינה מהדורה רשמית חדשה. - + Update status עדכן מצב @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + אישור + + + + + + + + Cancel + ביטול + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save שמור - - - - - - - - - OK - אישור - On @@ -563,15 +572,6 @@ Write PIDs כתוב PIDs - - - - - - - Cancel - ביטול - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ הקלט - + Scan לִסְרוֹק @@ -736,9 +736,9 @@ עדכון - - - + + + Save Defaults שמור ברירות מחדל @@ -1437,12 +1437,12 @@ END לָצוּף - + START on CHARGE התחל ב- CHARGE - + OFF on DROP מושבת ב- DROP @@ -1514,61 +1514,61 @@ END הראה תמיד - + Heavy FC פצ1 חזק - + Low FC פצ1 חלש - + Light Cut גוון בהיר - + Dark Cut גוון כהה - + Drops - + Oily שמנוני - + Uneven חוסר אחידות - + Tipping טיפפינג - + Scorching חריכה - + Divots @@ -2372,14 +2372,14 @@ END - + ET ט.ס - + BT ט.פ @@ -2402,24 +2402,19 @@ END מילים - + optimize לייעל - + fetch full blocks להביא חסימות מלאות - - reset - אִתחוּל - - - + compression דְחִיסָה @@ -2605,6 +2600,10 @@ END Elec אלק + + reset + אִתחוּל + Title כותרת @@ -2784,6 +2783,16 @@ END Contextual Menu + + + All batches prepared + כל המנות מוכנות + + + + No batch prepared + לא מוכן אצווה + Add point @@ -2829,16 +2838,6 @@ END Edit ערוך - - - All batches prepared - כל המנות מוכנות - - - - No batch prepared - לא מוכן אצווה - Create צור @@ -4208,20 +4207,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4314,42 +4313,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4418,10 +4417,10 @@ END - - - - + + + + @@ -4619,12 +4618,12 @@ END - - - - - - + + + + + + @@ -4633,17 +4632,17 @@ END שגיאת ערך: - + Serial Exception: invalid comm port פורט לא זמין - + Serial Exception: timeout חריג סדרתי: פסק זמן - + Unable to move CHARGE to a value that does not exist לא ניתן להזיז טעינה לערך שאינו קיים @@ -4653,30 +4652,30 @@ END תקשורת Modbus חודשה - + Modbus Error: failed to connect שגיאת Modbus: נכשל בחיבור - - - - - - - - - + + + + + + + + + Modbus Error: שגיאת Modbus: - - - - - - + + + + + + Modbus Communication Error שגיאת תקשורת Modbus @@ -4760,52 +4759,52 @@ END חריג: {} אינו קובץ הגדרות חוקי - - - - - + + + + + Error שגיאה - + Exception: WebLCDs not supported by this build חריג: רכיבי WebLCD אינם נתמכים על ידי מבנה זה - + Could not start WebLCDs. Selected port might be busy. לא ניתן היה להפעיל WebLCDs. ייתכן שהיציאה שנבחרה תפוסה. - + Failed to save settings שמירת ההגדרות נכשלה - - + + Exception (probably due to an empty profile): חריג (כנראה בגלל פרופיל ריק): - + Analyze: CHARGE event required, none found ניתוח: נדרש אירוע CHARGE, לא נמצא - + Analyze: DROP event required, none found ניתוח: נדרש אירוע DROP, לא נמצא - + Analyze: no background profile data available ניתוח: אין נתוני פרופיל רקע זמינים - + Analyze: background profile requires CHARGE and DROP events ניתוח: פרופיל הרקע דורש אירועי CHARGE ו-DROP @@ -4888,6 +4887,12 @@ END Form Caption + + + + Custom Blend + תערובת מותאמת אישית + Axes @@ -5022,12 +5027,12 @@ END קינפוג פורטים - + MODBUS Help MODBUS עזרה - + S7 Help S7 עזרה @@ -5047,23 +5052,17 @@ END הגדרות קלייה - - - Custom Blend - תערובת מותאמת אישית - - - + Energy Help עזרה באנרגיה - + Tare Setup הגדרת טרה - + Set Measure from Profile הגדר מידה מפרופיל @@ -5281,27 +5280,27 @@ END ניהול - + Registers רושמים - - + + Commands פקודות - + PID - + Serial מספר סיראלי @@ -5312,37 +5311,37 @@ END - + Input קֶלֶט - + Machine מְכוֹנָה - + Timeout פסק זמן - + Nodes צמתים - + Messages הודעות - + Flags דגלים - + Events אירועים @@ -5354,14 +5353,14 @@ END - + Energy אֵנֶרְגִיָה - + CO2 @@ -5653,14 +5652,14 @@ END HTML Report Template - + BBP Total Time BBP זמן כולל - + BBP Bottom Temp טמפ' תחתית של BBP @@ -5677,849 +5676,849 @@ END - + Whole Color צבע שלם - - + + Profile פּרוֹפִיל - + Roast Batches מנות צלי - - - + + + Batch קבוצה - - + + Date תאריך - - - + + + Beans פולים - - - + + + In ב - - + + Out הַחוּצָה - - - + + + Loss הֶפסֵד - - + + SUM סְכוּם - + Production Report דו"ח הפקה - - + + Time זמן - - + + Weight In משקל פנימה - - + + CHARGE BT - - + + FCs Time זמן FCs - - + + FCs BT - - + + DROP Time זמן ירידה - - + + DROP BT - + Dry Percent אחוז יבש - + MAI Percent MAI אחוז - + Dev Percent Dev אחוז - - + + AUC - - + + Weight Loss ירידה במשקל - - + + Color צבע - + Cupping הַקָזַת דָם - + Roaster קולה - + Capacity קיבולת - + Operator מַפעִיל - + Organization אִרגוּן - + Drum Speed מהירות התוף - + Ground Color צבע קרקע - + Color System מערכת צבע - + Screen Min מסך מינימום - + Screen Max מסך מקסימום - + Bean Temp טמפ' שעועית - + CHARGE ET - + TP Time זמן TP - + TP ET - + TP BT - + DRY Time זמן יבש - + DRY ET - + DRY BT - + FCs ET - + FCe Time זמן FCe - + FCe ET - + FCe BT - + SCs Time זמן SCs - + SCs ET - + SCs BT - + SCe Time זמן SCe - + SCe ET - + SCe BT - + DROP ET - + COOL Time זמן מגניב - + COOL ET - + COOL BT מגניב BT - + Total Time זמן כולל - + Dry Phase Time זמן שלב יבש - + Mid Phase Time זמן אמצע שלב - + Finish Phase Time זמן סיום שלב - + Dry Phase RoR שלב יבש RoR - + Mid Phase RoR שלב אמצע RoR - + Finish Phase RoR סיום שלב RoR - + Dry Phase Delta BT שלב יבש Delta BT - + Mid Phase Delta BT - + Finish Phase Delta BT סיום שלב Delta BT - + Finish Phase Rise סיום עליית שלב - + Total RoR סה"כ RoR - + FCs RoR - + MET נפגש - + AUC Begin AUC מתחיל - + AUC Base בסיס AUC - + Dry Phase AUC AUC שלב יבש - + Mid Phase AUC AUC של שלב אמצע - + Finish Phase AUC סיום שלב AUC - + Weight Out ירידה במשקל - + Volume In - + Volume Out נפח יציאה - + Volume Gain רווח נפח - + Green Density צפיפות ירוקה - + Roasted Density צפיפות צלויה - + Moisture Greens תנאי אכסון - + Moisture Roasted לחות קלויה - + Moisture Loss איבוד לחות - + Organic Loss אובדן אורגני - + Ambient Humidity לחות סביבה - + Ambient Pressure לחץ סביבתי - + Ambient Temperature טמפרטורת סביבה - - + + Roasting Notes רשמי קלייה - - + + Cupping Notes רשמי טעם - + Heavy FC פצ1 חזק - + Low FC פצ1 חלש - + Light Cut גוון בהיר - + Dark Cut גוון כהה - + Drops טיפות - + Oily שמנוני - + Uneven חוסר אחידות - + Tipping טיפפינג - + Scorching חריכה - + Divots דיבוטים - + Mode מצב - + BTU Batch אצווה BTU - + BTU Batch per green kg אצווה BTU לכל ק"ג ירוק - + CO2 Batch אצווה CO2 - + BTU Preheat BTU Heat - + CO2 Preheat חימום מוקדם של CO2 - + BTU BBP - + CO2 BBP - + BTU Cooling BTU קירור - + CO2 Cooling קירור CO2 - + BTU Roast BTU צלי - + BTU Roast per green kg BTU צלי לק"ג ירוק - + CO2 Roast צלי CO2 - + CO2 Batch per green kg אצווה CO2 לכל ק"ג ירוק - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch אצווה יעילות - + Efficiency Roast צלי יעילות - + BBP Begin BBP בגין - + BBP Begin to Bottom Time BBP זמן התחלה לתחתית - + BBP Bottom to CHARGE Time BBP תחתית לזמן טעינה - + BBP Begin to Bottom RoR BBP מתחיל לתחתית RoR - + BBP Bottom to CHARGE RoR BBP תחתית ל-CHARGE RoR - + File Name שם קובץ - + Roast Ranking דירוג צלי - + Ranking Report דוח דירוג - + AVG - + Roasting Report דו'ח קלייה - + Date: תאריך: - + Beans: פולים: - + Weight: משקל: - + Volume: ווליום: - + Roaster: קולה: - + Operator: מפעיל: - + Organization: אִרגוּן: - + Cupping: פרופיל טעם: - + Color: צבע: - + Energy: אֵנֶרְגִיָה: - + CO2: - + CHARGE: טעינה: - + Size: גודל: - + Density: צפיפות: - + Moisture: לַחוּת: - + Ambient: אווירה: - + TP: נק' סיבוב: - + DRY: ייבוש: - + FCs: ת.פ.1: - + FCe: ס.פ.1: - + SCs: ת.פ.2: - + SCe: ס.פ.2: - + DROP: הוצאה: - + COOL: קירור: - + MET: נפגש: - + CM: ס"מ: - + Drying: ייבוש: - + Maillard: מילארד: - + Finishing: גימור: - + Cooling: קירור: - + Background: רקע כללי: - + Alarms: אַזעָקָה: - + RoR: ק.ש.ט: - + AUC: - + Events שלבים @@ -11617,6 +11616,92 @@ When Keyboard Shortcuts are OFF adds a custom event Label + + + + + + + + + Weight + משקל + + + + + + + Beans + פולים + + + + + + Density + צפיפות + + + + + + Color + צבע + + + + + + Moisture + לַחוּת + + + + + + + Roasting Notes + רשמי קלייה + + + + Score + ציון + + + + + Cupping Score + ניקוד כוסות רוח + + + + + + + Cupping Notes + רשמי טעם + + + + + + + + Roasted + קָלוּי + + + + + + + + + Green + ירוק + @@ -11721,7 +11806,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11740,7 +11825,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11756,7 +11841,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11775,7 +11860,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11802,7 +11887,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11834,7 +11919,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + DRY ייבוש @@ -11851,7 +11936,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCs ת.פ.1 @@ -11859,7 +11944,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCe ס.פ.1 @@ -11867,7 +11952,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCs ת.פ.2 @@ -11875,7 +11960,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCe ס.פ.2 @@ -11888,7 +11973,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11903,10 +11988,10 @@ When Keyboard Shortcuts are OFF adds a custom event / דקה - - - - + + + + @@ -11914,8 +11999,8 @@ When Keyboard Shortcuts are OFF adds a custom event הפעל - - + + @@ -11929,8 +12014,8 @@ When Keyboard Shortcuts are OFF adds a custom event מחזור - - + + Input קֶלֶט @@ -11964,7 +12049,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11981,8 +12066,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Mode @@ -12044,7 +12129,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + Label @@ -12169,21 +12254,21 @@ When Keyboard Shortcuts are OFF adds a custom event SV מקסימום - + P פ - + I אני - + D @@ -12245,13 +12330,6 @@ When Keyboard Shortcuts are OFF adds a custom event Markers סמנים - - - - - Color - צבע - Text Color @@ -12282,9 +12360,9 @@ When Keyboard Shortcuts are OFF adds a custom event גודל - - + + @@ -12322,8 +12400,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Event @@ -12336,7 +12414,7 @@ When Keyboard Shortcuts are OFF adds a custom event פעולה - + Command פקודה @@ -12348,7 +12426,7 @@ When Keyboard Shortcuts are OFF adds a custom event קיזוז - + Factor @@ -12365,14 +12443,14 @@ When Keyboard Shortcuts are OFF adds a custom event טמפ - + Unit יחידה - + Source מקור @@ -12383,10 +12461,10 @@ When Keyboard Shortcuts are OFF adds a custom event אֶשׁכּוֹל - - - + + + OFF @@ -12437,15 +12515,15 @@ When Keyboard Shortcuts are OFF adds a custom event להירשם - - + + Area אֵזוֹר - - + + DB# DB # @@ -12453,54 +12531,54 @@ When Keyboard Shortcuts are OFF adds a custom event - + Start הקלט - - + + Comm Port נמל Comm - - + + Baud Rate קצב שידור - - + + Byte Size גודל בתים - - + + Parity שִׁוּוּי - - + + Stopbits עצירות - - + + @@ -12537,8 +12615,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Type סוג @@ -12548,8 +12626,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Host רֶשֶׁת @@ -12560,20 +12638,20 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Port נמל - + SV Factor פקטור SV - + pid Factor פיד פקטור @@ -12595,75 +12673,75 @@ When Keyboard Shortcuts are OFF adds a custom event קַפְּדָנִי - - + + Device מכשיר - + Rack דְפוּפָה - + Slot חָרִיץ - + Path נָתִיב - + ID תְעוּדַת זֶהוּת - + Connect לְחַבֵּר - + Reconnect התחבר מחדש - - + + Request בַּקָשָׁה - + Message ID מזהה הודעה - + Machine ID תעודת הזהות של המכונה - + Data נתונים - + Message הוֹדָעָה - + Data Request בקשת נתונים - - + + Node צוֹמֶת @@ -12725,17 +12803,6 @@ When Keyboard Shortcuts are OFF adds a custom event g גרם - - - - - - - - - Weight - משקל - @@ -12743,25 +12810,6 @@ When Keyboard Shortcuts are OFF adds a custom event Volume ווליום - - - - - - - - Green - ירוק - - - - - - - - Roasted - קָלוּי - @@ -12812,31 +12860,16 @@ When Keyboard Shortcuts are OFF adds a custom event תאריך - + Batch קבוצה - - - - - - Beans - פולים - % - - - - - Density - צפיפות - Screen @@ -12852,13 +12885,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ground קרקע, אדמה - - - - - Moisture - לַחוּת - @@ -12871,22 +12897,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ambient Conditions תנאי סביבה - - - - - - Roasting Notes - רשמי קלייה - - - - - - - Cupping Notes - רשמי טעם - Ambient Source @@ -12908,140 +12918,140 @@ When Keyboard Shortcuts are OFF adds a custom event תַעֲרוֹבֶת - + Template תבנית - + Results in תוצאות ב - + Rating דֵרוּג - + Pressure % לחץ% - + Electric Energy Mix: תערובת אנרגיה חשמלית: - + Renewable מתחדש - - + + Pre-Heating חימום מראש - - + + Between Batches בין אצווה למנה - - + + Cooling קירור - + Between Batches after Pre-Heating בין אצווה לאחר חימום מראש - + (mm:ss) (מ'מ: ss) - + Duration מֶשֶׁך - + Measured Energy or Output % אנרגיה או תפוקה נמדדים% - - + + Preheat מחממים מראש - - + + BBP - - - - + + + + Roast קלייה - - + + per kg green coffee לק'ג קפה ירוק - + Load טען - + Organization אִרגוּן - + Operator מפעיל - + Machine מְכוֹנָה - + Model דֶגֶם - + Heating הַסָקָה - + Drum Speed מהירות התוף - + organic material חומר אורגני @@ -13365,12 +13375,6 @@ LCDs All Roaster קולה - - - - Cupping Score - ניקוד כוסות רוח - Max characters per line @@ -13450,7 +13454,7 @@ LCDs All צבע אדג '(RGBA) - + roasted קָלוּי @@ -13597,22 +13601,22 @@ LCDs All - + ln() ln () - - + + x איקס - - + + Bkgnd @@ -13761,99 +13765,99 @@ LCDs All טען - + /m /M - + greens יְרָקוֹת - - - + + + STOP תפסיק - - + + OPEN לִפְתוֹחַ - - - + + + CLOSE סגור - - + + AUTO אוטומטי - - - + + + MANUAL מדריך ל - + STIRRER מערבל - + FILL למלא - + RELEASE לְשַׁחְרֵר - + HEATING הַסָקָה - + COOLING הִתקָרְרוּת - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR מקס + / מקס- RoR @@ -14179,11 +14183,6 @@ LCDs All Aspect Ratio יחס גובה-רוחב - - - Score - ציון - RPM סל'ד @@ -14501,6 +14500,12 @@ LCDs All Menu + + + + Schedule + לְתַכְנֵן + @@ -14957,12 +14962,6 @@ LCDs All Sliders סליידר - - - - Schedule - לְתַכְנֵן - Full Screen @@ -15095,6 +15094,53 @@ LCDs All Message + + + Scheduler started + מתזמן התחיל + + + + Scheduler stopped + המתזמן נעצר + + + + + + + Warning + אַזהָרָה + + + + Completed roasts will not adjust the schedule while the schedule window is closed + צלייה שהושלמו לא תתאים את לוח הזמנים בזמן שחלון לוח הזמנים סגור + + + + + 1 batch + אצווה 1 + + + + + + + {} batches + {} קבוצות + + + + Updating completed roast properties failed + עדכון מאפייני הצלייה שהושלמו נכשל + + + + Fetching completed roast properties failed + אחזור מאפייני הצלייה שהושלמו נכשל + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15655,20 +15701,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied הגישה ל-Bluetooth נדחתה - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} הגדרות יציאה טורית: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15702,50 +15748,50 @@ Repeat Operation at the end: {0} קורא פרופיל רקע... - + Event table copied to clipboard טבלת האירועים הועתקה ללוח - + The 0% value must be less than the 100% value. הערך של 0% חייב להיות קטן מהערך של 100%. - - + + Alarms from events #{0} created נוצרו התראות מאירועים #{0} - - + + No events found לא נמצאו אירועים - + Event #{0} added אירוע מס' {0} נוסף - + No profile found לא נמצא פרופיל - + Events #{0} deleted אירועים מס' {0} נמחקו - + Event #{0} deleted אירוע מס' {0} נמחק - + Roast properties updated but profile not saved to disk מאפייני הצלייה עודכנו אך הפרופיל לא נשמר בדיסק @@ -15760,7 +15806,7 @@ Repeat Operation at the end: {0} MODBUS מנותק - + Connected via MODBUS מחובר דרך MODBUS @@ -15927,27 +15973,19 @@ Repeat Operation at the end: {0} Sampling דְגִימָה - - - - - - Warning - אַזהָרָה - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. מרווח דגימה צר עלול להוביל לאי יציבות במכונות מסוימות. אנו מציעים לפחות 1 שניות. - + Incompatible variables found in %s נמצאו משתנים לא תואמים ב-%s - + Assignment problem בעיה בהקצאה @@ -16041,8 +16079,8 @@ Repeat Operation at the end: {0} לעקוב אחרי - - + + Save Statistics שמור סטטיסטיקה @@ -16204,19 +16242,19 @@ To keep it free and current please support us with your donation and subscribe t אומן מוגדר עבור {0} - + Load theme {0}? לטעון ערכת נושא {0}? - + Adjust Theme Related Settings התאם הגדרות הקשורות לנושאים - + Loaded theme {0} נושא נטען {0} @@ -16227,8 +16265,8 @@ To keep it free and current please support us with your donation and subscribe t זיהה זוג צבעים שעשוי להיות קשה לראות: - - + + Simulator started @{}x הסימולטור התחיל @{}x @@ -16279,14 +16317,14 @@ To keep it free and current please support us with your donation and subscribe t AutoDROP כבוי - + PID set to OFF PID מוגדר ל-OFF - + PID set to ON @@ -16506,7 +16544,7 @@ To keep it free and current please support us with your donation and subscribe t {0} נשמר. צלי חדש התחיל - + Invalid artisan format @@ -16571,10 +16609,10 @@ It is advisable to save your current settings beforehand via menu Help >> הפרופיל נשמר - - - - + + + + @@ -16666,347 +16704,347 @@ It is advisable to save your current settings beforehand via menu Help >> טעינת ההגדרות בוטלה - - + + Statistics Saved הנתונים הסטטיסטיים נשמרו - + No statistics found לא נמצאו סטטיסטיקות - + Excel Production Report exported to {0} דוח הפקת Excel מיוצא אל {0} - + Ranking Report דוח דירוג - + Ranking graphs are only generated up to {0} profiles תרשימי דירוג נוצרים רק עד {0} פרופילים - + Profile missing DRY event אירוע DRY חסר בפרופיל - + Profile missing phase events אירועי שלב חסרים בפרופיל - + CSV Ranking Report exported to {0} דוח דירוג CSV יוצא אל {0} - + Excel Ranking Report exported to {0} דוח דירוג Excel מיוצא אל {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied לא ניתן לחבר את סולם ה-Bluetooth בזמן שהרשאת Artisan לגשת ל-Bluetooth נדחתה - + Bluetooth access denied גישת Bluetooth נדחתה - + Hottop control turned off בקרת Hottop כבויה - + Hottop control turned on שליטה חמה מופעלת - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! כדי לשלוט ב-Hottop, עליך להפעיל תחילה את מצב משתמש העל באמצעות לחיצה ימנית על ה-LCD בטיימר! - - + + Settings not found ההגדרות לא נמצאו - + artisan-settings הגדרות של אומן - + Save Settings שמור הגדרות - + Settings saved הגדרות נשמרו - + artisan-theme נושא אומן - + Save Theme שמור עיצוב - + Theme saved הנושא נשמר - + Load Theme טען ערכת נושא - + Theme loaded הנושא נטען - + Background profile removed פרופיל הרקע הוסר - + Alarm Config תצורת אזעקה - + Alarms are not available for device None אזעקות אינן זמינות עבור המכשיר ללא - + Switching the language needs a restart. Restart now? החלפת השפה דורשת הפעלה מחדש. אתחל עכשיו? - + Restart איתחול - + Import K202 CSV ייבוא K202 CSV - + K202 file loaded successfully קובץ K202 נטען בהצלחה - + Import K204 CSV ייבוא K204 CSV - + K204 file loaded successfully קובץ K204 נטען בהצלחה - + Import Probat Recipe ייבוא מתכון פרובאט - + Probat Pilot data imported successfully נתוני Probat Pilot יובאו בהצלחה - + Import Probat Pilot failed ייבוא Probat Pilot נכשל - - + + {0} imported {0} מיובא - + an error occurred on importing {0} אירעה שגיאה בייבוא {0} - + Import Cropster XLS ייבוא Cropster XLS - + Import RoastLog URL ייבא כתובת URL של RoastLog - + Import RoastPATH URL ייבא כתובת URL של RoastPATH - + Import Giesen CSV ייבוא Giesen CSV - + Import Petroncini CSV ייבוא Petroncini CSV - + Import IKAWA URL ייבא כתובת אתר של IKAWA - + Import IKAWA CSV ייבוא IKAWA CSV - + Import Loring CSV יבא Loring CSV - + Import Rubasse CSV ייבוא Rubasse CSV - + Import HH506RA CSV ייבוא HH506RA CSV - + HH506RA file loaded successfully קובץ HH506RA נטען בהצלחה - + Save Graph as שמור גרף בשם - + {0} size({1},{2}) saved גודל {0} ({1},{2}) נשמר - + Save Graph as PDF שמור גרף כ-PDF - + Save Graph as SVG שמור גרף כ-SVG - + {0} saved {0} נשמר - + Wheel {0} loaded הגלגל {0} נטען - + Invalid Wheel graph format פורמט גרף גלגל לא חוקי - + Buttons copied to Palette # הלחצנים הועתקו ללוח # - + Palette #%i restored לוח #%i שוחזר - + Palette #%i empty לוח #%i ריק - + Save Palettes שמור פלטות - + Palettes saved לוחות הצבעים נשמרו - + Palettes loaded לוחות הצבעים נטענו - + Invalid palettes file format פורמט קובץ פלטות לא חוקי - + Alarms loaded אזעקות נטענו - + Fitting curves... התאמת עקומות... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. אזהרה: ההתחלה של מרווח הניתוח של עניין מוקדם מתחילת התאמת העקומה. תקן זאת בכרטיסייה Config> Curves> Analyze. - + Analysis earlier than Curve fit ניתוח מוקדם מההתאמה לעקומה - + Simulator stopped הסימולטור נעצר - + debug logging ON רישום באגים מופעל @@ -17659,45 +17697,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found פרופיל רקע לא נמצא - - - Scheduler started - מתזמן התחיל - - - - Scheduler stopped - המתזמן נעצר - - - - Completed roasts will not adjust the schedule while the schedule window is closed - צלייה שהושלמו לא תתאים את לוח הזמנים בזמן שחלון לוח הזמנים סגור - - - - - 1 batch - אצווה 1 - - - - - - - {} batches - {} קבוצות - - - - Updating completed roast properties failed - עדכון מאפייני הצלייה שהושלמו נכשל - - - - Fetching completed roast properties failed - אחזור מאפייני הצלייה שהושלמו נכשל - Event # {0} recorded at BT = {1} Time = {2} אירוע מס' {0} תועד ב-BT = {1} זמן = {2} @@ -17801,51 +17800,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - רישום באגים מופעל - - - - debug logging OFF - רישום באגים כבוי - - - - 1 day left - נותר יום אחד - - - - {} days left - {} ימים שנותרו - - - - Paid until - משולם עד - - - - Please visit our {0}shop{1} to extend your subscription - בקר ב {0} חנות {1} שלנו להארכת המינוי שלך - - - - Do you want to extend your subscription? - האם אתה רוצה להאריך את המנוי שלך? - - - - Your subscription ends on - המנוי שלך מסתיים בתאריך - - - - Your subscription ended on - המנוי שלך הסתיים ב - Roast successfully upload to {} @@ -18035,6 +17989,51 @@ To keep it free and current please support us with your donation and subscribe t Remember זכור + + + debug logging ON + רישום באגים מופעל + + + + debug logging OFF + רישום באגים כבוי + + + + 1 day left + נותר יום אחד + + + + {} days left + {} ימים שנותרו + + + + Paid until + משולם עד + + + + Please visit our {0}shop{1} to extend your subscription + בקר ב {0} חנות {1} שלנו להארכת המינוי שלך + + + + Do you want to extend your subscription? + האם אתה רוצה להאריך את המנוי שלך? + + + + Your subscription ends on + המנוי שלך מסתיים בתאריך + + + + Your subscription ended on + המנוי שלך הסתיים ב + ({} of {} done) ({} מתוך {} בוצעו) @@ -18205,10 +18204,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope מטרת הקלייה @@ -18587,6 +18586,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + לעשות + + + + Completed + הושלם + @@ -18619,7 +18628,7 @@ To keep it free and current please support us with your donation and subscribe t הגדר RS - + Extra @@ -18668,32 +18677,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT ט.ס\ט.פ - + Modbus מודבוס - + S7 - + Scale משקל - + Color צבע - + WebSocket @@ -18730,17 +18739,17 @@ To keep it free and current please support us with your donation and subscribe t להכין - + Details פרטים - + Loads עומסים - + Protocol נוהל @@ -18825,16 +18834,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs תצוגות - - - To-Do - לעשות - - - - Completed - הושלם - Done בוצע @@ -18961,7 +18960,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -18981,7 +18980,7 @@ To keep it free and current please support us with your donation and subscribe t משרים ח'ה: מ'מ - + @@ -18991,7 +18990,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19015,37 +19014,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device מכשיר - + Comm Port נמל Comm - + Baud Rate קצב שידור - + Byte Size גודל בתים - + Parity שִׁוּוּי - + Stopbits עצירות - + Timeout פסק זמן @@ -19053,16 +19052,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time זמן - - + + @@ -19071,8 +19070,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -19081,104 +19080,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE טעינה - + DRY END ס.יבוש - + FC START ת.פ.1 - + FC END ס.פ.1 - + SC START ת.פ.2 - + SC END ס.פ.2 - + DROP הוצאה - + COOL קירור - + #{0} {1}{2} מספר {0} {1} {2} - + Power עוצמה - + Duration מֶשֶׁך - + CO2 - + Load טען - + Source מקור - + Kind סוג - + Name שֵׁם - + Weight משקל @@ -20089,7 +20088,7 @@ initiated by the PID - + @@ -20110,7 +20109,7 @@ initiated by the PID - + Show help הראה עזרה @@ -20264,20 +20263,24 @@ has to be reduced by 4 times. הפעל את פעולת הדגימה באופן סינכרוני ({}) בכל מרווח דגימה או בחר מרווח זמן חוזר כדי להפעיל אותו באופן אסינכרוני תוך כדי דגימה - + OFF Action String מחרוזת פעולה כבויה - + ON Action String מחרוזת פעולה ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + עיכוב נוסף לאחר חיבור בשניות לפני שליחת בקשות (דרוש על ידי מכשירי Arduino המופעלים מחדש בחיבור) + + + Extra delay in Milliseconds between MODBUS Serial commands השהיה נוסף במילישניות בין פקודות MODBUS Serial @@ -20293,12 +20296,7 @@ has to be reduced by 4 times. סרוק את MODBUS - - Reset socket connection on error - אפס את חיבור השקע בשגיאה - - - + Scan S7 סרוק S7 @@ -20314,7 +20312,7 @@ has to be reduced by 4 times. עבור רקעים טעונים עם מכשירים נוספים בלבד - + The maximum nominal batch size of the machine in kg גודל האצווה הנומינלי המרבי של המכונה בק"ג @@ -20748,32 +20746,32 @@ Currently in TEMP MODE כרגע במצב TEMP MODE - + <b>Label</b>= <b>תווית</b>= - + <b>Description </b>= <b>תיאור </b>= - + <b>Type </b>= <b>סוג </b>= - + <b>Value </b>= <b>ערך </b>= - + <b>Documentation </b>= <b>תיעוד </b>= - + <b>Button# </b>= <b>כפתור מס' </b>= @@ -20857,6 +20855,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white מגדיר את צבעי הכפתורים לקנה מידה אפור ואת צבעי ה-LCD לשחור ולבן + + Reset socket connection on error + אפס את חיבור השקע בשגיאה + Action String מחרוזת פעולה diff --git a/src/translations/artisan_hu.qm b/src/translations/artisan_hu.qm index 53e00a1c1..c73a11be7 100644 Binary files a/src/translations/artisan_hu.qm and b/src/translations/artisan_hu.qm differ diff --git a/src/translations/artisan_hu.ts b/src/translations/artisan_hu.ts index 67651b0db..8d494357c 100644 --- a/src/translations/artisan_hu.ts +++ b/src/translations/artisan_hu.ts @@ -9,57 +9,57 @@ Engedje el a Szponzort - + About Névjegy - + Core Developers Vezető Fejlesztők - + License Engedély - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Hiba történt a legfrissebb verzióinformációk lekérése során. Kérjük, ellenőrizze internetkapcsolatát, próbálkozzon újra később, vagy ellenőrizze manuálisan. - + A new release is available. Új kiadás érhető el. - + Show Change list A Változtatási lista megjelenítése - + Download Release Letöltés - + You are using the latest release. Ön a legújabb kiadást használja. - + You are using a beta continuous build. Béta folyamatos felépítést használ. - + You will see a notice here once a new official release is available. Ha megjelenik egy új hivatalos kiadás, itt értesítést fog látni. - + Update status Állapot frissítése @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Mégsem + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save Mentés - - - - - - - - - OK - OK - On @@ -563,15 +572,6 @@ Write PIDs PID-k írása - - - - - - - Cancel - Mégsem - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ Rajt - + Scan Letapogatás @@ -736,9 +736,9 @@ frissítés - - - + + + Save Defaults Alapértelmezések mentése @@ -1457,12 +1457,12 @@ VÉGE Úszó - + START on CHARGE INDÍTÁS CHARGE-on - + OFF on DROP KI a DROP-on @@ -1534,61 +1534,61 @@ VÉGE Mutasd mindig - + Heavy FC Nehéz FC - + Low FC Alacsony FC - + Light Cut Könnyű vágás - + Dark Cut Sötét vágás - + Drops Cseppek - + Oily Olajos - + Uneven Egyenetlen - + Tipping - + Scorching - + Divots @@ -2356,14 +2356,14 @@ VÉGE - + ET KÖRNY. HŐ - + BT BAB HŐ @@ -2386,24 +2386,19 @@ VÉGE szavak - + optimize optimalizálni - + fetch full blocks töltse le a teljes blokkot - - reset - Visszaállítás - - - + compression tömörítés @@ -2589,6 +2584,10 @@ VÉGE Elec + + reset + Visszaállítás + Title Cím @@ -2756,6 +2755,16 @@ VÉGE Contextual Menu + + + All batches prepared + Minden adag elkészítve + + + + No batch prepared + Nincs kész tétel + Add point @@ -2801,16 +2810,6 @@ VÉGE Edit Szerkesztés - - - All batches prepared - Minden adag elkészítve - - - - No batch prepared - Nincs kész tétel - Create Létrehoz @@ -4164,20 +4163,20 @@ VÉGE Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4270,42 +4269,42 @@ VÉGE - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4374,10 +4373,10 @@ VÉGE - - - - + + + + @@ -4575,12 +4574,12 @@ VÉGE - - - - - - + + + + + + @@ -4589,17 +4588,17 @@ VÉGE Értékhiba: - + Serial Exception: invalid comm port Soros kivétel: érvénytelen kommunikációs port - + Serial Exception: timeout Sorozat kivétel: időtúllépés - + Unable to move CHARGE to a value that does not exist A CHARGE nem helyezhető át nem létező értékre @@ -4609,30 +4608,30 @@ VÉGE A Modbus kommunikáció folytatódik - + Modbus Error: failed to connect Modbus hiba: nem sikerült csatlakozni - - - - - - - - - + + + + + + + + + Modbus Error: Modbus hiba: - - - - - - + + + + + + Modbus Communication Error Modbus kommunikációs hiba @@ -4716,52 +4715,52 @@ VÉGE Kivétel: {} nem érvényes beállítási fájl - - - - - + + + + + Error Hiba - + Exception: WebLCDs not supported by this build Kivétel: Ez a build nem támogatja a WebLCD-ket - + Could not start WebLCDs. Selected port might be busy. Nem sikerült elindítani a WebLCD-ket. Lehet, hogy a kiválasztott port foglalt. - + Failed to save settings Nem sikerült menteni a beállításokat - - + + Exception (probably due to an empty profile): Kivétel (valószínűleg üres profil miatt): - + Analyze: CHARGE event required, none found Elemzés: CHARGE esemény szükséges, egyik sem található - + Analyze: DROP event required, none found Elemzés: DROP esemény szükséges, egyik sem található - + Analyze: no background profile data available Elemzés: nem állnak rendelkezésre háttérprofil adatok - + Analyze: background profile requires CHARGE and DROP events Elemzés: a háttérprofilhoz CHARGE és DROP események szükségesek @@ -4840,6 +4839,12 @@ VÉGE Form Caption + + + + Custom Blend + Egyedi keverék + Axes @@ -4974,12 +4979,12 @@ VÉGE Soros Port Konfig - + MODBUS Help MODBUS súgó - + S7 Help S7 Súgó @@ -4999,23 +5004,17 @@ VÉGE Pörkölés Beállításai - - - Custom Blend - Egyedi keverék - - - + Energy Help Energia Segítség - + Tare Setup Tára beállítás - + Set Measure from Profile Állítsa be a Mérés profilból lehetőséget @@ -5237,27 +5236,27 @@ VÉGE Menedzsment - + Registers Nyilvántartások - - + + Commands Parancsok - + PID - + Serial Soros @@ -5268,37 +5267,37 @@ VÉGE - + Input Bemenet - + Machine Gép - + Timeout Időtúllépés - + Nodes Csomópontok - + Messages Üzenetek - + Flags Zászlók - + Events Események @@ -5310,14 +5309,14 @@ VÉGE - + Energy Energia - + CO2 @@ -5561,14 +5560,14 @@ VÉGE HTML Report Template - + BBP Total Time BBP teljes idő - + BBP Bottom Temp BBP alsó hőmérséklet @@ -5585,849 +5584,849 @@ VÉGE - + Whole Color Teljes szín - - + + Profile Profil - + Roast Batches Sült tételek - - - + + + Batch Köteg - - + + Date Dátum - - - + + + Beans Bab - - - + + + In Ban ben - - + + Out Ki - - - + + + Loss Veszteség - - + + SUM ÖSSZEG - + Production Report Gyártási jelentés - - + + Time Idő - - + + Weight In Súlyt - - + + CHARGE BT - - + + FCs Time FCs idő - - + + FCs BT - - + + DROP Time DROP idő - - + + DROP BT - + Dry Percent Száraz százalék - + MAI Percent MAI százalék - + Dev Percent Dev százalék - - + + AUC - - + + Weight Loss Fogyás - - + + Color Szín - + Cupping Köpölyözés - + Roaster Pecsenyesütő - + Capacity Kapacitás - + Operator Operátor - + Organization Szervezet - + Drum Speed Dobsebesség - + Ground Color Alapszín - + Color System Színrendszer - + Screen Min Képernyő min - + Screen Max Képernyő max - + Bean Temp - + CHARGE ET - + TP Time TP idő - + TP ET - + TP BT - + DRY Time SZÁRAZÁSI idő - + DRY ET SZÁRAZ ET - + DRY BT SZÁRAZ BT - + FCs ET - + FCe Time FCe idő - + FCe ET - + FCe BT - + SCs Time SCs idő - + SCs ET - + SCs BT - + SCe Time - + SCe ET - + SCe BT - + DROP ET - + COOL Time Hűvös idő - + COOL ET - + COOL BT - + Total Time Teljes idő - + Dry Phase Time Száraz fázis ideje - + Mid Phase Time Középfázis idő - + Finish Phase Time Fázis befejezési ideje - + Dry Phase RoR Száraz fázisú RoR - + Mid Phase RoR Középfázisú RoR - + Finish Phase RoR Fejezd be a RoR fázist - + Dry Phase Delta BT Száraz fázisú Delta BT - + Mid Phase Delta BT Középfázisú Delta BT - + Finish Phase Delta BT Fázis befejezése Delta BT - + Finish Phase Rise Fejezd be az emelkedési fázist - + Total RoR Teljes RoR - + FCs RoR - + MET TALÁLKOZOTT - + AUC Begin AUC Kezdje - + AUC Base AUC alap - + Dry Phase AUC Száraz fázis AUC - + Mid Phase AUC Középfázis AUC - + Finish Phase AUC Fázis befejezése AUC - + Weight Out - + Volume In Hangerő be - + Volume Out Hangerő ki - + Volume Gain - + Green Density Zöld sűrűség - + Roasted Density Pörkölt sűrűség - + Moisture Greens Nedvesség zöldek - + Moisture Roasted Párolt pára - + Moisture Loss Nedvességveszteség - + Organic Loss Szerves veszteség - + Ambient Humidity Környezeti páratartalom - + Ambient Pressure Környezeti nyomás - + Ambient Temperature Környezeti hőmérséklet - - + + Roasting Notes Sütési jegyzetek - - + + Cupping Notes Köpölyözés jegyzetek - + Heavy FC Nehéz FC - + Low FC Alacsony FC - + Light Cut Könnyű vágás - + Dark Cut Sötét vágás - + Drops Cseppek - + Oily Olajos - + Uneven Egyenetlen - + Tipping Borravaló - + Scorching Perzselő - + Divots - + Mode Mód - + BTU Batch BTU köteg - + BTU Batch per green kg BTU tétel zöld kg-onként - + CO2 Batch CO2 tétel - + BTU Preheat BTU előmelegítés - + CO2 Preheat CO2 Előmelegítés - + BTU BBP - + CO2 BBP - + BTU Cooling BTU hűtés - + CO2 Cooling CO2 hűtés - + BTU Roast BTU sült - + BTU Roast per green kg BTU Pörkölt per zöld kg - + CO2 Roast CO2 Pörkölt - + CO2 Batch per green kg CO2 Tétel/zöld kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Hatékonysági köteg - + Efficiency Roast Hatékonyság sült - + BBP Begin BBP Kezdje - + BBP Begin to Bottom Time - + BBP Bottom to CHARGE Time - + BBP Begin to Bottom RoR - + BBP Bottom to CHARGE RoR BBP Alulról CHARGE RoR - + File Name Fájl név - + Roast Ranking - + Ranking Report Rangsor jelentés - + AVG - + Roasting Report Pörkölési jegyzőkönyv - + Date: Dátum: - + Beans: Bab: - + Weight: Súly: - + Volume: Hangerő: - + Roaster: Pecsenyesütő: - + Operator: Operátor: - + Organization: Szervezet: - + Cupping: Köpölyözés: - + Color: Szín: - + Energy: Energia: - + CO2: - + CHARGE: DÍJ: - + Size: Méret: - + Density: Sűrűség: - + Moisture: Nedvesség: - + Ambient: Környező: - + TP: - + DRY: SZÁRAZ: - + FCs: FC: - + FCe: - + SCs: SC-k: - + SCe: - + DROP: CSEPP: - + COOL: MENŐ: - + MET: TALÁLKOZOTT: - + CM: - + Drying: Szárítás: - + Maillard: - + Finishing: Végső: - + Cooling: Hűtés: - + Background: Háttér: - + Alarms: Riasztások: - + RoR: - + AUC: - + Events Események @@ -11823,6 +11822,92 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Label + + + + + + + + + Weight + Súly + + + + + + + Beans + Bab + + + + + + Density + Sűrűség + + + + + + Color + Szín + + + + + + Moisture + Nedvesség + + + + + + + Roasting Notes + Sütési jegyzetek + + + + Score + Pontszám + + + + + Cupping Score + + + + + + + + Cupping Notes + Köpölyözés jegyzetek + + + + + + + + Roasted + Sült + + + + + + + + + Green + Zöld + @@ -11927,7 +12012,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -11946,7 +12031,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -11962,7 +12047,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -11981,7 +12066,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -12008,7 +12093,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -12040,7 +12125,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + DRY SZÁRAZ @@ -12057,7 +12142,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + FCs FC-k @@ -12065,7 +12150,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + FCe @@ -12073,7 +12158,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + SCs SC-k @@ -12081,7 +12166,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + SCe @@ -12094,7 +12179,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -12109,10 +12194,10 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe / perc - - - - + + + + @@ -12120,8 +12205,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe BE - - + + @@ -12135,8 +12220,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Ciklus - - + + Input Bemenet @@ -12170,7 +12255,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + @@ -12187,8 +12272,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - - + + Mode @@ -12250,7 +12335,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + Label @@ -12375,21 +12460,21 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + P - + I én - + D @@ -12451,13 +12536,6 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Markers Markerek - - - - - Color - Szín - Text Color @@ -12488,9 +12566,9 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Méret - - + + @@ -12528,8 +12606,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - - + + Event @@ -12542,7 +12620,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Akció - + Command Parancs @@ -12554,7 +12632,7 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Eltolás - + Factor @@ -12571,14 +12649,14 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Hőmérséklet - + Unit Mértékegység - + Source Forrás @@ -12589,10 +12667,10 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Fürt - - - + + + OFF @@ -12643,15 +12721,15 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Regisztráció - - + + Area Terület - - + + DB# DB # @@ -12659,54 +12737,54 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - + Start Rajt - - + + Comm Port Kommunikációs port - - + + Baud Rate Átviteli sebesség - - + + Byte Size Bájtméret - - + + Parity Paritás - - + + Stopbits - - + + @@ -12743,8 +12821,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - - + + Type Típus @@ -12754,8 +12832,8 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - - + + Host Hálózat @@ -12766,20 +12844,20 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe - - + + Port Kikötő - + SV Factor SV Faktor - + pid Factor pid Faktor @@ -12801,75 +12879,75 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Szigorú - - + + Device Eszköz - + Rack - + Slot Rés - + Path Pálya - + ID - + Connect Csatlakozás - + Reconnect Csatlakozzon újra - - + + Request Kérés - + Message ID Üzenet azonosítója - + Machine ID Gép azonosítója - + Data Adat - + Message Üzenet - + Data Request Adatkérés - - + + Node Csomópont @@ -12931,17 +13009,6 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe g - - - - - - - - - Weight - Súly - @@ -12949,25 +13016,6 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Volume Hangerő - - - - - - - - Green - Zöld - - - - - - - - Roasted - Sült - @@ -13018,31 +13066,16 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Dátum - + Batch Köteg - - - - - - Beans - Bab - % - - - - - Density - Sűrűség - Screen @@ -13058,13 +13091,6 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Ground Talaj - - - - - Moisture - Nedvesség - @@ -13077,22 +13103,6 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Ambient Conditions Környezeti feltételek - - - - - - Roasting Notes - Sütési jegyzetek - - - - - - - Cupping Notes - Köpölyözés jegyzetek - Ambient Source @@ -13114,140 +13124,140 @@ Az Artisan minden mintaidőszakban elindítja a programot. A program kimeneténe Keverék - + Template Sablon - + Results in Eredmények - + Rating Értékelés - + Pressure % Nyomás% - + Electric Energy Mix: Elektromos energia keverék: - + Renewable Megújuló - - + + Pre-Heating Előmelegítés - - + + Between Batches Tételek között - - + + Cooling Hűtés - + Between Batches after Pre-Heating Tételek között előmelegítés után - + (mm:ss) (mm: ss) - + Duration Időtartam - + Measured Energy or Output % Mért energia vagy teljesítmény% - - + + Preheat Előmelegítés - - + + BBP - - - - + + + + Roast Pörkölés - - + + per kg green coffee kg zöld kávé - + Load Megnyitás - + Organization Szervezet - + Operator Operátor - + Machine Gép - + Model Modell - + Heating Fűtés - + Drum Speed Dobsebesség - + organic material organikus anyag @@ -13571,12 +13581,6 @@ LCD-k Mind Roaster Pecsenyesütő - - - - Cupping Score - - Max characters per line @@ -13656,7 +13660,7 @@ LCD-k Mind Szél színe (RGBA) - + roasted sült @@ -13803,22 +13807,22 @@ LCD-k Mind - + ln() ln () - - + + x - - + + Bkgnd @@ -13967,99 +13971,99 @@ LCD-k Mind Töltse fel a babot - + /m / m - + greens zöldek - - - + + + STOP ÁLLJ MEG - - + + OPEN NYISD KI - - - + + + CLOSE BEZÁRÁS - - + + AUTO - - - + + + MANUAL KÉZIKÖNYV - + STIRRER KEVERŐ - + FILL TÖLT - + RELEASE KIADÁS - + HEATING FŰTÉS - + COOLING HŰTÉS - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -14385,11 +14389,6 @@ LCD-k Mind Aspect Ratio Képarány - - - Score - Pontszám - RPM FORDULAT @@ -14610,6 +14609,12 @@ LCD-k Mind Menu + + + + Schedule + Terv + @@ -15066,12 +15071,6 @@ LCD-k Mind Sliders Csúszkák - - - - Schedule - Terv - Full Screen @@ -15208,6 +15207,53 @@ LCD-k Mind Message + + + Scheduler started + Az ütemező elindult + + + + Scheduler stopped + Az ütemező leállt + + + + + + + Warning + Figyelem + + + + Completed roasts will not adjust the schedule while the schedule window is closed + A befejezett sütések nem módosítják az ütemezést, amíg az ütemezési ablak be van zárva + + + + + 1 batch + 1 tétel + + + + + + + {} batches + {} köteg + + + + Updating completed roast properties failed + A kész pörkölés tulajdonságainak frissítése nem sikerült + + + + Fetching completed roast properties failed + Nem sikerült lekérni a kész sütési tulajdonságokat + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15768,20 +15814,20 @@ Ismételje meg a műveletet a végén: {0} - + Bluetootooth access denied Bluetooth hozzáférés megtagadva - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Soros port beállításai: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15815,50 +15861,50 @@ Ismételje meg a műveletet a végén: {0} Háttérprofil olvasása... - + Event table copied to clipboard Az eseménytáblázat a vágólapra másolva - + The 0% value must be less than the 100% value. A 0%-os értéknek kisebbnek kell lennie, mint a 100%-os érték. - - + + Alarms from events #{0} created Riasztások a(z) #{0} eseményből létrehozva - - + + No events found Nem található események - + Event #{0} added {0}. esemény hozzáadva - + No profile found Nem található profil - + Events #{0} deleted A(z) {0}. számú esemény törölve - + Event #{0} deleted {0}. esemény törölve - + Roast properties updated but profile not saved to disk A pörkölés tulajdonságai frissítve, de a profil nincs lemezre mentve @@ -15873,7 +15919,7 @@ Ismételje meg a műveletet a végén: {0} MODBUS lekapcsolva - + Connected via MODBUS MODBUS-on keresztül csatlakozik @@ -16040,27 +16086,19 @@ Ismételje meg a műveletet a végén: {0} Sampling Mintavétel - - - - - - Warning - Figyelem - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. A szűk mintavételi intervallum bizonyos gépeken instabilitást okozhat. Javasoljuk, hogy minimum 1 másodperc. - + Incompatible variables found in %s Nem kompatibilis változók találhatók itt: %s - + Assignment problem Hozzárendelési probléma @@ -16154,8 +16192,8 @@ Ismételje meg a műveletet a végén: {0} kövesd - - + + Save Statistics Statisztikák mentése @@ -16317,19 +16355,19 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Kézműves konfigurálva a következőhöz: {0} - + Load theme {0}? Betölti a(z) {0} témát? - + Adjust Theme Related Settings Témával kapcsolatos beállítások módosítása - + Loaded theme {0} Téma betöltve: {0} @@ -16340,8 +16378,8 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Olyan színpárt észlelt, amelyet nehéz lehet látni: - - + + Simulator started @{}x A szimulátor elindult @{}x @@ -16392,14 +16430,14 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi autoDROP kikapcsolva - + PID set to OFF A PID OFF állásban van - + PID set to ON @@ -16619,7 +16657,7 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi {0} mentése megtörtént. Elkezdődött az új sütés - + Invalid artisan format @@ -16684,10 +16722,10 @@ Az aktuális beállításokat célszerű előzőleg elmenteni a Súgó >> Profil mentve - - - - + + + + @@ -16779,347 +16817,347 @@ Az aktuális beállításokat célszerű előzőleg elmenteni a Súgó >> A beállítások betöltése megszakítva - - + + Statistics Saved Statisztika mentve - + No statistics found Nem található statisztika - + Excel Production Report exported to {0} Excel termelési jelentés exportálva ide: {0} - + Ranking Report Rangsor jelentés - + Ranking graphs are only generated up to {0} profiles A rangsorolási grafikonok csak {0} profilig készülnek - + Profile missing DRY event A profilból hiányzik a DRY esemény - + Profile missing phase events A profilból hiányzó fázisesemények - + CSV Ranking Report exported to {0} CSV-rangsorolási jelentés exportálva ide: {0} - + Excel Ranking Report exported to {0} Excel rangsorolási jelentés exportálva ide: {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied A Bluetooth-mérleg nem csatlakoztatható, amíg az Artisan nem engedélyezi a Bluetooth-hozzáférést - + Bluetooth access denied Bluetooth hozzáférés megtagadva - + Hottop control turned off A hottop vezérlés kikapcsolva - + Hottop control turned on A hottop vezérlés bekapcsolva - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! A Hottop vezérléséhez először aktiválnia kell a szuperfelhasználói módot az időzítő LCD-n jobb klikkel! - - + + Settings not found A beállítások nem találhatók - + artisan-settings kézműves-beállítások - + Save Settings Beállítások mentése - + Settings saved Beállítások elmentve - + artisan-theme kézműves-téma - + Save Theme Téma mentése - + Theme saved Téma mentve - + Load Theme Töltsd be a témát - + Theme loaded Téma betöltve - + Background profile removed Háttérprofil eltávolítva - + Alarm Config Riasztás Konfig - + Alarms are not available for device None A riasztások nem érhetők el az eszközön Nincs - + Switching the language needs a restart. Restart now? A nyelvváltáshoz újra kell indítani. Újraindítás most? - + Restart Újrakezd - + Import K202 CSV K202 CSV importálása - + K202 file loaded successfully K202 fájl sikeresen betöltve - + Import K204 CSV K204 CSV importálása - + K204 file loaded successfully K204 fájl sikeresen betöltve - + Import Probat Recipe Probat recept importálása - + Probat Pilot data imported successfully Probat Pilot adatok sikeresen importálva - + Import Probat Pilot failed A Probat Pilot importálása nem sikerült - - + + {0} imported {0} importálva - + an error occurred on importing {0} hiba történt a(z) {0} importálásakor - + Import Cropster XLS Importálja a Cropster XLS-t - + Import RoastLog URL RoastLog URL importálása - + Import RoastPATH URL RoastPATH URL importálása - + Import Giesen CSV Importálja a Giesen CSV-t - + Import Petroncini CSV Importálja a Petroncini CSV-t - + Import IKAWA URL Importálja az IKAWA URL-t - + Import IKAWA CSV IKAWA CSV importálása - + Import Loring CSV Loring CSV importálása - + Import Rubasse CSV Importálja a Rubasse CSV-t - + Import HH506RA CSV HH506RA CSV importálása - + HH506RA file loaded successfully A HH506RA fájl sikeresen betöltve - + Save Graph as Grafikon mentése másként - + {0} size({1},{2}) saved {0} méret ({1},{2}) mentve - + Save Graph as PDF Grafikon mentése PDF formátumban - + Save Graph as SVG Graph mentése SVG-ként - + {0} saved {0} mentve - + Wheel {0} loaded A(z) {0} kerék betöltve - + Invalid Wheel graph format Érvénytelen kerékdiagram formátum - + Buttons copied to Palette # Gombok a palettára másolva # - + Palette #%i restored A #%i paletta visszaállítva - + Palette #%i empty #%i paletta üres - + Save Palettes Paletták mentése - + Palettes saved Paletták mentve - + Palettes loaded A paletták betöltve - + Invalid palettes file format Érvénytelen paletta fájlformátum - + Alarms loaded Riasztások betöltve - + Fitting curves... Görbék illesztése... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Figyelmeztetés: Az érdeklődésre számot tartó elemzési intervallum kezdete korábbi, mint a görbeillesztés kezdete. Javítsa ki ezt a Config>Curves>Analysis fülön. - + Analysis earlier than Curve fit A görbe illesztésénél korábbi elemzés - + Simulator stopped A szimulátor leállt - + debug logging ON hibakeresési naplózás BE @@ -17773,45 +17811,6 @@ Hiányzik a profilból [CHARGE] vagy [DROP] Background profile not found Háttérprofil nem található - - - Scheduler started - Az ütemező elindult - - - - Scheduler stopped - Az ütemező leállt - - - - Completed roasts will not adjust the schedule while the schedule window is closed - A befejezett sütések nem módosítják az ütemezést, amíg az ütemezési ablak be van zárva - - - - - 1 batch - 1 tétel - - - - - - - {} batches - {} köteg - - - - Updating completed roast properties failed - A kész pörkölés tulajdonságainak frissítése nem sikerült - - - - Fetching completed roast properties failed - Nem sikerült lekérni a kész sütési tulajdonságokat - Event # {0} recorded at BT = {1} Time = {2} {0}. számú esemény rögzítve BT = {1} Idő = {2} @@ -17951,51 +17950,6 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Plus - - - debug logging ON - hibakeresési naplózás BE - - - - debug logging OFF - hibakeresési naplózás KI - - - - 1 day left - 1 nap maradt - - - - {} days left - {} nap van hátra - - - - Paid until - Addig fizetett - - - - Please visit our {0}shop{1} to extend your subscription - Kérjük, látogassa meg {0} üzletünket {1} előfizetésének meghosszabbításához - - - - Do you want to extend your subscription? - Szeretné meghosszabbítani előfizetését? - - - - Your subscription ends on - Előfizetése ekkor lejár - - - - Your subscription ended on - Előfizetése lejárt - Roast successfully upload to {} @@ -18185,6 +18139,51 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Remember Emlékezik + + + debug logging ON + hibakeresési naplózás BE + + + + debug logging OFF + hibakeresési naplózás KI + + + + 1 day left + 1 nap maradt + + + + {} days left + {} nap van hátra + + + + Paid until + Addig fizetett + + + + Please visit our {0}shop{1} to extend your subscription + Kérjük, látogassa meg {0} üzletünket {1} előfizetésének meghosszabbításához + + + + Do you want to extend your subscription? + Szeretné meghosszabbítani előfizetését? + + + + Your subscription ends on + Előfizetése ekkor lejár + + + + Your subscription ended on + Előfizetése lejárt + ({} of {} done) ({}/{} kész) @@ -18347,10 +18346,10 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - - - - + + + + Roaster Scope @@ -18729,6 +18728,16 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Tab + + + To-Do + Csinálni + + + + Completed + Befejezve + @@ -18761,7 +18770,7 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi RS beállítása - + Extra @@ -18810,32 +18819,32 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - + ET/BT ET / BT - + Modbus - + S7 - + Scale Skála - + Color Szín - + WebSocket @@ -18872,17 +18881,17 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Beállít - + Details Részletek - + Loads Terhelések - + Protocol Jegyzőkönyv @@ -18967,16 +18976,6 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi LCDs LCDk - - - To-Do - Csinálni - - - - Completed - Befejezve - Done Kész @@ -19103,7 +19102,7 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - + @@ -19123,7 +19122,7 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi Áztassa HH: MM - + @@ -19133,7 +19132,7 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - + @@ -19157,37 +19156,37 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - + Device Eszköz - + Comm Port Kommunikációs port - + Baud Rate Átviteli sebesség - + Byte Size Bájtméret - + Parity Paritás - + Stopbits - + Timeout Időtúllépés @@ -19195,16 +19194,16 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - - + + Time Idő - - + + @@ -19213,8 +19212,8 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - - + + @@ -19223,104 +19222,104 @@ Annak érdekében, hogy ingyenes és naprakész legyen, kérjük, támogasson mi - + CHARGE TÖLTÉS - + DRY END SZÁRÍTÁS VÉGE - + FC START FC KEZD - + FC END FC VÉGE - + SC START SC KEZD - + SC END SC VÉGE - + DROP ÜRÍTÉS - + COOL HŰTÉS - + #{0} {1}{2} # {0} {1} {2} - + Power Fűtés - + Duration Időtartam - + CO2 - + Load Megnyitás - + Source Forrás - + Kind Kedves - + Name Név - + Weight Súly @@ -20215,7 +20214,7 @@ a PID kezdeményezte - + @@ -20236,7 +20235,7 @@ a PID kezdeményezte - + Show help Segítség megjelenítése @@ -20390,20 +20389,24 @@ A hő (vagy gázáramlás) csökkentése a gáznyomás 50%-ával Futtassa a mintavételi műveletet szinkronosan ({}) minden mintavételi időközönként, vagy válasszon ismétlési időintervallumot, hogy aszinkron módon futtassa a mintavételezés közben - + OFF Action String KI Műveleti karakterlánc - + ON Action String - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Extra késleltetés a csatlakozás után másodpercekben a kérések elküldése előtt (a csatlakozáskor újrainduló Arduino eszközöknek szüksége van rá) + + + Extra delay in Milliseconds between MODBUS Serial commands Extra késleltetés ezredmásodpercben a MODBUS soros parancsok között @@ -20419,12 +20422,7 @@ A hő (vagy gázáramlás) csökkentése a gáznyomás 50%-ával - - Reset socket connection on error - Reset socket kapcsolat hiba esetén - - - + Scan S7 @@ -20440,7 +20438,7 @@ A hő (vagy gázáramlás) csökkentése a gáznyomás 50%-ával Csak betöltött hátterekhez extra eszközökkel - + The maximum nominal batch size of the machine in kg A gép maximális névleges tételmérete kg-ban @@ -20874,32 +20872,32 @@ Currently in TEMP MODE Jelenleg TEMP MODE-ban van - + <b>Label</b>= <b>Címke</b>= - + <b>Description </b>= <b>Leírás </b>= - + <b>Type </b>= <b>Típus </b>= - + <b>Value </b>= <b>Érték </b>= - + <b>Documentation </b>= <b>Dokumentáció </b>= - + <b>Button# </b>= <b>Button# </b>= @@ -20983,6 +20981,10 @@ Jelenleg TEMP MODE-ban van Sets button colors to grey scale and LCD colors to black and white A gombok színét szürkeárnyalatosra, az LCD színeit pedig fekete-fehérre állítja + + Reset socket connection on error + Reset socket kapcsolat hiba esetén + Action String Akciókarakterlánc diff --git a/src/translations/artisan_id.qm b/src/translations/artisan_id.qm index 20ec491cb..e8a01f5f3 100644 Binary files a/src/translations/artisan_id.qm and b/src/translations/artisan_id.qm differ diff --git a/src/translations/artisan_id.ts b/src/translations/artisan_id.ts index c921dde00..965aef042 100644 --- a/src/translations/artisan_id.ts +++ b/src/translations/artisan_id.ts @@ -9,57 +9,57 @@ Rilis Sponsor - + About Tentang Artisan - + Core Developers Pengembang Inti - + License Lisensi - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Ada masalah saat mengambil informasi versi terbaru. Harap periksa sambungan Internet Anda, coba lagi nanti, atau periksa secara manual. - + A new release is available. Rilis baru tersedia. - + Show Change list Tampilkan daftar Ubah - + Download Release Download Rilis - + You are using the latest release. Anda menggunakan rilis terbaru. - + You are using a beta continuous build. Anda menggunakan versi beta berkelanjutan. - + You will see a notice here once a new official release is available. Anda akan melihat pemberitahuan di sini setelah rilis resmi baru tersedia. - + Update status Memperbaharui status @@ -239,14 +239,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Batal + - - - - + + + + Restore Defaults @@ -274,7 +294,7 @@ - + @@ -302,7 +322,7 @@ - + @@ -360,17 +380,6 @@ Save Simpan - - - - - - - - - OK - OK - On @@ -583,15 +592,6 @@ Write PIDs Tulis PID - - - - - - - Cancel - Batal - Set ET PID to MM:SS time units @@ -610,8 +610,8 @@ - - + + @@ -631,7 +631,7 @@ - + @@ -671,7 +671,7 @@ Mulai - + Scan Pindai @@ -756,9 +756,9 @@ Perbaharui - - - + + + Save Defaults Simpan Default @@ -1485,12 +1485,12 @@ END Mengapung - + START on CHARGE MULAI BIAYA - + OFF on DROP MATI saat DROP @@ -1562,61 +1562,61 @@ END Tampilkan Selalu - + Heavy FC FC Berat - + Low FC FC Rendah - + Light Cut Potong tipis - + Dark Cut Potong Hitam - + Drops Drop - + Oily Berminyak - + Uneven Tidak merata - + Tipping Pecah - + Scorching Gosong - + Divots Divot @@ -2412,14 +2412,14 @@ END - + ET ET - + BT BT @@ -2442,24 +2442,19 @@ END kata - + optimize optimalkan - + fetch full blocks ambil blok penuh - - reset - mengatur ulang - - - + compression kompresi @@ -2645,6 +2640,10 @@ END Elec pilihan + + reset + mengatur ulang + Title Judul @@ -2828,6 +2827,16 @@ END Contextual Menu + + + All batches prepared + Semua batch sudah disiapkan + + + + No batch prepared + Tidak ada batch yang disiapkan + Add point @@ -2873,16 +2882,6 @@ END Edit Sunting - - - All batches prepared - Semua batch sudah disiapkan - - - - No batch prepared - Tidak ada batch yang disiapkan - Cancel selection Batalkan pilihan @@ -4240,20 +4239,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4346,42 +4345,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4450,10 +4449,10 @@ END - - - - + + + + @@ -4651,12 +4650,12 @@ END - - - - - - + + + + + + @@ -4665,17 +4664,17 @@ END Kesalahan Nilai: - + Serial Exception: invalid comm port Pengecualian Serial: port komunikasi tidak valid - + Serial Exception: timeout Pengecualian Seri: batas waktu - + Unable to move CHARGE to a value that does not exist Tidak dapat memindahkan CHARGE ke nilai yang tidak ada @@ -4685,30 +4684,30 @@ END Komunikasi Modbus Dilanjutkan - + Modbus Error: failed to connect Kesalahan Modbus: gagal terhubung - - - - - - - - - + + + + + + + + + Modbus Error: Kesalahan modbus: - - - - - - + + + + + + Modbus Communication Error Kesalahan Komunikasi Modbus @@ -4792,52 +4791,52 @@ END Pengecualian: {} bukan file setelan yang valid - - - - - + + + + + Error Kesalahan - + Exception: WebLCDs not supported by this build Pengecualian: WebLCD tidak didukung oleh build ini - + Could not start WebLCDs. Selected port might be busy. Tidak dapat memulai WebLCD. Port yang dipilih mungkin sibuk. - + Failed to save settings Gagal menyimpan setelan - - + + Exception (probably due to an empty profile): Pengecualian (mungkin karena profil kosong): - + Analyze: CHARGE event required, none found Analisis: Diperlukan acara CHARGE, tidak ada yang ditemukan - + Analyze: DROP event required, none found Analisis: Diperlukan acara DROP, tidak ada yang ditemukan - + Analyze: no background profile data available Analisis: tidak ada data profil latar belakang yang tersedia - + Analyze: background profile requires CHARGE and DROP events Analisis: profil latar belakang memerlukan peristiwa CHARGE dan DROP @@ -4888,6 +4887,12 @@ END Form Caption + + + + Custom Blend + Campuran Khusus + Axes @@ -5022,12 +5027,12 @@ END Konfigurasi Port - + MODBUS Help Bantuan MODBUS - + S7 Help S7 Bantuan @@ -5047,23 +5052,17 @@ END Properti Panggang - - - Custom Blend - Campuran Khusus - - - + Energy Help Bantuan Energi - + Tare Setup Pengaturan Tare - + Set Measure from Profile Atur Ukur dari Profil @@ -5273,27 +5272,27 @@ END Pengelolaan - + Registers Mendaftar - - + + Commands Perintah - + PID - + Serial Serial @@ -5304,37 +5303,37 @@ END - + Input Memasukkan - + Machine Mesin - + Timeout Waktu habis - + Nodes Node - + Messages Pesan - + Flags Bendera - + Events Acara @@ -5346,14 +5345,14 @@ END - + Energy Energi - + CO2 @@ -5593,14 +5592,14 @@ END HTML Report Template - + BBP Total Time Total Waktu BBP - + BBP Bottom Temp Suhu Bawah BBP @@ -5617,849 +5616,849 @@ END - + Whole Color Warna Keseluruhan - - + + Profile Profil - + Roast Batches Batch Panggang - - - + + + Batch Batch - - + + Date Tanggal - - - + + + Beans Biji - - - + + + In Di dalam - - + + Out Keluar - - - + + + Loss Kehilangan - - + + SUM JUMLAH - + Production Report Laporan Produksi - - + + Time Waktu - - + + Weight In Berat Masuk - - + + CHARGE BT BIAYA BT - - + + FCs Time Waktu FC - - + + FCs BT FC BT - - + + DROP Time Waktu DROP - - + + DROP BT JATUHKAN BT - + Dry Percent Persen Kering - + MAI Percent Persen MAI - + Dev Percent Persen Pengembangan - - + + AUC - - + + Weight Loss Bobot Susut - - + + Color Warna - + Cupping bekam - + Roaster pemanggang - + Capacity Kapasitas - + Operator - + Organization Organisasi - + Drum Speed Kecepatan Drum - + Ground Color Warna bubuk - + Color System Sistem Warna - + Screen Min Layar Min - + Screen Max Layar Maks - + Bean Temp Temperatur biji - + CHARGE ET BIAYA ET - + TP Time Waktu TP - + TP ET - + TP BT - + DRY Time Waktu KERING - + DRY ET KERING ET - + DRY BT BT KERING - + FCs ET FC ET - + FCe Time Waktu FCe - + FCe ET - + FCe BT - + SCs Time Waktu SC - + SCs ET SC ET - + SCs BT SC BT - + SCe Time Waktu SCe - + SCe ET - + SCe BT - + DROP ET JATUHKAN ET - + COOL Time Waktu menyenangkan - + COOL ET KEREN ET - + COOL BT BT KEREN - + Total Time Jumlah Waktu - + Dry Phase Time Waktu Fase Kering - + Mid Phase Time Waktu Fase Pertengahan - + Finish Phase Time Selesaikan Waktu Fase - + Dry Phase RoR RoR Fase Kering - + Mid Phase RoR RoR Fase Tengah - + Finish Phase RoR Selesaikan Fase RoR - + Dry Phase Delta BT Delta Fase Kering BT - + Mid Phase Delta BT Delta BT Fase Tengah - + Finish Phase Delta BT Selesaikan Fase Delta BT - + Finish Phase Rise Selesaikan Fase Kenaikan - + Total RoR Jumlah RoR - + FCs RoR RoR FC - + MET BERTEMU - + AUC Begin AUC Dimulai - + AUC Base Pangkalan AUC - + Dry Phase AUC AUC Fase Kering - + Mid Phase AUC AUC Fase Pertengahan - + Finish Phase AUC Tahap Akhir AUC - + Weight Out Berat Badan - + Volume In Volume Masuk - + Volume Out Volume Keluar - + Volume Gain Gain Volume - + Green Density Kepadatan Hijau - + Roasted Density Kepadatan Panggang - + Moisture Greens Hijau Kelembapan - + Moisture Roasted Kelembaban matang - + Moisture Loss Hilangnya Kelembapan - + Organic Loss Kerugian Organik - + Ambient Humidity Kelembaban Sekitar - + Ambient Pressure Tekanan Sekitar - + Ambient Temperature Suhu Sekitar - - + + Roasting Notes Catatan Panggang - - + + Cupping Notes Catatan Bekam - + Heavy FC FC Berat - + Low FC FC Rendah - + Light Cut Potong tipis - + Dark Cut Potong Hitam - + Drops Drop - + Oily Berminyak - + Uneven Tidak merata - + Tipping Pecah - + Scorching Gosong - + Divots Divot - + Mode - + BTU Batch Batch BTU - + BTU Batch per green kg BTU Batch per kg hijau - + CO2 Batch Kelompok CO2 - + BTU Preheat BTU Panaskan terlebih dahulu - + CO2 Preheat CO2 Panaskan terlebih dahulu - + BTU BBP - + CO2 BBP - + BTU Cooling Pendinginan BTU - + CO2 Cooling Pendinginan CO2 - + BTU Roast BTU Panggang - + BTU Roast per green kg BTU Panggang per kg hijau - + CO2 Roast Panggang CO2 - + CO2 Batch per green kg Batch CO2 per kg hijau - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Kelompok Efisiensi - + Efficiency Roast Efisiensi Panggang - + BBP Begin BBP Mulai - + BBP Begin to Bottom Time BBP Mulai ke Waktu Terbawah - + BBP Bottom to CHARGE Time BBP Bawah untuk MENGISI Waktu - + BBP Begin to Bottom RoR BBP Mulai ke Bawah RoR - + BBP Bottom to CHARGE RoR BBP Bawah untuk MENGISI RoR - + File Name Nama file - + Roast Ranking Peringkat Panggang - + Ranking Report Laporan Peringkat - + AVG Rata-rata - + Roasting Report Laporan Pemanggangan - + Date: Tanggal: - + Beans: Kacang polong: - + Weight: Berat: - + Volume: - + Roaster: pemanggang: - + Operator: - + Organization: Organisasi: - + Cupping: bekam: - + Color: Warna: - + Energy: Energi: - + CO2: - + CHARGE: MENGENAKAN BIAYA: - + Size: Ukuran: - + Density: Kepadatan: - + Moisture: kelembaban: - + Ambient: Sekelilingnya: - + TP: dll: - + DRY: KERING: - + FCs: FC: - + FCe: - + SCs: SC: - + SCe: - + DROP: MENJATUHKAN: - + COOL: DINGIN: - + MET: BERTEMU: - + CM: - + Drying: Pengeringan: - + Maillard: surat: - + Finishing: Penyelesaian: - + Cooling: Pendinginan: - + Background: Latar belakang: - + Alarms: Alarm: - + RoR: - + AUC: - + Events Kejadian @@ -11530,6 +11529,92 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Label + + + + + + + + + Weight + Bobot + + + + + + + Beans + Biji + + + + + + Density + Densitas + + + + + + Color + Warna + + + + + + Moisture + Kelembaban + + + + + + + Roasting Notes + Catatan Panggang + + + + Score + Skor + + + + + Cupping Score + Skor Bekam + + + + + + + Cupping Notes + Catatan Bekam + + + + + + + + Roasted + matang + + + + + + + + + Green + hijau + @@ -11634,7 +11719,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11653,7 +11738,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11669,7 +11754,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11688,7 +11773,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11715,7 +11800,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11747,7 +11832,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + DRY @@ -11764,7 +11849,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + FCs @@ -11772,7 +11857,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + FCe FCe @@ -11780,7 +11865,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + SCs SCs @@ -11788,7 +11873,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + SCe SCe @@ -11801,7 +11886,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11816,10 +11901,10 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus /min - - - - + + + + @@ -11827,8 +11912,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus HIDUP - - + + @@ -11842,8 +11927,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Siklus - - + + Input Memasukkan @@ -11877,7 +11962,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + @@ -11894,8 +11979,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - - + + Mode @@ -11957,7 +12042,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + Label @@ -12082,21 +12167,21 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus SV maks - + P P. - + I saya - + D @@ -12158,13 +12243,6 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Markers Penanda - - - - - Color - Warna - Text Color @@ -12195,9 +12273,9 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Ukuran - - + + @@ -12235,8 +12313,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - - + + Event @@ -12249,7 +12327,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Tindakan - + Command Perintah @@ -12261,7 +12339,7 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Mengimbangi - + Factor @@ -12278,14 +12356,14 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Temperatur - + Unit Satuan - + Source Sumber @@ -12296,10 +12374,10 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Gugus - - - + + + OFF @@ -12350,15 +12428,15 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Daftar - - + + Area Daerah - - + + DB# DB # @@ -12366,54 +12444,54 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - + Start Mulai - - + + Comm Port Pelabuhan Umum - - + + Baud Rate Tingkat Baud - - + + Byte Size Ukuran Byte - - + + Parity Keseimbangan - - + + Stopbits Stopbit - - + + @@ -12450,8 +12528,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - - + + Type Tipe @@ -12461,8 +12539,8 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - - + + Host Jaringan @@ -12473,20 +12551,20 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus - - + + Port Pelabuhan - + SV Factor Faktor SV - + pid Factor Faktor pid @@ -12508,75 +12586,75 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Ketat - - + + Device Peralatan - + Rack Rak - + Slot slot - + Path Jalan - + ID Indo - + Connect Menghubung - + Reconnect Hubungkan kembali - - + + Request Permintaan - + Message ID ID pesan - + Machine ID ID Mesin - + Data - + Message Pesan - + Data Request Permintaan Data - - + + Node simpul @@ -12638,17 +12716,6 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus g g - - - - - - - - - Weight - Bobot - @@ -12656,25 +12723,6 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Volume Volume - - - - - - - - Green - hijau - - - - - - - - Roasted - matang - @@ -12725,31 +12773,16 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Tanggal - + Batch Batch - - - - - - Beans - Biji - % % - - - - - Density - Densitas - Screen @@ -12765,13 +12798,6 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Ground Tanah - - - - - Moisture - Kelembaban - @@ -12784,22 +12810,6 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Ambient Conditions Kondisi Sekitar - - - - - - Roasting Notes - Catatan Panggang - - - - - - - Cupping Notes - Catatan Bekam - Ambient Source @@ -12821,140 +12831,140 @@ Saat Pintasan Keyboard MATI menambahkan acara khusus Campur - + Template Templat - + Results in Hasil dalam - + Rating Peringkat - + Pressure % Tekanan% - + Electric Energy Mix: Campuran Energi Listrik: - + Renewable Dapat diperbarui - - + + Pre-Heating Pra-Pemanasan - - + + Between Batches Antara Batch - - + + Cooling Pendinginan - + Between Batches after Pre-Heating Antara Batch setelah Pre-Heating - + (mm:ss) (mm: dd) - + Duration Durasi - + Measured Energy or Output % Energi Terukur atau Output% - - + + Preheat Memanaskan lebih dulu - - + + BBP - - - - + + + + Roast Roast - - + + per kg green coffee per kg kopi hijau - + Load Muat - + Organization Organisasi - + Operator - + Machine Mesin - + Model - + Heating Pemanasan - + Drum Speed Kecepatan Drum - + organic material bahan organik @@ -13278,12 +13288,6 @@ Semua LCD Roaster Pemanggang - - - - Cupping Score - Skor Bekam - Max characters per line @@ -13363,7 +13367,7 @@ Semua LCD Warna tepi (RGBA) - + roasted matang @@ -13510,22 +13514,22 @@ Semua LCD - + ln() ln () - - + + x x - - + + Bkgnd Kembali ke atas @@ -13674,99 +13678,99 @@ Semua LCD Mengisikan biji - + /m /M - + greens Hijau - - - + + + STOP BERHENTI - - + + OPEN MEMBUKA - - - + + + CLOSE MENUTUP - - + + AUTO OTOMATIS - - - + + + MANUAL - + STIRRER PENGADU - + FILL MENGISI - + RELEASE MELEPASKAN - + HEATING PEMANASAN - + COOLING PENDINGINAN - + RMSE BT RMSEBT - + MSE BT UMK BT - + RoR - + @FCs @Fc - + Max+/Max- RoR Max + / Max- RoR @@ -14092,11 +14096,6 @@ Semua LCD Aspect Ratio Rasio Aspek - - - Score - Skor - Coarse Kasar @@ -14346,6 +14345,12 @@ Semua LCD Menu + + + + Schedule + Rencana + @@ -14802,12 +14807,6 @@ Semua LCD Sliders Tombol geser - - - - Schedule - Rencana - Full Screen @@ -14960,6 +14959,53 @@ Semua LCD Message + + + Scheduler started + Penjadwal dimulai + + + + Scheduler stopped + Penjadwal berhenti + + + + + + + Warning + Peringatan + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Sangrai yang sudah selesai tidak akan menyesuaikan jadwal selama jendela jadwal ditutup + + + + + 1 batch + 1 kelompok + + + + + + + {} batches + {} kumpulan + + + + Updating completed roast properties failed + Gagal memperbarui properti sangrai yang telah selesai + + + + Fetching completed roast properties failed + Gagal mengambil properti sangrai yang telah selesai + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15520,20 +15566,20 @@ Ulangi Operasi di akhir: {0} - + Bluetootooth access denied Akses Bluetooth ditolak - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Pengaturan Port Serial: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15567,50 +15613,50 @@ Ulangi Operasi di akhir: {0} Membaca profil latar belakang... - + Event table copied to clipboard Tabel acara disalin ke papan klip - + The 0% value must be less than the 100% value. Nilai 0% harus lebih kecil dari nilai 100%. - - + + Alarms from events #{0} created Alarm dari peristiwa #{0} dibuat - - + + No events found Tidak ada acara yang ditemukan - + Event #{0} added Acara #{0} ditambahkan - + No profile found Profil tidak ditemukan - + Events #{0} deleted Acara #{0} dihapus - + Event #{0} deleted Acara #{0} dihapus - + Roast properties updated but profile not saved to disk Properti sangrai diperbarui tetapi profil tidak disimpan ke disk @@ -15625,7 +15671,7 @@ Ulangi Operasi di akhir: {0} MODBUS terputus - + Connected via MODBUS Terhubung melalui MODBUS @@ -15792,27 +15838,19 @@ Ulangi Operasi di akhir: {0} Sampling Contoh - - - - - - Warning - Peringatan - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Interval pengambilan sampel yang ketat dapat menyebabkan ketidakstabilan pada beberapa mesin. Kami menyarankan minimal 1s. - + Incompatible variables found in %s Variabel yang tidak cocok ditemukan di %s - + Assignment problem Masalah penugasan @@ -15906,8 +15944,8 @@ Ulangi Operasi di akhir: {0} ikuti - - + + Save Statistics Simpan Statistik @@ -16069,19 +16107,19 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Artisan dikonfigurasi untuk {0} - + Load theme {0}? Muat tema {0}? - + Adjust Theme Related Settings Sesuaikan Pengaturan Terkait Tema - + Loaded theme {0} Tema dimuat {0} @@ -16092,8 +16130,8 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Mendeteksi pasangan warna yang mungkin sulit dilihat: - - + + Simulator started @{}x Simulator dimulai @{}x @@ -16144,14 +16182,14 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a matikan otomatis - + PID set to OFF PID MATI - + PID set to ON @@ -16371,7 +16409,7 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a {0} telah disimpan. Panggangan baru telah dimulai - + Invalid artisan format @@ -16436,10 +16474,10 @@ Disarankan untuk menyimpan pengaturan Anda saat ini terlebih dahulu melalui menu Profil disimpan - - - - + + + + @@ -16531,347 +16569,347 @@ Disarankan untuk menyimpan pengaturan Anda saat ini terlebih dahulu melalui menu Muat Pengaturan dibatalkan - - + + Statistics Saved Statistik Disimpan - + No statistics found Tidak ada statistik yang ditemukan - + Excel Production Report exported to {0} Laporan Produksi Excel diekspor ke {0} - + Ranking Report Laporan Peringkat - + Ranking graphs are only generated up to {0} profiles Grafik peringkat hanya dibuat hingga {0} profil - + Profile missing DRY event Profil tidak ada acara KERING - + Profile missing phase events Profil peristiwa fase yang hilang - + CSV Ranking Report exported to {0} Laporan Peringkat CSV diekspor ke {0} - + Excel Ranking Report exported to {0} Laporan Peringkat Excel diekspor ke {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Timbangan Bluetooth tidak dapat dihubungkan sementara izin Artisan untuk mengakses Bluetooth ditolak - + Bluetooth access denied Akses Bluetooth ditolak - + Hottop control turned off Kontrol hottop dimatikan - + Hottop control turned on Kontrol hottop diaktifkan - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Untuk mengontrol Hottop Anda perlu mengaktifkan mode pengguna super melalui klik kanan pada LCD pengatur waktu terlebih dahulu! - - + + Settings not found Setelan tidak ditemukan - + artisan-settings pengaturan tukang - + Save Settings Simpan Pengaturan - + Settings saved Setelan disimpan - + artisan-theme tema artisan - + Save Theme Simpan Tema - + Theme saved Tema disimpan - + Load Theme Muat Tema - + Theme loaded Tema dimuat - + Background profile removed Profil latar belakang dihapus - + Alarm Config Konfigurasi Alarm - + Alarms are not available for device None Alarm tidak tersedia untuk perangkat Tidak ada - + Switching the language needs a restart. Restart now? Mengganti bahasa membutuhkan restart. Restart sekarang? - + Restart Mengulang kembali - + Import K202 CSV Impor K202 CSV - + K202 file loaded successfully File K202 berhasil dimuat - + Import K204 CSV Impor K204 CSV - + K204 file loaded successfully File K204 berhasil dimuat - + Import Probat Recipe Impor Resep Probat - + Probat Pilot data imported successfully Data Probat Pilot berhasil diimpor - + Import Probat Pilot failed Impor Probat Pilot gagal - - + + {0} imported {0} diimpor - + an error occurred on importing {0} terjadi kesalahan saat mengimpor {0} - + Import Cropster XLS Impor Cropster XLS - + Import RoastLog URL Impor URL RoastLog - + Import RoastPATH URL Impor URL RoastPATH - + Import Giesen CSV Impor Giesen CSV - + Import Petroncini CSV Impor Petroncini CSV - + Import IKAWA URL Impor URL IKAWA - + Import IKAWA CSV Impor IKAWA CSV - + Import Loring CSV Impor Loring CSV - + Import Rubasse CSV Impor Rubasse CSV - + Import HH506RA CSV Impor HH506RA CSV - + HH506RA file loaded successfully File HH506RA berhasil dimuat - + Save Graph as Simpan Grafik sebagai - + {0} size({1},{2}) saved {0} ukuran({1},{2}) disimpan - + Save Graph as PDF Simpan Grafik sebagai PDF - + Save Graph as SVG Simpan Grafik sebagai SVG - + {0} saved {0} disimpan - + Wheel {0} loaded Roda {0} dimuat - + Invalid Wheel graph format Format grafik Roda tidak valid - + Buttons copied to Palette # Tombol disalin ke Palet # - + Palette #%i restored Palet #%i dipulihkan - + Palette #%i empty Palet #%i kosong - + Save Palettes Simpan Palet - + Palettes saved Palet disimpan - + Palettes loaded Palet dimuat - + Invalid palettes file format Format file palet tidak valid - + Alarms loaded Alarm dimuat - + Fitting curves... Menyesuaikan kurva... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Peringatan: Awal interval analisis bunga lebih awal dari awal pemasangan kurva. Perbaiki ini pada tab Config>Curves>Analyze. - + Analysis earlier than Curve fit Analisis lebih awal dari Curve fit - + Simulator stopped Simulator berhenti - + debug logging ON debug masuk ON @@ -17525,45 +17563,6 @@ Profil tidak ada [CHARGE] atau [DROP] Background profile not found Profil latar belakang tidak ditemukan - - - Scheduler started - Penjadwal dimulai - - - - Scheduler stopped - Penjadwal berhenti - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Sangrai yang sudah selesai tidak akan menyesuaikan jadwal selama jendela jadwal ditutup - - - - - 1 batch - 1 kelompok - - - - - - - {} batches - {} kumpulan - - - - Updating completed roast properties failed - Gagal memperbarui properti sangrai yang telah selesai - - - - Fetching completed roast properties failed - Gagal mengambil properti sangrai yang telah selesai - Event # {0} recorded at BT = {1} Time = {2} Peristiwa # {0} direkam pada BT = {1} Waktu = {2} @@ -17659,51 +17658,6 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Plus - - - debug logging ON - debug masuk ON - - - - debug logging OFF - debug logging OFF - - - - 1 day left - 1 hari lagi - - - - {} days left - {} hari tersisa - - - - Paid until - Dibayar sampai - - - - Please visit our {0}shop{1} to extend your subscription - Kunjungi {0} toko {1} kami untuk memperpanjang langganan Anda - - - - Do you want to extend your subscription? - Apakah Anda ingin memperpanjang langganan Anda? - - - - Your subscription ends on - Langganan Anda berakhir - - - - Your subscription ended on - Langganan Anda berakhir pada - Roast successfully upload to {} @@ -17893,6 +17847,51 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Remember Ingat + + + debug logging ON + debug masuk ON + + + + debug logging OFF + debug logging OFF + + + + 1 day left + 1 hari lagi + + + + {} days left + {} hari tersisa + + + + Paid until + Dibayar sampai + + + + Please visit our {0}shop{1} to extend your subscription + Kunjungi {0} toko {1} kami untuk memperpanjang langganan Anda + + + + Do you want to extend your subscription? + Apakah Anda ingin memperpanjang langganan Anda? + + + + Your subscription ends on + Langganan Anda berakhir + + + + Your subscription ended on + Langganan Anda berakhir pada + ({} of {} done) ({} dari {} selesai) @@ -18055,10 +18054,10 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - - - - + + + + Roaster Scope Mari ngopi @@ -18437,6 +18436,16 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Tab + + + To-Do + Melakukan + + + + Completed + Lengkap + @@ -18469,7 +18478,7 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Setel RS - + Extra @@ -18518,32 +18527,32 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - + ET/BT ET/BT - + Modbus Modbus - + S7 S7 - + Scale Skala - + Color Warna - + WebSocket Soket Web @@ -18580,17 +18589,17 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Mendirikan - + Details Detail - + Loads Beban - + Protocol Protokol @@ -18675,16 +18684,6 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a LCDs LCD - - - To-Do - Melakukan - - - - Completed - Lengkap - Done Selesai @@ -18823,7 +18822,7 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - + @@ -18843,7 +18842,7 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a Rendam HH: MM - + @@ -18853,7 +18852,7 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - + @@ -18877,37 +18876,37 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - + Device Piranti - + Comm Port Pelabuhan Umum - + Baud Rate Tingkat Baud - + Byte Size Ukuran Byte - + Parity Keseimbangan - + Stopbits Stopbit - + Timeout Waktu habis @@ -18915,16 +18914,16 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - - + + Time Waktu - - + + @@ -18933,8 +18932,8 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - - + + @@ -18943,104 +18942,104 @@ Agar tetap gratis dan terkini, dukung kami dengan donasi Anda dan berlangganan a - + CHARGE MENGISI - + DRY END AKHIR PENGERINGAN - + FC START FC MULAI - + FC END FC AKHIR - + SC START SC MULAI - + SC END SC AKHIR - + DROP KELUARKAN - + COOL PENDINGINAN - + #{0} {1}{2} # {0} {1} {2} - + Power Daya - + Duration Durasi - + CO2 - + Load Muat - + Source Sumber - + Kind Jenis - + Name Nama - + Weight Bobot @@ -19976,7 +19975,7 @@ diprakarsai oleh PID - + @@ -19997,7 +19996,7 @@ diprakarsai oleh PID - + Show help Menunjukkan bantuan @@ -20151,20 +20150,24 @@ harus dikurangi 4 kali. Jalankan tindakan pengambilan sampel secara sinkron ({}) setiap interval pengambilan sampel atau pilih interval waktu berulang untuk menjalankannya secara asinkron saat pengambilan sampel - + OFF Action String String Tindakan NONAKTIF - + ON Action String AKTIF String Tindakan - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Penundaan tambahan setelah terhubung dalam hitungan detik sebelum mengirim permintaan (diperlukan oleh perangkat Arduino yang memulai ulang saat terhubung) + + + Extra delay in Milliseconds between MODBUS Serial commands Penundaan ekstra dalam Milidetik antara perintah MODBUS Serial @@ -20180,12 +20183,7 @@ harus dikurangi 4 kali. Pindai MODBUS - - Reset socket connection on error - Setel ulang koneksi soket pada kesalahan - - - + Scan S7 Pindai S7 @@ -20201,7 +20199,7 @@ harus dikurangi 4 kali. Untuk latar belakang yang dimuat dengan perangkat tambahan saja - + The maximum nominal batch size of the machine in kg Ukuran batch nominal maksimum mesin dalam kg @@ -20635,32 +20633,32 @@ Currently in TEMP MODE Saat ini dalam MODE SUHU - + <b>Label</b>= <b>Label</b>= - + <b>Description </b>= <b>Deskripsi </b>= - + <b>Type </b>= <b>Ketik </b>= - + <b>Value </b>= <b>Nilai </b>= - + <b>Documentation </b>= <b>Dokumentasi </b>= - + <b>Button# </b>= <b>Tombol# </b>= @@ -20744,6 +20742,10 @@ Saat ini dalam MODE SUHU Sets button colors to grey scale and LCD colors to black and white Mengatur warna tombol menjadi skala abu-abu dan warna LCD menjadi hitam putih + + Reset socket connection on error + Setel ulang koneksi soket pada kesalahan + Action String Rangkaian Aksi diff --git a/src/translations/artisan_it.qm b/src/translations/artisan_it.qm index f9fd389a7..d8f493a95 100644 Binary files a/src/translations/artisan_it.qm and b/src/translations/artisan_it.qm differ diff --git a/src/translations/artisan_it.ts b/src/translations/artisan_it.ts index f3bf5ca5a..f33c15706 100644 --- a/src/translations/artisan_it.ts +++ b/src/translations/artisan_it.ts @@ -9,57 +9,57 @@ Sponsor del rilascio - + About Informazioni - + Core Developers Sviluppatori - + License Licenza - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Si è verificato un problema durante il recupero delle informazioni sulla versione più recente. Controlla la tua connessione Internet, riprova più tardi o controlla manualmente. - + A new release is available. È disponibile una nuova versione. - + Show Change list Mostra elenco modifiche - + Download Release Scarica la versione - + You are using the latest release. Stai utilizzando l'ultima versione. - + You are using a beta continuous build. Stai utilizzando una build continua beta. - + You will see a notice here once a new official release is available. Vedrai un avviso qui quando sarà disponibile una nuova versione ufficiale. - + Update status Aggiorna stato @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Elimina + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save Salva - - - - - - - - - OK - OK - On @@ -563,15 +572,6 @@ Write PIDs Scrittura PID - - - - - - - Cancel - Elimina - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ Inizio - + Scan Scansione @@ -736,9 +736,9 @@ Aggiorna - - - + + + Save Defaults Salva impostazioni predefinite @@ -1469,12 +1469,12 @@ END - + START on CHARGE INIZIO su CARRICO - + OFF on DROP SPENTO su SCARICO @@ -1546,61 +1546,61 @@ END Mostra sempre - + Heavy FC PC forte - + Low FC PC leggero - + Light Cut Taglio chiaro - + Dark Cut Taglio scuro - + Drops Gocce - + Oily Oleoso - + Uneven Non omogeneo - + Tipping Tipping - + Scorching Scorching - + Divots Vuoti @@ -2416,14 +2416,14 @@ END - + ET ET - + BT BT @@ -2446,24 +2446,19 @@ END parole - + optimize ottimizzare - + fetch full blocks recuperare blocchi completi - - reset - Ripristina - - - + compression compressione @@ -2649,6 +2644,10 @@ END Elec + + reset + Ripristina + Title Titolo @@ -2836,6 +2835,16 @@ END Contextual Menu + + + All batches prepared + Tutti i lotti preparati + + + + No batch prepared + Nessun lotto preparato + Add point @@ -2881,16 +2890,6 @@ END Edit Composizione - - - All batches prepared - Tutti i lotti preparati - - - - No batch prepared - Nessun lotto preparato - Create Crea @@ -4252,20 +4251,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4358,42 +4357,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4462,10 +4461,10 @@ END - - - - + + + + @@ -4663,12 +4662,12 @@ END - - - - - - + + + + + + @@ -4677,17 +4676,17 @@ END Errore valore: - + Serial Exception: invalid comm port Eccezione seriale: porta comunicazione non valida - + Serial Exception: timeout Eccezione seriale: fuori tempo - + Unable to move CHARGE to a value that does not exist Non idoneo a spostare Charge a valore non esistente @@ -4697,30 +4696,30 @@ END Comunicazione Modbus ripresa - + Modbus Error: failed to connect Errore Modbus: connessione non riuscita - - - - - - - - - + + + + + + + + + Modbus Error: Errore Modbus: - - - - - - + + + + + + Modbus Communication Error Errore di comunicazione Modbus @@ -4804,52 +4803,52 @@ END Eccezione: {} non è un file di impostazioni valido - - - - - + + + + + Error Errore - + Exception: WebLCDs not supported by this build Eccezione: WebLCD non supportati da questa build - + Could not start WebLCDs. Selected port might be busy. Impossibile avviare WebLCD. La porta selezionata potrebbe essere occupata. - + Failed to save settings Impossibile salvare le impostazioni - - + + Exception (probably due to an empty profile): Eccezione (probabilmente a causa di un profilo vuoto): - + Analyze: CHARGE event required, none found Analizza: evento CHARGE richiesto, nessuno trovato - + Analyze: DROP event required, none found Analizza: evento DROP richiesto, nessuno trovato - + Analyze: no background profile data available Analizza: non sono disponibili dati di profilo in background - + Analyze: background profile requires CHARGE and DROP events Analizza: il profilo di sfondo richiede eventi CHARGE e DROP @@ -4940,6 +4939,12 @@ END Form Caption + + + + Custom Blend + Miscela personalizzata + Axes @@ -5074,12 +5079,12 @@ END Configurazione porte - + MODBUS Help Aiuto MODBUS - + S7 Help Guida di S7 @@ -5099,23 +5104,17 @@ END Proprietà tostatura - - - Custom Blend - Miscela personalizzata - - - + Energy Help Aiuto energetico - + Tare Setup Impostare tara - + Set Measure from Profile Imposta misura dal profilo @@ -5341,27 +5340,27 @@ END Gestione - + Registers Registri - - + + Commands Comandi - + PID PID - + Serial Seriale @@ -5372,37 +5371,37 @@ END - + Input Ingresso - + Machine Macchina - + Timeout Tempo scaduto - + Nodes Nodi - + Messages Messaggi - + Flags Bandiere - + Events Eventi @@ -5414,14 +5413,14 @@ END - + Energy Energia - + CO2 @@ -5729,14 +5728,14 @@ END HTML Report Template - + BBP Total Time Tempo totale BBP - + BBP Bottom Temp Temp. inferiore BBP @@ -5753,849 +5752,849 @@ END - + Whole Color Colore di chicchi - - + + Profile Profili - + Roast Batches Tostature - - - + + + Batch - - + + Date Data - - - + + + Beans Chicchi - - - + + + In Entrata - - + + Out Uscita - - - + + + Loss Perdita - - + + SUM TOTALE - + Production Report Rapporto della produzione - - + + Time Tempo - - + + Weight In Peso Initiale - - + + CHARGE BT CARICO BT - - + + FCs Time iPC Tempo - - + + FCs BT iPC BT - - + + DROP Time SCARICO Tempo - - + + DROP BT SCARICO BT - + Dry Percent ASC Percentuale - + MAI Percent MAI Percentuale - + Dev Percent DEV Percentuale - - + + AUC - - + + Weight Loss Perdita di peso - - + + Color Colore - + Cupping Assaggio - + Roaster Tostatrice - + Capacity Capacità - + Operator Operatore - + Organization Azienda - + Drum Speed Velocità giri - + Ground Color Colore macinato - + Color System Systema di Colore - + Screen Min Schermo Min - + Screen Max Schermo Max - + Bean Temp Temp chicco - + CHARGE ET CARICO ET - + TP Time PM Tempo - + TP ET PM ET - + TP BT PM BT - + DRY Time ASCIUTTO Tempo - + DRY ET ASCIUTTO ET - + DRY BT ASCIUTTO BT - + FCs ET iPC ET - + FCe Time fPC Tempo - + FCe ET fPC ET - + FCe BT fPC BT - + SCs Time iSC Tempo - + SCs ET fSC ET - + SCs BT fSC BT - + SCe Time fSC Tempo - + SCe ET iSC ET - + SCe BT fSC BT - + DROP ET SCARICO ET - + COOL Time RAFFREDDATO Tempo - + COOL ET RAFFREDDATO ET - + COOL BT RAFFREDDATO BT - + Total Time Tempo Totale - + Dry Phase Time Tempo Fase Asciutto - + Mid Phase Time Tempo Fase Mezza - + Finish Phase Time Tempo Fase Finitura - + Dry Phase RoR RoR Fase Asciutto - + Mid Phase RoR RoR Fase Mezza - + Finish Phase RoR RoR Fase Finitura - + Dry Phase Delta BT Delta BT Fase Asciutto - + Mid Phase Delta BT Delta BT Fase Mezza - + Finish Phase Delta BT Delta BT Fase Finitura - + Finish Phase Rise Alzati Fase Finitura - + Total RoR RoR Totale - + FCs RoR iPC RoR - + MET - + AUC Begin - + AUC Base - + Dry Phase AUC AUC Fase Asciutto - + Mid Phase AUC AUC Fase Mezza - + Finish Phase AUC AUC Fase Finitura - + Weight Out Peso Finale - + Volume In Volume Initiale - + Volume Out Volume Finale - + Volume Gain Volume Aumento - + Green Density Densità Crudo - + Roasted Density Densità Tostato - + Moisture Greens Umidità Crudo - + Moisture Roasted Umidità Tostato - + Moisture Loss Perdita Umidità - + Organic Loss Perdita Organica - + Ambient Humidity Umidità ambientale - + Ambient Pressure Pressione ambientale - + Ambient Temperature Temperatura ambiente - - + + Roasting Notes Note sulla tostatura - - + + Cupping Notes Note sull'assaggio - + Heavy FC PC forte - + Low FC PC leggero - + Light Cut Taglio chiaro - + Dark Cut Taglio scuro - + Drops Gocce - + Oily Oleoso - + Uneven Non omogeneo - + Tipping - + Scorching - + Divots Vuoti - + Mode Modalità - + BTU Batch BTU Lotto - + BTU Batch per green kg BTU Lotto per kg di caffè verde - + CO2 Batch CO2 Lotto - + BTU Preheat BTU Preriscaldare - + CO2 Preheat CO2 Preriscaldare - + BTU BBP - + CO2 BBP - + BTU Cooling BTU Raffreddamento - + CO2 Cooling CO2 Raffreddamento - + BTU Roast BTU Toast - + BTU Roast per green kg BTU Toast per kg di caffè verde - + CO2 Roast CO2 Toast - + CO2 Batch per green kg CO2 Lotto per kg di caffè verde - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Efficienza Lotto - + Efficiency Roast Efficienza Toast - + BBP Begin Inizio BBP - + BBP Begin to Bottom Time BBP Inizio al fondo - + BBP Bottom to CHARGE Time BBP dal basso al tempo di CARICA - + BBP Begin to Bottom RoR BBP inizia al RoR inferiore - + BBP Bottom to CHARGE RoR BBP Dal basso a CHARGE RoR - + File Name Nome del file - + Roast Ranking Classifica di tostature - + Ranking Report Rapporto sulla classifica - + AVG MEDIA - + Roasting Report Rapporto tostatura - + Date: Data: - + Beans: Chicchi: - + Weight: Peso: - + Volume: Volume: - + Roaster: Tostatrice: - + Operator: Operatore: - + Organization: Azienda: - + Cupping: Assaggio: - + Color: Colore: - + Energy: Energia: - + CO2: - + CHARGE: Carico: - + Size: Misura: - + Density: Densità: - + Moisture: Umidità: - + Ambient: - + TP: PM: - + DRY: Asciugatura: - + FCs: iPC: - + FCe: fPC: - + SCs: iSC: - + SCe: fSC: - + DROP: SCARICO: - + COOL: RAFFREDDATO: - + MET: - + CM: CM: - + Drying: Asciugatura: - + Maillard: Maillard: - + Finishing: Finitura: - + Cooling: Raffreddamento: - + Background: Sfondo: - + Alarms: Avvisi: - + RoR: - + AUC: - + Events Eventi @@ -12235,6 +12234,92 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Label + + + + + + + + + Weight + Peso + + + + + + + Beans + Chicchi + + + + + + Density + Densità + + + + + + Color + Colore + + + + + + Moisture + Umidità + + + + + + + Roasting Notes + Note sullai tostatura + + + + Score + Score + + + + + Cupping Score + Punteggio di coppa + + + + + + + Cupping Notes + Note sull'assaggio + + + + + + + + Roasted + Tostato + + + + + + + + + Green + Crudo + @@ -12339,7 +12424,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12358,7 +12443,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12374,7 +12459,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12393,7 +12478,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12420,7 +12505,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12452,7 +12537,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + DRY ASCIUTTO @@ -12469,7 +12554,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + FCs iPC @@ -12477,7 +12562,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + FCe fPC @@ -12485,7 +12570,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + SCs iSC @@ -12493,7 +12578,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + SCe fSC @@ -12506,7 +12591,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12521,10 +12606,10 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - - - + + + + @@ -12532,8 +12617,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra ACCESO - - + + @@ -12547,8 +12632,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Ciclo - - + + Input Ingresso @@ -12582,7 +12667,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + @@ -12599,8 +12684,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Mode @@ -12662,7 +12747,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + Label @@ -12787,21 +12872,21 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + P P - + I I - + D @@ -12863,13 +12948,6 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Markers Segnali - - - - - Color - Colore - Text Color @@ -12900,9 +12978,9 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Misura - - + + @@ -12940,8 +13018,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Event @@ -12954,7 +13032,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Azione - + Command Comando @@ -12966,7 +13044,7 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Compensazione - + Factor @@ -12983,14 +13061,14 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + Unit Unità - + Source Fonte @@ -13001,10 +13079,10 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Grappolo - - - + + + OFF @@ -13055,15 +13133,15 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Registro - - + + Area La zona - - + + DB# DB # @@ -13071,54 +13149,54 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - + Start Inizio - - + + Comm Port Porta comune - - + + Baud Rate Velocità trasmissione dati - - + + Byte Size Dimensione dati - - + + Parity Parità - - + + Stopbits Bit di stop - - + + @@ -13155,8 +13233,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Type Tipo @@ -13166,8 +13244,8 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Host Rete @@ -13178,20 +13256,20 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Port Porta - + SV Factor Fattore SV - + pid Factor Fattore pid @@ -13213,75 +13291,75 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra - - + + Device Dispositivo - + Rack - + Slot Fessura - + Path Sentiero - + ID - + Connect Collegare - + Reconnect Riconnetti - - + + Request Richiesta - + Message ID ID messaggio - + Machine ID ID macchina - + Data Dati - + Message Messaggio - + Data Request Richiesta dati - - + + Node Nodo @@ -13343,17 +13421,6 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra g g - - - - - - - - - Weight - Peso - @@ -13361,25 +13428,6 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Volume Volume - - - - - - - - Green - Crudo - - - - - - - - Roasted - Tostato - @@ -13430,31 +13478,16 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Data - + Batch Lotto - - - - - - Beans - Chicchi - % % - - - - - Density - Densità - Screen @@ -13470,13 +13503,6 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Ground Macinato - - - - - Moisture - Umidità - @@ -13489,22 +13515,6 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Ambient Conditions Condizioni ambiente - - - - - - Roasting Notes - Note sullai tostatura - - - - - - - Cupping Notes - Note sull'assaggio - Ambient Source @@ -13526,140 +13536,140 @@ Artisan avvierà il programma ogni periodo di campionamento. L'output del progra Miscela - + Template Modello - + Results in Risultati in - + Rating Valutazione - + Pressure % Pressione% - + Electric Energy Mix: Mix di energia elettrica: - + Renewable Rinnovabile - - + + Pre-Heating Pre-riscaldamento - - + + Between Batches Tra lotti - - + + Cooling Raffreddamento - + Between Batches after Pre-Heating Tra i lotti dopo il preriscaldamento - + (mm:ss) (mm: ss) - + Duration Durata - + Measured Energy or Output % Energia misurata o% in uscita - - + + Preheat Preriscaldare - - + + BBP BPP - - - - + + + + Roast Torrefazione - - + + per kg green coffee per kg di caffè verde - + Load Caricare - + Organization Azienda - + Operator Operatore - + Machine Macchina - + Model Modello - + Heating Riscaldamento - + Drum Speed Velocità giri - + organic material materiale organico @@ -13983,12 +13993,6 @@ Tutti gli LCD Roaster Tostatrice - - - - Cupping Score - Punteggio di coppa - Max characters per line @@ -14068,7 +14072,7 @@ Tutti gli LCD Colore del bordo (RGBA) - + roasted tostato @@ -14215,22 +14219,22 @@ Tutti gli LCD - + ln() - - + + x - - + + Bkgnd Sfondo @@ -14379,99 +14383,99 @@ Tutti gli LCD Carico dei chicchi - + /m /M - + greens crudo - - - + + + STOP FERMARE - - + + OPEN APRIRE - - - + + + CLOSE VICINO - - + + AUTO - - - + + + MANUAL MANUALE - + STIRRER AGITATORE - + FILL RIEMPIRE - + RELEASE PUBBLICAZIONE - + HEATING RISCALDAMENTO - + COOLING RAFFREDDAMENTO - + RMSE BT - + MSE BT - + RoR Percentuale di crescita - + @FCs @iPC - + Max+/Max- RoR Max + / Max- RoR @@ -14797,11 +14801,6 @@ Tutti gli LCD Aspect Ratio Rapprto di aspetto - - - Score - Score - Coarse Grossolana @@ -15227,6 +15226,12 @@ Tutti gli LCD Menu + + + + Schedule + Programma + @@ -15683,12 +15688,6 @@ Tutti gli LCD Sliders - - - - Schedule - Programma - Full Screen @@ -15829,6 +15828,53 @@ Tutti gli LCD Message + + + Scheduler started + Pianificatore avviato + + + + Scheduler stopped + Pianificatore arrestato + + + + + + + Warning + Avviso + + + + Completed roasts will not adjust the schedule while the schedule window is closed + + + + + + 1 batch + Un lotto + + + + + + + {} batches + {} lotti + + + + Updating completed roast properties failed + L'aggiornamento delle proprietà di tostata fatto non è riuscito + + + + Fetching completed roast properties failed + Il recupero delle proprietà delle tostato completate non è riuscito + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16389,20 +16435,20 @@ Ripetizione operazione al termine: {0} - + Bluetootooth access denied Accesso Bluetooth negato - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Impostazoni porta seriale: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16436,50 +16482,50 @@ Ripetizione operazione al termine: {0} Lettura profilo sottofondo... - + Event table copied to clipboard Tabella degli eventi copiata negli appunti - + The 0% value must be less than the 100% value. Il valore 0% deve essere inferiore al valore 100%. - - + + Alarms from events #{0} created Allarmi degli eventi n. {0} creati - - + + No events found Non sono stati trovati eventi - + Event #{0} added Evento#{0} aggiunto - + No profile found Profilo non trovato - + Events #{0} deleted Eventi n. {0} eliminati - + Event #{0} deleted Evento#{0} eliminato - + Roast properties updated but profile not saved to disk Proprietà tostatura aggiornate ma profilo non salvato su disco @@ -16494,7 +16540,7 @@ Ripetizione operazione al termine: {0} MODBUS disconnesso - + Connected via MODBUS Collegato tramite MODBUS @@ -16661,27 +16707,19 @@ Ripetizione operazione al termine: {0} Sampling Campionamento - - - - - - Warning - Avviso - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Un intervallo di campionamento stretto potrebbe causare instabilità su alcune macchine. Suggeriamo un minimo di 1s. - + Incompatible variables found in %s Variabili incompatibili trovate in %s - + Assignment problem Problema di assegnazione @@ -16775,8 +16813,8 @@ Ripetizione operazione al termine: {0} seguire - - + + Save Statistics Salva statistiche @@ -16938,19 +16976,19 @@ Per mantenerlo gratuito e aggiornato, sostienici con la tua donazione e iscrivit Artisan configurato per {0} - + Load theme {0}? Caricare il tema {0}? - + Adjust Theme Related Settings Regola le impostazioni relative al tema - + Loaded theme {0} Tema caricato {0} @@ -16961,8 +16999,8 @@ Per mantenerlo gratuito e aggiornato, sostienici con la tua donazione e iscrivit Rilevata una coppia di colori che potrebbe essere difficile da vedere: - - + + Simulator started @{}x Avviare il simulatore @{}x @@ -17013,14 +17051,14 @@ Per mantenerlo gratuito e aggiornato, sostienici con la tua donazione e iscrivit autoDROP disattivato - + PID set to OFF PID impostato su OFF - + PID set to ON @@ -17240,7 +17278,7 @@ Per mantenerlo gratuito e aggiornato, sostienici con la tua donazione e iscrivit {0} è stato salvato. Ininiziata nuova tostatura - + Invalid artisan format @@ -17305,10 +17343,10 @@ Si consiglia di salvare preventivamente le impostazioni correnti tramite il menu Profilo salvato - - - - + + + + @@ -17400,347 +17438,347 @@ Si consiglia di salvare preventivamente le impostazioni correnti tramite il menu Carica impostazioni annullate - - + + Statistics Saved Statistiche salvate - + No statistics found Nessuna statistica trovata - + Excel Production Report exported to {0} Report produzione Excel esportato in {0} - + Ranking Report Rapporto sulla classifica - + Ranking graphs are only generated up to {0} profiles I grafici di posizionamento vengono generati solo fino a {0} profili - + Profile missing DRY event Evento DRY mancante nel profilo - + Profile missing phase events Eventi di fase mancante del profilo - + CSV Ranking Report exported to {0} Rapporto sul ranking CSV esportato in {0} - + Excel Ranking Report exported to {0} Rapporto sulla classifica di Excel esportato in {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied La bilancia Bluetooth non può essere collegata mentre l'autorizzazione per Artisan ad accedere al Bluetooth è negata - + Bluetooth access denied Accesso Bluetooth negato - + Hottop control turned off Controllo Hottop disattivato - + Hottop control turned on Controllo Hottop attivato - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Per controllare un Hottop devi prima attivare la modalità super utente tramite un clic destro sul display LCD del timer! - - + + Settings not found Impostazioni non trovate - + artisan-settings ambientazioni artigianali - + Save Settings Salva le impostazioni - + Settings saved Impostazioni salvate - + artisan-theme tema artigianale - + Save Theme Salva tema - + Theme saved Tema salvato - + Load Theme Carica tema - + Theme loaded Tema caricato - + Background profile removed Profilo di sfondo rimosso - + Alarm Config Configurazione allarme - + Alarms are not available for device None Allarmi non disponibiliper dispositivo None - + Switching the language needs a restart. Restart now? Il cambio della lingua richiede un riavvio. Riavvia ora? - + Restart Ricomincia - + Import K202 CSV Importa K202 formato CSV - + K202 file loaded successfully File K202 caricato correttamente - + Import K204 CSV Importa K204 formato CSV - + K204 file loaded successfully File K204 caricato correttamente - + Import Probat Recipe Importa ricetta Probat - + Probat Pilot data imported successfully I dati di Probat Pilot sono stati importati correttamente - + Import Probat Pilot failed Import Probat Pilot fallito - - + + {0} imported {0} importato - + an error occurred on importing {0} si è verificato un errore durante l'importazione di {0} - + Import Cropster XLS Importa Cropster XLS - + Import RoastLog URL Importa URL RoastLog - + Import RoastPATH URL Importa l'URL di RoastPATH - + Import Giesen CSV Importa Giesen CSV - + Import Petroncini CSV Importa Petroncini CSV - + Import IKAWA URL Importa URL IKAWA - + Import IKAWA CSV Importa CSV IKAWA - + Import Loring CSV Importa Loring CSV - + Import Rubasse CSV Importa CSV Rubasse - + Import HH506RA CSV Importa HH506RA formato CSV - + HH506RA file loaded successfully File HH506RA caricato correttamente - + Save Graph as Salva grafico con nome - + {0} size({1},{2}) saved {0} misura({1}, {2}) salvato - + Save Graph as PDF Salva il grafico come PDF - + Save Graph as SVG Salva grafico come SVG - + {0} saved Salvato {0} - + Wheel {0} loaded Ruota {0} caricata - + Invalid Wheel graph format Formato non valido grafico ruota - + Buttons copied to Palette # Pulsanti copiati nella tavolozza # - + Palette #%i restored Tavolozza #%i ripristinata - + Palette #%i empty Tavolozza #%i vuota - + Save Palettes Salva tavolozze - + Palettes saved Tavolozze salvate - + Palettes loaded Tavolozze caricate - + Invalid palettes file format Formato file tavolozze non valido - + Alarms loaded Avvisi caricati - + Fitting curves... Curve di adattamento ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Avvertenza: l'inizio dell'intervallo di analisi di interesse è precedente all'inizio dell'adattamento della curva. Correggilo nella scheda Configurazione> Curve> Analizza. - + Analysis earlier than Curve fit Analisi prima dell'adattamento della curva - + Simulator stopped Fermare il Simulatore - + debug logging ON debug log ACCESO @@ -18392,45 +18430,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Profilo sottofondo non trovato - - - Scheduler started - Pianificatore avviato - - - - Scheduler stopped - Pianificatore arrestato - - - - Completed roasts will not adjust the schedule while the schedule window is closed - - - - - - 1 batch - Un lotto - - - - - - - {} batches - {} lotti - - - - Updating completed roast properties failed - L'aggiornamento delle proprietà di tostata fatto non è riuscito - - - - Fetching completed roast properties failed - Il recupero delle proprietà delle tostato completate non è riuscito - Event # {0} recorded at BT = {1} Time = {2} Evento # {0} registrato a temperatura chicchi = {1} tempo = {2} @@ -19034,51 +19033,6 @@ Continue? Plus - - - debug logging ON - debug log ACCESO - - - - debug logging OFF - debug log SPENTO - - - - 1 day left - Manca 1 giorno - - - - {} days left - mancano {} giorni - - - - Paid until - Pagato fino al - - - - Please visit our {0}shop{1} to extend your subscription - Visita il nostro {0}negozio{1} per estendere il tuo abbonamento - - - - Do you want to extend your subscription? - Vuoi estendere il tuo abbonamento? - - - - Your subscription ends on - Il tuo abbonamento scade il - - - - Your subscription ended on - Il tuo abbonamento è scaduto il - Roast successfully upload to {} @@ -19268,6 +19222,51 @@ Continue? Remember Ricorda + + + debug logging ON + debug log ACCESO + + + + debug logging OFF + debug log SPENTO + + + + 1 day left + Manca 1 giorno + + + + {} days left + mancano {} giorni + + + + Paid until + Pagato fino al + + + + Please visit our {0}shop{1} to extend your subscription + Visita il nostro {0}negozio{1} per estendere il tuo abbonamento + + + + Do you want to extend your subscription? + Vuoi estendere il tuo abbonamento? + + + + Your subscription ends on + Il tuo abbonamento scade il + + + + Your subscription ended on + Il tuo abbonamento è scaduto il + ({} of {} done) ({} di {} finite) @@ -19438,10 +19437,10 @@ Continue? - - - - + + + + Roaster Scope Prospettiva tostatura @@ -19824,6 +19823,16 @@ Continue? Tab + + + To-Do + Da Fare + + + + Completed + Fatto + @@ -19856,7 +19865,7 @@ Continue? Imposta RS - + Extra @@ -19905,32 +19914,32 @@ Continue? - + ET/BT - + Modbus - + S7 - + Scale Scala - + Color Colore - + WebSocket @@ -19967,17 +19976,17 @@ Continue? Impostare - + Details Dettagli - + Loads Carichi - + Protocol Protocollo @@ -20062,16 +20071,6 @@ Continue? LCDs LCD - - - To-Do - Da Fare - - - - Completed - Fatto - Done Fatto @@ -20198,7 +20197,7 @@ Continue? - + @@ -20218,7 +20217,7 @@ Continue? Ammollo HH: MM - + @@ -20228,7 +20227,7 @@ Continue? - + @@ -20252,37 +20251,37 @@ Continue? - + Device Dispositivo - + Comm Port Porta comune - + Baud Rate Velocità trasmissione dati - + Byte Size Dimensione dati - + Parity Parità - + Stopbits Bit di stop - + Timeout Timeout @@ -20290,16 +20289,16 @@ Continue? - - + + Time Tempo - - + + @@ -20308,8 +20307,8 @@ Continue? - - + + @@ -20318,104 +20317,104 @@ Continue? - + CHARGE CARICO - + DRY END ASCIUTTO - + FC START INIZIO PC - + FC END FINE PC - + SC START INIZIO SC - + SC END FINE SC - + DROP SCARICO - + COOL RAFFREDDATO - + #{0} {1}{2} # {0} {1} {2} - + Power Potenza - + Duration Durata - + CO2 - + Load Carico - + Source Fonte - + Kind Genere - + Name Nome - + Weight Peso @@ -21360,7 +21359,7 @@ avviato dal PID - + @@ -21381,7 +21380,7 @@ avviato dal PID - + Show help Mostra aiuto @@ -21535,20 +21534,24 @@ deve essere ridotto di 4 volte. Esegui l'azione di campionamento in modo sincrono ({}) a ogni intervallo di campionamento o seleziona un intervallo di tempo di ripetizione per eseguirla in modo asincrono durante il campionamento - + OFF Action String OFF Stringa di azione - + ON Action String Stringa di azione ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Ritardo extra dopo la connessione in secondi prima di inviare richieste (necessario per il riavvio dei dispositivi Arduino alla connessione) + + + Extra delay in Milliseconds between MODBUS Serial commands Ritardo extra in millisecondi tra i comandi seriali MODBUS @@ -21564,12 +21567,7 @@ deve essere ridotto di 4 volte. Scansiona MODBUS - - Reset socket connection on error - Ripristina la connessione del socket in caso di errore - - - + Scan S7 Scansiona S7 @@ -21585,7 +21583,7 @@ deve essere ridotto di 4 volte. Solo per sfondi caricati con dispositivi aggiuntivi - + The maximum nominal batch size of the machine in kg La dimensione massima del lotto nominale della macchina in kg @@ -22019,32 +22017,32 @@ Currently in TEMP MODE Attualmente in MODALITÀ TEMP - + <b>Label</b>= <b> Etichetta </b> = - + <b>Description </b>= <b> Descrizione </b> = - + <b>Type </b>= <b> Tipo </b> = - + <b>Value </b>= <b> Valore </b> = - + <b>Documentation </b>= <b> Documentazione </b> = - + <b>Button# </b>= <b> Pulsante # </b> = @@ -22128,6 +22126,10 @@ Attualmente in MODALITÀ TEMP Sets button colors to grey scale and LCD colors to black and white Imposta i colori dei pulsanti sulla scala di grigi e i colori del display LCD su bianco e nero + + Reset socket connection on error + Ripristina la connessione del socket in caso di errore + Action String Stringa di azione diff --git a/src/translations/artisan_ja.qm b/src/translations/artisan_ja.qm index fbe48657b..162e7a62e 100644 Binary files a/src/translations/artisan_ja.qm and b/src/translations/artisan_ja.qm differ diff --git a/src/translations/artisan_ja.ts b/src/translations/artisan_ja.ts index 8780156d0..4ae7afc3e 100644 --- a/src/translations/artisan_ja.ts +++ b/src/translations/artisan_ja.ts @@ -9,57 +9,57 @@ リリーススポンサー - + About Artisan について - + Core Developers 主要開発者 - + License ライセンス - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. 最新バージョン情報の取得に問題がありました。インターネット接続を確認するか、後で再試行するか、手動で確認してください。 - + A new release is available. 新しいリリースが利用可能です。 - + Show Change list 変更リストを表示 - + Download Release ダウンロードリリース - + You are using the latest release. 最新のリリースを使用しています。 - + You are using a beta continuous build. ベータ継続的ビルドを使用しています。 - + You will see a notice here once a new official release is available. 新しい公式リリースが利用可能になると、ここに通知が表示されます。 - + Update status 最新状況 @@ -251,14 +251,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + キャンセル + - - - - + + + + Restore Defaults @@ -286,7 +306,7 @@ - + @@ -314,7 +334,7 @@ - + @@ -372,17 +392,6 @@ Save 保存 - - - - - - - - - OK - OK - On @@ -595,15 +604,6 @@ Write PIDs PIDを書き込む - - - - - - - Cancel - キャンセル - Set ET PID to MM:SS time units @@ -622,8 +622,8 @@ - - + + @@ -643,7 +643,7 @@ - + @@ -683,7 +683,7 @@ 開始 - + Scan スキャン @@ -768,9 +768,9 @@ 更新 - - - + + + Save Defaults デフォルトを保存 @@ -1531,12 +1531,12 @@ END float型 - + START on CHARGE 充電を開始 - + OFF on DROP ドロップでオフ @@ -1608,61 +1608,61 @@ END 常に表示 - + Heavy FC Heavy FC - + Low FC Low FC - + Light Cut Light Cut - + Dark Cut Dark Cut - + Drops Drops - + Oily Oily - + Uneven Uneven - + Tipping Tipping - + Scorching Scorching - + Divots Divots @@ -2478,14 +2478,14 @@ END - + ET ET - + BT BT @@ -2508,24 +2508,19 @@ END 言葉 - + optimize 最適化 - + fetch full blocks 完全なブロックをフェッチ - - reset - リセット - - - + compression 圧縮 @@ -2711,6 +2706,10 @@ END Elec エレク + + reset + リセット + Title タイトル @@ -2906,6 +2905,16 @@ END Contextual Menu + + + All batches prepared + すべてのバッチが準備完了 + + + + No batch prepared + バッチは準備されていません + Add point @@ -2951,16 +2960,6 @@ END Edit 編集 - - - All batches prepared - すべてのバッチが準備完了 - - - - No batch prepared - バッチは準備されていません - Create プロファイルを作成 @@ -4330,20 +4329,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4436,42 +4435,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4540,10 +4539,10 @@ END - - - - + + + + @@ -4741,12 +4740,12 @@ END - - - - - - + + + + + + @@ -4755,17 +4754,17 @@ END 値のエラー : - + Serial Exception: invalid comm port シリアルポートの例外 : 無効なシリアルポート - + Serial Exception: timeout シリアルポートの例外 : タイムアウト - + Unable to move CHARGE to a value that does not exist 値が存在しないため、CHARGE に移行できません @@ -4775,30 +4774,30 @@ END Modbus通信再開 - + Modbus Error: failed to connect Modbus エラー: 接続に失敗しました - - - - - - - - - + + + + + + + + + Modbus Error: Modbus エラー : - - - - - - + + + + + + Modbus Communication Error Modbus 通信エラー @@ -4882,52 +4881,52 @@ END 例外: {} は有効な設定ファイルではありません - - - - - + + + + + Error エラー - + Exception: WebLCDs not supported by this build 例外:このビルドでサポートされていないWebLCD - + Could not start WebLCDs. Selected port might be busy. WebLCD を起動できませんでした。選択したポートがビジー状態である可能性があります。 - + Failed to save settings 設定を保存できませんでした - - + + Exception (probably due to an empty profile): 例外 (おそらく空のプロファイルが原因): - + Analyze: CHARGE event required, none found 分析: CHARGE イベントが必要ですが、何も見つかりませんでした - + Analyze: DROP event required, none found 分析: DROP イベントが必要ですが、何も見つかりませんでした - + Analyze: no background profile data available 分析: バックグラウンド プロファイル データは利用できません - + Analyze: background profile requires CHARGE and DROP events 分析: バックグラウンド プロファイルには CHARGE および DROP イベントが必要です @@ -5022,6 +5021,12 @@ END Form Caption + + + + Custom Blend + カスタムブレンド + Axes @@ -5156,12 +5161,12 @@ END シリアルポート構成 - + MODBUS Help MODBUSヘルプ - + S7 Help S7ヘルプ @@ -5181,23 +5186,17 @@ END 焙煎プロパティー - - - Custom Blend - カスタムブレンド - - - + Energy Help エネルギーヘルプ - + Tare Setup 風袋設定 - + Set Measure from Profile プロファイルからメジャーを設定 @@ -5419,27 +5418,27 @@ END 操作 - + Registers レジスター - - + + Commands コマンド - + PID PID - + Serial シリアル @@ -5450,37 +5449,37 @@ END - + Input 入力 - + Machine 機械 - + Timeout タイムアウト - + Nodes ノード - + Messages メッセージ - + Flags フラグ - + Events イベント @@ -5492,14 +5491,14 @@ END - + Energy エネルギー - + CO2 @@ -5795,14 +5794,14 @@ END HTML Report Template - + BBP Total Time BBP合計時間 - + BBP Bottom Temp BBP 底部温度 @@ -5819,849 +5818,849 @@ END - + Whole Color 豆の色 - - + + Profile プロフィール - + Roast Batches ローストバッチ - - - + + + Batch バッチ - - + + Date 日時 - - - + + + Beans - - - + + + In - - + + Out - - - + + + Loss 損失 - - + + SUM - + Production Report 制作報告 - - + + Time 時間 - - + + Weight In ウェイトイン - - + + CHARGE BT チャージBT - - + + FCs Time FCの時間 - - + + FCs BT - - + + DROP Time ドロップタイム - - + + DROP BT ドロップBT - + Dry Percent 乾燥率 - + MAI Percent MAI パーセント - + Dev Percent 開発率 - - + + AUC - - + + Weight Loss 減量 - - + + Color カラー - + Cupping カッピング - + Roaster 焙煎機 - + Capacity 容量 - + Operator オペレーター - + Organization 組織 - + Drum Speed ドラムスピード - + Ground Color 粉の色 - + Color System カラーシステム - + Screen Min 画面分 - + Screen Max 画面最大 - + Bean Temp 豆の温度 - + CHARGE ET チャージET - + TP Time TPタイム - + TP ET TPET - + TP BT TPBT - + DRY Time 乾燥時間 - + DRY ET ドライET - + DRY BT ドライBT - + FCs ET - + FCe Time FCe時間 - + FCe ET - + FCe BT FCeBT - + SCs Time SCの時間 - + SCs ET SC ET - + SCs BT SC BT - + SCe Time SCE 時間 - + SCe ET - + SCe BT SCeBT - + DROP ET ドロップET - + COOL Time クールタイム - + COOL ET クールET - + COOL BT クールBT - + Total Time 合計時間 - + Dry Phase Time 乾期時間 - + Mid Phase Time 中間段階の時間 - + Finish Phase Time フェーズ終了時間 - + Dry Phase RoR 乾相 RoR - + Mid Phase RoR 中期 RoR - + Finish Phase RoR 終了フェーズの RoR - + Dry Phase Delta BT 乾式デルタBT - + Mid Phase Delta BT 中期デルタBT - + Finish Phase Delta BT フィニッシュ フェーズ デルタ BT - + Finish Phase Rise フィニッシュフェイズライズ - + Total RoR 合計 RoR - + FCs RoR FC RoR - + MET - + AUC Begin AUC 開始 - + AUC Base AUCベース - + Dry Phase AUC 乾相AUC - + Mid Phase AUC 中期 AUC - + Finish Phase AUC 終了段階の AUC - + Weight Out ウェイトアウト - + Volume In ボリュームイン - + Volume Out ボリュームアウト - + Volume Gain ボリュームゲイン - + Green Density 緑の密度 - + Roasted Density 焙煎密度 - + Moisture Greens 保管状態 - + Moisture Roasted 水分ロースト - + Moisture Loss 水分損失 - + Organic Loss オーガニックロス - + Ambient Humidity 周囲湿度 - + Ambient Pressure 周囲圧力 - + Ambient Temperature 周囲温度 - - + + Roasting Notes Roasting Notes - - + + Cupping Notes Cupping Notes - + Heavy FC Heavy FC - + Low FC Low FC - + Light Cut Light Cut - + Dark Cut Dark Cut - + Drops Drops - + Oily Oily - + Uneven Uneven - + Tipping Tipping - + Scorching Scorching - + Divots Divots - + Mode モード - + BTU Batch BTU バッチ - + BTU Batch per green kg 緑のkgあたりのBTUバッチ - + CO2 Batch CO2バッチ - + BTU Preheat BTU 予熱 - + CO2 Preheat CO2予熱 - + BTU BBP - + CO2 BBP - + BTU Cooling BTU冷却 - + CO2 Cooling CO2冷却 - + BTU Roast BTU ロースト - + BTU Roast per green kg BTU ローストあたりグリーン kg - + CO2 Roast CO2ロースト - + CO2 Batch per green kg グリーンあたりの CO2 バッチ kg - + BTU LPG - + BTU NG BTUNG - + BTU ELEC - + Efficiency Batch 効率バッチ - + Efficiency Roast 効率ロースト - + BBP Begin BBP開始 - + BBP Begin to Bottom Time BBP 開始からボトムまでの時間 - + BBP Bottom to CHARGE Time BBP 底から充電までの時間 - + BBP Begin to Bottom RoR BBP 開始からボトム RoR - + BBP Bottom to CHARGE RoR BBP ボトムからチャージ RoR - + File Name ファイル名 - + Roast Ranking ローストランキング - + Ranking Report ランキングレポート - + AVG 平均 - + Roasting Report Roasting Report - + Date: Date: - + Beans: Beans: - + Weight: Weight: - + Volume: Volume: - + Roaster: Roaster: - + Operator: Operator: - + Organization: 組織: - + Cupping: Cupping: - + Color: Color: - + Energy: エネルギー: - + CO2: - + CHARGE: CHARGE: - + Size: Size: - + Density: Density: - + Moisture: 水分: - + Ambient: 周囲: - + TP: - + DRY: DRY: - + FCs: FCs: - + FCe: FCe: - + SCs: SCs: - + SCe: SCe: - + DROP: DROP: - + COOL: COOL: - + MET: - + CM: CM: - + Drying: Drying: - + Maillard: Maillard: - + Finishing: 仕上げ: - + Cooling: Cooling: - + Background: バックグラウンド: - + Alarms: アラーム: - + RoR: RoR: - + AUC: - + Events イベント @@ -12212,6 +12211,92 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ Label + + + + + + + + + Weight + 重さ + + + + + + + Beans + + + + + + + Density + 比重 + + + + + + Color + カラー + + + + + + Moisture + 水分 + + + + + + + Roasting Notes + 焙煎ノート + + + + Score + スコア + + + + + Cupping Score + カッピングスコア + + + + + + + Cupping Notes + カッピングノート + + + + + + + + Roasted + ロースト + + + + + + + + + Green + + @@ -12316,7 +12401,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12335,7 +12420,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12351,7 +12436,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12370,7 +12455,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12397,7 +12482,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12429,7 +12514,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + DRY ドライ @@ -12446,7 +12531,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + FCs FC @@ -12454,7 +12539,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + FCe @@ -12462,7 +12547,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + SCs SC @@ -12470,7 +12555,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + SCe @@ -12483,7 +12568,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12498,10 +12583,10 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ /分 - - - - + + + + @@ -12509,8 +12594,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ の上 - - + + @@ -12524,8 +12609,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ サイクル - - + + Input 入力 @@ -12559,7 +12644,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + @@ -12576,8 +12661,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - - + + Mode @@ -12639,7 +12724,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + Label @@ -12764,21 +12849,21 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ SV最大 - + P P - + I I - + D @@ -12840,13 +12925,6 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ Markers マーカー - - - - - Color - カラー - Text Color @@ -12877,9 +12955,9 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ サイズ - - + + @@ -12917,8 +12995,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - - + + Event @@ -12931,7 +13009,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ アクション - + Command コマンド @@ -12943,7 +13021,7 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ オフセット - + Factor @@ -12960,14 +13038,14 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ 温度 - + Unit 単位 - + Source ソース @@ -12978,10 +13056,10 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ 集まる - - - + + + OFF @@ -13032,15 +13110,15 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ レジスタ - - + + Area 範囲 - - + + DB# DB# @@ -13048,54 +13126,54 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - + Start 開始 - - + + Comm Port ポート - - + + Baud Rate 通信速度 - - + + Byte Size データー長 - - + + Parity パリティービット - - + + Stopbits ストップビット - - + + @@ -13132,8 +13210,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - - + + Type タイプ @@ -13143,8 +13221,8 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - - + + Host ネットワーク @@ -13155,20 +13233,20 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ - - + + Port ポート - + SV Factor SVファクター - + pid Factor pidファクター @@ -13190,75 +13268,75 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ 厳しい - - + + Device デバイス - + Rack ラック - + Slot スロット - + Path - + ID - + Connect 接続する - + Reconnect 再接続 - - + + Request リクエスト - + Message ID メッセージID - + Machine ID マシンID - + Data データ - + Message メッセージ - + Data Request データリクエスト - - + + Node ノード @@ -13320,17 +13398,6 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ g g - - - - - - - - - Weight - 重さ - @@ -13338,25 +13405,6 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ Volume 体積 - - - - - - - - Green - - - - - - - - - Roasted - ロースト - @@ -13407,31 +13455,16 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ 日時 - + Batch バッチ - - - - - - Beans - - % % - - - - - Density - 比重 - Screen @@ -13447,13 +13480,6 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ Ground 接地 - - - - - Moisture - 水分 - @@ -13466,22 +13492,6 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ Ambient Conditions 周囲状態 - - - - - - Roasting Notes - 焙煎ノート - - - - - - - Cupping Notes - カッピングノート - Ambient Source @@ -13503,140 +13513,140 @@ Artisan はサンプル期間ごとにプログラムを開始します。プロ ブレンド - + Template テンプレート - + Results in 結果は - + Rating 評価 - + Pressure % 圧力% - + Electric Energy Mix: 電気エネルギーミックス: - + Renewable 再生可能 - - + + Pre-Heating 予熱 - - + + Between Batches バッチ間 - - + + Cooling Cooling - + Between Batches after Pre-Heating 予熱後のバッチ間 - + (mm:ss) (mm:ss) - + Duration デュレーション - + Measured Energy or Output % 測定されたエネルギーまたは出力% - - + + Preheat 予熱 - - + + BBP - - - - + + + + Roast 焙煎 - - + + per kg green coffee グリーンコーヒー1kgあたり - + Load ロード - + Organization 組織 - + Operator オペレーター - + Machine 機械 - + Model モデル - + Heating 暖房 - + Drum Speed ドラムスピード - + organic material 有機材料 @@ -13960,12 +13970,6 @@ LCDすべて Roaster 焙煎機 - - - - Cupping Score - カッピングスコア - Max characters per line @@ -14045,7 +14049,7 @@ LCDすべて エッジカラー (RGBA) - + roasted ロースト @@ -14192,22 +14196,22 @@ LCDすべて - + ln() ln() - - + + x × - - + + Bkgnd 背景 @@ -14356,99 +14360,99 @@ LCDすべて 豆を充電する - + /m / m - + greens - - - + + + STOP ストップ - - + + OPEN 開ける - - - + + + CLOSE 近い - - + + AUTO 自動 - - - + + + MANUAL 手動 - + STIRRER スターラー - + FILL 埋める - + RELEASE リリース - + HEATING 暖房 - + COOLING 冷却 - + RMSE BT RMSEBT - + MSE BT - + RoR - + @FCs @FC - + Max+/Max- RoR 最大+ /最大-RoR @@ -14774,11 +14778,6 @@ LCDすべて Aspect Ratio 縦横比 - - - Score - スコア - RPM 回転数 @@ -15192,6 +15191,12 @@ LCDすべて Menu + + + + Schedule + プラン + @@ -15648,12 +15653,6 @@ LCDすべて Sliders スライダー - - - - Schedule - プラン - Full Screen @@ -15810,6 +15809,53 @@ LCDすべて Message + + + Scheduler started + スケジューラが開始されました + + + + Scheduler stopped + スケジューラが停止しました + + + + + + + Warning + 警告 + + + + Completed roasts will not adjust the schedule while the schedule window is closed + スケジュールウィンドウが閉じている間は、完了したローストはスケジュールを調整しません。 + + + + + 1 batch + 1バッチ + + + + + + + {} batches + {} バッチ + + + + Updating completed roast properties failed + 完了した焙煎プロパティの更新に失敗しました + + + + Fetching completed roast properties failed + 完了したロースト プロパティの取得に失敗しました + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16370,20 +16416,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied Bluetooth アクセスが拒否されました - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} シリアルポート設定: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16417,50 +16463,50 @@ Repeat Operation at the end: {0} 背景用プロファイルを読み込んでいます... - + Event table copied to clipboard クリップボードにコピーされたイベント テーブル - + The 0% value must be less than the 100% value. 0% の値は 100% の値より小さくなければなりません。 - - + + Alarms from events #{0} created イベント #{0} からのアラームが作成されました - - + + No events found イベントがありません - + Event #{0} added Event #{0} は追加されました - + No profile found プロファイルがありません - + Events #{0} deleted イベント #{0} が削除されました - + Event #{0} deleted Event #{0} は削除されました - + Roast properties updated but profile not saved to disk 焙煎プロパティは更新されましたが、プロファイルはディスクに保存されていません @@ -16475,7 +16521,7 @@ Repeat Operation at the end: {0} MODBUSが切断されました - + Connected via MODBUS MODBUS経由で接続 @@ -16642,27 +16688,19 @@ Repeat Operation at the end: {0} Sampling サンプリング - - - - - - Warning - 警告 - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. サンプリング間隔が狭いと、一部のマシンで不安定になる可能性があります。最小値は 1 にすることをお勧めします。 - + Incompatible variables found in %s %s に互換性のない変数が見つかりました - + Assignment problem 割り当て問題 @@ -16756,8 +16794,8 @@ Repeat Operation at the end: {0} フォローオフ - - + + Save Statistics 統計を保存 @@ -16919,19 +16957,19 @@ To keep it free and current please support us with your donation and subscribe t {0} 用に構成されたアーティザン - + Load theme {0}? テーマ {0} を読み込みますか? - + Adjust Theme Related Settings テーマ関連の設定を調整する - + Loaded theme {0} ロードされたテーマ {0} @@ -16942,8 +16980,8 @@ To keep it free and current please support us with your donation and subscribe t 見にくい色のペアが検出されました: - - + + Simulator started @{}x シミュレーターが開始 @{}x @@ -16994,14 +17032,14 @@ To keep it free and current please support us with your donation and subscribe t autoDROP オフ - + PID set to OFF PID を OFF - + PID set to ON @@ -17221,7 +17259,7 @@ To keep it free and current please support us with your donation and subscribe t {0} は保存され、新しい焙煎を開始しました - + Invalid artisan format @@ -17286,10 +17324,10 @@ It is advisable to save your current settings beforehand via menu Help >> プロファイルは保存されました - - - - + + + + @@ -17381,347 +17419,347 @@ It is advisable to save your current settings beforehand via menu Help >> 設定の読み込みがキャンセルされました - - + + Statistics Saved 保存された統計 - + No statistics found 統計が見つかりません - + Excel Production Report exported to {0} {0} にエクスポートされた Excel 生産レポート - + Ranking Report ランキングレポート - + Ranking graphs are only generated up to {0} profiles ランキング グラフは、最大 {0} プロファイルまでしか生成されません - + Profile missing DRY event プロファイルに DRY イベントがありません - + Profile missing phase events 欠落しているフェーズ イベントのプロファイル - + CSV Ranking Report exported to {0} {0} にエクスポートされた CSV ランキング レポート - + Excel Ranking Report exported to {0} {0} にエクスポートされた Excel ランキング レポート - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Artisan の Bluetooth へのアクセス許可が拒否されている間、Bluetooth スケールは接続できません - + Bluetooth access denied Bluetooth アクセスが拒否されました - + Hottop control turned off ホットトップコントロールがオフになっています - + Hottop control turned on ホットトップコントロールがオンになっています - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! ホットトップを制御するには、最初にタイマー LCD を右クリックしてスーパー ユーザー モードを有効にする必要があります。 - - + + Settings not found 設定が見つかりません - + artisan-settings 職人の設定 - + Save Settings 設定を保存する - + Settings saved 保存された設定 - + artisan-theme 職人のテーマ - + Save Theme テーマを保存 - + Theme saved テーマを保存しました - + Load Theme テーマをロード - + Theme loaded ロードされたテーマ - + Background profile removed バックグラウンド プロファイルが削除されました - + Alarm Config アラーム構成 - + Alarms are not available for device None デバイスがないのでアラームは利用できません - + Switching the language needs a restart. Restart now? 言語を切り替えるには再起動が必要です。今すぐ再起動? - + Restart 再起動 - + Import K202 CSV K202 CSV の取り込み - + K202 file loaded successfully K202 ファイルを正しくロードしました - + Import K204 CSV K204 CSV の取り込み - + K204 file loaded successfully K204 ファイルを正しくロードしました - + Import Probat Recipe プロバットレシピのインポート - + Probat Pilot data imported successfully Probat Pilot データが正常にインポートされました - + Import Probat Pilot failed Probat パイロットのインポートに失敗しました - - + + {0} imported {0} インポート - + an error occurred on importing {0} {0} のインポート中にエラーが発生しました - + Import Cropster XLS クロップスターXLSをインポート - + Import RoastLog URL RoastLog URL のインポート - + Import RoastPATH URL RoastPATH URL のインポート - + Import Giesen CSV ギーゼンCSVをインポート - + Import Petroncini CSV Petroncini CSV のインポート - + Import IKAWA URL IKAWA URLをインポート - + Import IKAWA CSV IKAWA CSVをインポート - + Import Loring CSV Loring CSVをインポート - + Import Rubasse CSV Rubasse CSV のインポート - + Import HH506RA CSV HH506RA CSV の取り込み - + HH506RA file loaded successfully HH506RA ファイルを正しくロードしました - + Save Graph as グラフを名前を付けて保存 - + {0} size({1},{2}) saved {0} サイズ({1} {2})を保存しました - + Save Graph as PDF グラフを PDF として保存 - + Save Graph as SVG グラフを SVG 形式で保存 - + {0} saved {0} は保存されました - + Wheel {0} loaded ホイール {0} がロードされました - + Invalid Wheel graph format ホイールグラフ形式ではありません - + Buttons copied to Palette # パレットにコピーされたボタン # - + Palette #%i restored パレット #%i が復元されました - + Palette #%i empty パレット #%i が空です - + Save Palettes パレットを保存 - + Palettes saved パレットは保存されました - + Palettes loaded パレットはロードされました - + Invalid palettes file format パレットファイル形式ではありません - + Alarms loaded アラームはロードされました - + Fitting curves... 曲線をフィッティングしています... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. 警告: 対象の分析間隔の開始は、カーブ フィッティングの開始よりも前です。 [Config] > [Curves] > [Analyze] タブでこれを修正します。 - + Analysis earlier than Curve fit カーブフィットより前の分析 - + Simulator stopped シミュレータ停止 - + debug logging ON デバッグログオン @@ -18375,45 +18413,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found 背景用プロファイルが見つかりません - - - Scheduler started - スケジューラが開始されました - - - - Scheduler stopped - スケジューラが停止しました - - - - Completed roasts will not adjust the schedule while the schedule window is closed - スケジュールウィンドウが閉じている間は、完了したローストはスケジュールを調整しません。 - - - - - 1 batch - 1バッチ - - - - - - - {} batches - {} バッチ - - - - Updating completed roast properties failed - 完了した焙煎プロパティの更新に失敗しました - - - - Fetching completed roast properties failed - 完了したロースト プロパティの取得に失敗しました - Event # {0} recorded at BT = {1} Time = {2} Event # {0} を記録しました BT = {1} Time = {2} @@ -18993,51 +18992,6 @@ Proceed? Plus - - - debug logging ON - デバッグログオン - - - - debug logging OFF - デバッグログオフ - - - - 1 day left - 後1日 - - - - {} days left - {} 残りの日数 - - - - Paid until - まで支払われる - - - - Please visit our {0}shop{1} to extend your subscription - サブスクリプションを延長するには、{0}ショップ{1}にアクセスしてください - - - - Do you want to extend your subscription? - サブスクリプションを延長しますか? - - - - Your subscription ends on - サブスクリプションの終了日 - - - - Your subscription ended on - サブスクリプションは次の日に終了しました - Roast successfully upload to {} @@ -19227,6 +19181,51 @@ Proceed? Remember 覚えておいてください + + + debug logging ON + デバッグログオン + + + + debug logging OFF + デバッグログオフ + + + + 1 day left + 後1日 + + + + {} days left + {} 残りの日数 + + + + Paid until + まで支払われる + + + + Please visit our {0}shop{1} to extend your subscription + サブスクリプションを延長するには、{0}ショップ{1}にアクセスしてください + + + + Do you want to extend your subscription? + サブスクリプションを延長しますか? + + + + Your subscription ends on + サブスクリプションの終了日 + + + + Your subscription ended on + サブスクリプションは次の日に終了しました + ({} of {} done) ({} 件中 {} 件完了) @@ -19401,10 +19400,10 @@ Proceed? - - - - + + + + Roaster Scope 焙煎記録 @@ -19815,6 +19814,16 @@ Proceed? Tab + + + To-Do + やること + + + + Completed + 完了 + @@ -19847,7 +19856,7 @@ Proceed? RSをセット - + Extra @@ -19896,32 +19905,32 @@ Proceed? - + ET/BT ET/BT - + Modbus Modbus - + S7 - + Scale はかり - + Color カラー - + WebSocket @@ -19958,17 +19967,17 @@ Proceed? セットアップ - + Details 詳細 - + Loads 負荷 - + Protocol プロトコル @@ -20053,16 +20062,6 @@ Proceed? LCDs LCDs - - - To-Do - やること - - - - Completed - 完了 - Done 終わり @@ -20193,7 +20192,7 @@ Proceed? - + @@ -20213,7 +20212,7 @@ Proceed? Soak 時:分 - + @@ -20223,7 +20222,7 @@ Proceed? - + @@ -20247,37 +20246,37 @@ Proceed? - + Device デバイス - + Comm Port ポート - + Baud Rate 通信速度 - + Byte Size データ長 - + Parity パリティビット - + Stopbits ストップビット - + Timeout タイムアウト @@ -20285,16 +20284,16 @@ Proceed? - - + + Time 時間 - - + + @@ -20303,8 +20302,8 @@ Proceed? - - + + @@ -20313,104 +20312,104 @@ Proceed? - + CHARGE CHARGE - + DRY END DRY END - + FC START FC START - + FC END FC END - + SC START SC START - + SC END SC END - + DROP DROP - + COOL COOL - + #{0} {1}{2} #{0} {1} {2} - + Power Power - + Duration デュレーション - + CO2 - + Load ロード - + Source ソース - + Kind 種類 - + Name 名前 - + Weight 重さ @@ -21419,7 +21418,7 @@ PID によって開始される - + @@ -21440,7 +21439,7 @@ PID によって開始される - + Show help ヘルプを表示 @@ -21594,20 +21593,24 @@ has to be reduced by 4 times. サンプリング アクションをサンプリング間隔ごとに同期 ({}) 実行するか、反復時間間隔を選択してサンプリング中に非同期で実行します。 - + OFF Action String オフ アクション文字列 - + ON Action String ON アクション文字列 - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + 接続後にリクエストを送信するまでの追加遅延(接続時に再起動する Arduino デバイスに必要) + + + Extra delay in Milliseconds between MODBUS Serial commands MODBUS シリアル コマンド間のミリ秒単位の余分な遅延 @@ -21623,12 +21626,7 @@ has to be reduced by 4 times. MODBUSをスキャン - - Reset socket connection on error - エラー時にソケット接続をリセットする - - - + Scan S7 S7をスキャン @@ -21644,7 +21642,7 @@ has to be reduced by 4 times. 追加のデバイスのみでロードされた背景の場合 - + The maximum nominal batch size of the machine in kg マシンの最大公称バッチ サイズ (kg) @@ -22078,32 +22076,32 @@ Currently in TEMP MODE 現在TEMPモード - + <b>Label</b>= <b>ラベル </b>= - + <b>Description </b>= <b>記述 </b>= - + <b>Type </b>= <b>タイプ </b>= - + <b>Value </b>= <b>値 </b>= - + <b>Documentation </b>= <b>関連文書 </b>= - + <b>Button# </b>= <b>ボタン# </b>= @@ -22187,6 +22185,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white ボタンの色をグレースケールに設定し、LCD の色を白黒に設定します。 + + Reset socket connection on error + エラー時にソケット接続をリセットする + Action String アクション文字列 diff --git a/src/translations/artisan_ko.qm b/src/translations/artisan_ko.qm index 9c3872172..844fc0c77 100644 Binary files a/src/translations/artisan_ko.qm and b/src/translations/artisan_ko.qm differ diff --git a/src/translations/artisan_ko.ts b/src/translations/artisan_ko.ts index 302e09a6f..2c1337a67 100644 --- a/src/translations/artisan_ko.ts +++ b/src/translations/artisan_ko.ts @@ -9,57 +9,57 @@ 릴리스 스폰서 - + About 아티산에 대하여 - + Core Developers 주 개발자들 - + License 특허 - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. 최신 버전 정보를 검색하는 중에 문제가 발생했습니다. 인터넷 연결을 확인하고 나중에 다시 시도하거나 수동으로 확인하십시오. - + A new release is available. 새 릴리스를 사용할 수 있습니다. - + Show Change list 변경 목록 표시 - + Download Release 릴리스 다운로드 - + You are using the latest release. 최신 릴리스를 사용하고 있습니다. - + You are using a beta continuous build. 베타 연속 빌드를 사용하고 있습니다. - + You will see a notice here once a new official release is available. 새로운 공식 릴리스가 출시되면 여기에 알림이 표시됩니다. - + Update status 업데이트 상태 @@ -218,14 +218,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + 취소 + - - - - + + + + Restore Defaults @@ -253,7 +273,7 @@ - + @@ -281,7 +301,7 @@ - + @@ -339,17 +359,6 @@ Save 저장 - - - - - - - - - OK - OK - On @@ -562,15 +571,6 @@ Write PIDs PID들 쓰기 - - - - - - - Cancel - 취소 - Set ET PID to MM:SS time units @@ -589,8 +589,8 @@ - - + + @@ -610,7 +610,7 @@ - + @@ -650,7 +650,7 @@ - + Scan 스캔시작 @@ -735,9 +735,9 @@ 업데이트 - - - + + + Save Defaults 기본값 저장 @@ -1464,12 +1464,12 @@ END Float - + START on CHARGE CHARGE 시작 - + OFF on DROP DROP에 OFF @@ -1541,61 +1541,61 @@ END 항상보이기 - + Heavy FC 강한 1차크랙 - + Low FC 약한 1차크랙 - + Light Cut 라이트컷 - + Dark Cut 다크컷 - + Drops 유분검출 - + Oily 다량의 유분존재 - + Uneven 고르지 않음 - + Tipping 티핑 - + Scorching 스콜칭 - + Divots 디봇 @@ -2407,14 +2407,14 @@ END - + ET ET - + BT BT @@ -2437,24 +2437,19 @@ END - + optimize 최적화 - + fetch full blocks 전체 블록 가져 오기 - - reset - 초기화 - - - + compression 압축 @@ -2640,6 +2635,10 @@ END Elec 전자 + + reset + 초기화 + Title 제목 @@ -2823,6 +2822,16 @@ END Contextual Menu + + + All batches prepared + 모든 배치가 준비됨 + + + + No batch prepared + 배치가 준비되지 않았습니다. + Add point @@ -2868,16 +2877,6 @@ END Edit 편집 - - - All batches prepared - 모든 배치가 준비됨 - - - - No batch prepared - 배치가 준비되지 않았습니다. - Cancel selection 선택취소 @@ -4235,20 +4234,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4341,42 +4340,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4445,10 +4444,10 @@ END - - - - + + + + @@ -4646,12 +4645,12 @@ END - - - - - - + + + + + + @@ -4660,17 +4659,17 @@ END 값 오류: - + Serial Exception: invalid comm port 직렬 예외: 유효하지 않은 통신 포트 - + Serial Exception: timeout 직렬 예외: 시간 초과 - + Unable to move CHARGE to a value that does not exist 존재하지 않는 값으로 CHARGE를 이동할 수 없습니다. @@ -4680,30 +4679,30 @@ END Modbus 통신 재개됨 - + Modbus Error: failed to connect Modbus 오류: 연결 실패 - - - - - - - - - + + + + + + + + + Modbus Error: 모드버스 오류: - - - - - - + + + + + + Modbus Communication Error Modbus 통신 오류 @@ -4787,52 +4786,52 @@ END 예외: {}는 유효한 설정 파일이 아닙니다. - - - - - + + + + + Error 오류 - + Exception: WebLCDs not supported by this build 예외: 이 빌드에서는 WebLCD를 지원하지 않습니다. - + Could not start WebLCDs. Selected port might be busy. WebLCD를 시작할 수 없습니다. 선택한 포트가 사용 중일 수 있습니다. - + Failed to save settings 설정을 저장하지 못했습니다. - - + + Exception (probably due to an empty profile): 예외(비어 있는 프로필 때문일 수 있음): - + Analyze: CHARGE event required, none found 분석: CHARGE 이벤트 필요, 없음 - + Analyze: DROP event required, none found 분석: DROP 이벤트 필요, 없음 - + Analyze: no background profile data available 분석: 사용 가능한 백그라운드 프로필 데이터 없음 - + Analyze: background profile requires CHARGE and DROP events 분석: 백그라운드 프로필에는 CHARGE 및 DROP 이벤트가 필요합니다. @@ -4915,6 +4914,12 @@ END Form Caption + + + + Custom Blend + 커스텀 블렌드 + Axes @@ -5049,12 +5054,12 @@ END 시리얼 포트 설정 - + MODBUS Help MODBUS 도움말 - + S7 Help S7 도움말 @@ -5074,23 +5079,17 @@ END 로스팅 속성 - - - Custom Blend - 커스텀 블렌드 - - - + Energy Help 에너지 도움 - + Tare Setup 영점 설정 - + Set Measure from Profile 프로필에서 측정 설정 @@ -5320,27 +5319,27 @@ END - + Registers 레지스터주소 - - + + Commands 명령어들 - + PID PID - + Serial 시리얼 로그 @@ -5351,37 +5350,37 @@ END - + Input 입력 - + Machine 기계 - + Timeout 타임 아웃 - + Nodes 노드 - + Messages 메세지 기록 - + Flags 플래그 - + Events 입ㄴ트들 @@ -5393,14 +5392,14 @@ END - + Energy 에너지 - + CO2 @@ -5712,14 +5711,14 @@ END HTML Report Template - + BBP Total Time BBP 총 시간 - + BBP Bottom Temp BBP 최저 온도 @@ -5736,849 +5735,849 @@ END - + Whole Color 홀빈 색상 - - + + Profile 프로파일 - + Roast Batches 로스팅 배치 횟수 - - - + + + Batch 배치 - - + + Date 로스팅 날짜 - - - + + + Beans 생두 - - - + + + In In - - + + Out 배출 - - - + + + Loss 감소량 - - + + SUM 합계 - + Production Report 결과멸 리포트 - - + + Time 시간 - - + + Weight In 체중 증가 - - + + CHARGE BT 충전 BT - - + + FCs Time FC 시간 - - + + FCs BT FC BT - - + + DROP Time 드롭 시간 - - + + DROP BT 드롭BT - + Dry Percent 건조율 - + MAI Percent MAI 퍼센트 - + Dev Percent 개발 비율 - - + + AUC AUC - - + + Weight Loss 체중 감량 - - + + Color 색상 - + Cupping 부항 - + Roaster 로스팅기 - + Capacity 용량 - + Operator 운영자 - + Organization 조직 - + Drum Speed 드럼 속도 - + Ground Color 분쇄 후 색상 - + Color System 컬러 시스템 - + Screen Min 화면 분 - + Screen Max 화면 최대 - + Bean Temp 콩 온도 - + CHARGE ET 충전 ET - + TP Time TP 시간 - + TP ET - + TP BT - + DRY Time 건조 시간 - + DRY ET 드라이 ET - + DRY BT 드라이BT - + FCs ET FC ET - + FCe Time FCe 시간 - + FCe ET FCe 동부 표준시 - + FCe BT - + SCs Time SC 시간 - + SCs ET SC ET - + SCs BT SC BT - + SCe Time SCe 시간 - + SCe ET SCe 동부 표준시 - + SCe BT - + DROP ET 드롭 ET - + COOL Time 쿨타임 - + COOL ET 쿨 ET - + COOL BT 쿨BT - + Total Time 총 시간 - + Dry Phase Time 건조 단계 시간 - + Mid Phase Time 중간 단계 시간 - + Finish Phase Time 완료 단계 시간 - + Dry Phase RoR 건상 RoR - + Mid Phase RoR 중간 단계 RoR - + Finish Phase RoR 완료 단계 RoR - + Dry Phase Delta BT 건상 델타 BT - + Mid Phase Delta BT 중간 위상 델타 BT - + Finish Phase Delta BT 완료 단계 델타 BT - + Finish Phase Rise 마무리 단계 상승 - + Total RoR 총 RoR - + FCs RoR FC RoR - + MET MET - + AUC Begin AUC 시작 - + AUC Base AUC 베이스 - + Dry Phase AUC 건상 AUC - + Mid Phase AUC 중간 단계 AUC - + Finish Phase AUC 마무리 단계 AUC - + Weight Out 체중 감량 - + Volume In 볼륨 입력 - + Volume Out 볼륨 출력 - + Volume Gain 볼륨 게인 - + Green Density 녹색 밀도 - + Roasted Density 로스팅 밀도 - + Moisture Greens 생두 수분함량 - + Moisture Roasted 수분 구이 - + Moisture Loss 수분 손실 - + Organic Loss 유기적 손실 - + Ambient Humidity 주변 습도 - + Ambient Pressure 주변 압력 - + Ambient Temperature 주변 온도 - - + + Roasting Notes 로스팅 노트들 - - + + Cupping Notes 커핑노트들 - + Heavy FC 강한 1차크랙 - + Low FC 약한 1차크랙 - + Light Cut 라이트컷 - + Dark Cut 다크컷 - + Drops 유분검출 - + Oily 다량의 유분존재 - + Uneven 고르지 않음 - + Tipping 티핑 - + Scorching 스콜칭 - + Divots 디봇 - + Mode 방법 - + BTU Batch BTU 배치 - + BTU Batch per green kg 녹색 kg당 BTU 배치 - + CO2 Batch CO2 배치 - + BTU Preheat BTU 예열 - + CO2 Preheat CO2 예열 - + BTU BBP - + CO2 BBP - + BTU Cooling BTU 냉각 - + CO2 Cooling CO2 냉각 - + BTU Roast BTU 로스트 - + BTU Roast per green kg 녹색 kg당 BTU 로스트 - + CO2 Roast CO2 로스트 - + CO2 Batch per green kg 녹색 kg당 CO2 배치 - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch 효율성 배치 - + Efficiency Roast 효율성 로스트 - + BBP Begin BBP 시작 - + BBP Begin to Bottom Time BBP 시작부터 최저 시간까지 - + BBP Bottom to CHARGE Time BBP 하단 충전 시간 - + BBP Begin to Bottom RoR BBP 시작부터 바닥까지 RoR - + BBP Bottom to CHARGE RoR BBP 하단에서 RoR 충전 - + File Name 파일 이름 - + Roast Ranking 로스팅 랭킹 - + Ranking Report 랭킹 리포트 - + AVG AVG - + Roasting Report 로스팅 리포트 - + Date: 로스팅 날짜: - + Beans: 생두: - + Weight: 중량: - + Volume: 부피: - + Roaster: 로스터: - + Operator: 오퍼레이터: - + Organization: 조직: - + Cupping: 커핑: - + Color: 색상: - + Energy: 에너지: - + CO2: - + CHARGE: 투입: - + Size: 사이즈: - + Density: 밀도: - + Moisture: 수분함량: - + Ambient: 로스팅 환경 : - + TP: TP: - + DRY: 건조: - + FCs: 1차 시작: - + FCe: 1차 종료: - + SCs: 2차 시작: - + SCe: 2차 끝: - + DROP: 배출: - + COOL: 쿨링완료: - + MET: MET: - + CM: CM: - + Drying: 드라잉: - + Maillard: 마이야드: - + Finishing: 마무리: - + Cooling: 쿨링: - + Background: 배경: - + Alarms: 경보: - + RoR: RoR: - + AUC: AUC: - + Events 입ㄴ트들 @@ -11689,6 +11688,92 @@ When Keyboard Shortcuts are OFF adds a custom event Label + + + + + + + + + Weight + 중량 + + + + + + + Beans + 생두 + + + + + + Density + 밀도 + + + + + + Color + 색상 + + + + + + Moisture + 수분 + + + + + + + Roasting Notes + 로스팅 노트들 + + + + Score + 점수 + + + + + Cupping Score + 커핑 점수 + + + + + + + Cupping Notes + 커핑 노트들 + + + + + + + + Roasted + 원두수분함량 + + + + + + + + + Green + 초록 + @@ -11793,7 +11878,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11812,7 +11897,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11828,7 +11913,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11847,7 +11932,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11874,7 +11959,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11906,7 +11991,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + DRY DRY @@ -11923,7 +12008,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCs 1차 시작 @@ -11931,7 +12016,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCe 1차 끝 @@ -11939,7 +12024,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCs 2차 시작 @@ -11947,7 +12032,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCe 2차 끝 @@ -11960,7 +12045,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11975,10 +12060,10 @@ When Keyboard Shortcuts are OFF adds a custom event /분 - - - - + + + + @@ -11986,8 +12071,8 @@ When Keyboard Shortcuts are OFF adds a custom event 켜짐 - - + + @@ -12001,8 +12086,8 @@ When Keyboard Shortcuts are OFF adds a custom event 싸이클시간 - - + + Input 입력 @@ -12036,7 +12121,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -12053,8 +12138,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Mode @@ -12116,7 +12201,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + Label @@ -12241,21 +12326,21 @@ When Keyboard Shortcuts are OFF adds a custom event 최고 SV - + P - + I 인테그랄 - + D @@ -12317,13 +12402,6 @@ When Keyboard Shortcuts are OFF adds a custom event Markers 표식들 - - - - - Color - 색상 - Text Color @@ -12354,9 +12432,9 @@ When Keyboard Shortcuts are OFF adds a custom event 크기 - - + + @@ -12394,8 +12472,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Event @@ -12408,7 +12486,7 @@ When Keyboard Shortcuts are OFF adds a custom event 기능설정 - + Command 명령어 @@ -12420,7 +12498,7 @@ When Keyboard Shortcuts are OFF adds a custom event 조정치 - + Factor @@ -12437,14 +12515,14 @@ When Keyboard Shortcuts are OFF adds a custom event Temp - + Unit 단위 - + Source 입력소스선택 @@ -12455,10 +12533,10 @@ When Keyboard Shortcuts are OFF adds a custom event 그룹화 - - - + + + OFF @@ -12509,15 +12587,15 @@ When Keyboard Shortcuts are OFF adds a custom event 메모리주소 - - + + Area 지역 - - + + DB# DB # @@ -12525,54 +12603,54 @@ When Keyboard Shortcuts are OFF adds a custom event - + Start 시작 - - + + Comm Port 통신포트 - - + + Baud Rate 통신속도 - - + + Byte Size 바이트 크기 - - + + Parity 패리티 - - + + Stopbits 문장끝부호 - - + + @@ -12609,8 +12687,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Type 타입 @@ -12620,8 +12698,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Host 호스트 @@ -12632,20 +12710,20 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Port 포트 - + SV Factor SV 요인 - + pid Factor pid 인자 @@ -12667,75 +12745,75 @@ When Keyboard Shortcuts are OFF adds a custom event 엄격한 - - + + Device 온도센서장치 - + Rack 고문 - + Slot 슬롯 - + Path 통로 - + ID 신분증 - + Connect 잇다 - + Reconnect 다시 연결 - - + + Request 의뢰 - + Message ID 메시지 ID - + Machine ID 컴퓨터 ID - + Data 데이터 - + Message 메시지 - + Data Request 데이터 요청 - - + + Node 마디 @@ -12797,17 +12875,6 @@ When Keyboard Shortcuts are OFF adds a custom event g g - - - - - - - - - Weight - 중량 - @@ -12815,25 +12882,6 @@ When Keyboard Shortcuts are OFF adds a custom event Volume 부피 - - - - - - - - Green - 초록 - - - - - - - - Roasted - 원두수분함량 - @@ -12884,31 +12932,16 @@ When Keyboard Shortcuts are OFF adds a custom event 날짜 - + Batch 배치 - - - - - - Beans - 생두 - % % - - - - - Density - 밀도 - Screen @@ -12924,13 +12957,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ground 바닥 - - - - - Moisture - 수분 - @@ -12943,22 +12969,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ambient Conditions 로스팅공간 상태 - - - - - - Roasting Notes - 로스팅 노트들 - - - - - - - Cupping Notes - 커핑 노트들 - Ambient Source @@ -12980,140 +12990,140 @@ When Keyboard Shortcuts are OFF adds a custom event 혼합 - + Template 주형 - + Results in 결과 - + Rating 평가 - + Pressure % 압력 % - + Electric Energy Mix: 전기 에너지 믹스 : - + Renewable 재생 가능한 - - + + Pre-Heating 예열 - - + + Between Batches 배치 사이 - - + + Cooling 쿨링단계 - + Between Batches after Pre-Heating 예열 후 배치 간 - + (mm:ss) (mm : ss) - + Duration 지속 - + Measured Energy or Output % 측정 된 에너지 또는 출력 % - - + + Preheat 예열 - - + + BBP 비비피(BBP) - - - - + + + + Roast 로스팅 설정 - - + + per kg green coffee 그린 커피 kg 당 - + Load 투입량 - + Organization 조직 - + Operator 로스터 - + Machine 기계 - + Model 모델 - + Heating 난방 - + Drum Speed 드럼 속도 - + organic material 유기 재료 @@ -13437,12 +13447,6 @@ LCD 모두 Roaster 로스팅기 - - - - Cupping Score - 커핑 점수 - Max characters per line @@ -13522,7 +13526,7 @@ LCD 모두 가장자리 색상 (RGBA) - + roasted 원두 @@ -13669,22 +13673,22 @@ LCD 모두 - + ln() ln() - - + + x 엑스 - - + + Bkgnd 배경 @@ -13833,99 +13837,99 @@ LCD 모두 생두투입 - + /m /m - + greens 생두 - - - + + + STOP 멈추다 - - + + OPEN 열려 있는 - - - + + + CLOSE 닫다 - - + + AUTO 자동 - - - + + + MANUAL 수동 - + STIRRER 활동가 - + FILL 채우다 - + RELEASE 풀어 주다 - + HEATING 난방 - + COOLING 냉각 - + RMSE BT RMSEBT - + MSE BT MSEBT - + RoR RoR - + @FCs @FC - + Max+/Max- RoR 최대 + / 최대-RoR @@ -14251,11 +14255,6 @@ LCD 모두 Aspect Ratio 화면비율 - - - Score - 점수 - Coarse 그리드 간격 @@ -14641,6 +14640,12 @@ LCD 모두 Menu + + + + Schedule + 계획 + @@ -15097,12 +15102,6 @@ LCD 모두 Sliders 슬라이더로 조절하기 - - - - Schedule - 계획 - Full Screen @@ -15251,6 +15250,53 @@ LCD 모두 Message + + + Scheduler started + 스케줄러가 시작되었습니다. + + + + Scheduler stopped + 스케줄러가 중지되었습니다. + + + + + + + Warning + 경고 + + + + Completed roasts will not adjust the schedule while the schedule window is closed + 완료된 로스트는 일정 창이 닫혀 있는 동안 일정을 조정하지 않습니다. + + + + + 1 batch + 1개 배치 + + + + + + + {} batches + {} 배치 + + + + Updating completed roast properties failed + 완료된 로스팅 속성 업데이트에 실패했습니다. + + + + Fetching completed roast properties failed + 완료된 로스트 속성을 가져오는 데 실패했습니다. + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15811,20 +15857,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied 블루투스 액세스 거부됨 - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} 직렬 포트 설정: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15858,50 +15904,50 @@ Repeat Operation at the end: {0} 배경 프로필을 읽는 중... - + Event table copied to clipboard 클립보드에 복사된 이벤트 테이블 - + The 0% value must be less than the 100% value. 0% 값은 100% 값보다 작아야 합니다. - - + + Alarms from events #{0} created 생성된 이벤트 #{0}의 알람 - - + + No events found 이벤트가 없습니다. - + Event #{0} added 이벤트 #{0} 추가됨 - + No profile found 프로파일 발견 안되었습니다 - + Events #{0} deleted 이벤트 #{0} 삭제됨 - + Event #{0} deleted 이벤트 #{0} 삭제됨 - + Roast properties updated but profile not saved to disk 로스트 속성이 업데이트되었지만 프로필이 디스크에 저장되지 않음 @@ -15916,7 +15962,7 @@ Repeat Operation at the end: {0} MODBUS 연결 끊김 - + Connected via MODBUS MODBUS를 통해 연결됨 @@ -16083,27 +16129,19 @@ Repeat Operation at the end: {0} Sampling 견본 추출 - - - - - - Warning - 경고 - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. 샘플링 간격이 빡빡하면 일부 시스템에서 불안정해질 수 있습니다. 최소 1초를 권장합니다. - + Incompatible variables found in %s %s에서 호환되지 않는 변수가 발견되었습니다. - + Assignment problem 할당 문제 @@ -16197,8 +16235,8 @@ Repeat Operation at the end: {0} 따르다 - - + + Save Statistics 통계 저장 @@ -16360,19 +16398,19 @@ To keep it free and current please support us with your donation and subscribe t {0}에 대해 구성된 장인 - + Load theme {0}? {0} 테마를 로드하시겠습니까? - + Adjust Theme Related Settings 테마 관련 설정 조정 - + Loaded theme {0} 로드된 테마 {0} @@ -16383,8 +16421,8 @@ To keep it free and current please support us with your donation and subscribe t 보기 어려울 수 있는 색상 쌍을 감지했습니다. - - + + Simulator started @{}x 시뮬레이터 시작 @{}x @@ -16435,14 +16473,14 @@ To keep it free and current please support us with your donation and subscribe t 자동 드롭 오프 - + PID set to OFF OFF로 설정된 PID - + PID set to ON @@ -16662,7 +16700,7 @@ To keep it free and current please support us with your donation and subscribe t {0}이(가) 저장되었습니다. 새로운 로스트가 시작되었습니다 - + Invalid artisan format @@ -16727,10 +16765,10 @@ It is advisable to save your current settings beforehand via menu Help >> 프로필이 저장되었습니다. - - - - + + + + @@ -16822,347 +16860,347 @@ It is advisable to save your current settings beforehand via menu Help >> 설정 불러오기 취소됨 - - + + Statistics Saved 저장된 통계 - + No statistics found 통계를 찾을 수 없습니다. - + Excel Production Report exported to {0} Excel 제작 보고서를 {0}(으)로 내보냈습니다. - + Ranking Report 랭킹 리포트 - + Ranking graphs are only generated up to {0} profiles 순위 그래프는 최대 {0} 프로필까지만 생성됩니다. - + Profile missing DRY event 프로필 누락 DRY 이벤트 - + Profile missing phase events 프로필 누락 단계 이벤트 - + CSV Ranking Report exported to {0} CSV 순위 보고서를 {0}(으)로 내보냈습니다. - + Excel Ranking Report exported to {0} Excel 순위 보고서를 {0}(으)로 내보냈습니다. - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Artisan의 블루투스 액세스 권한이 거부되어 블루투스 저울을 연결할 수 없습니다. - + Bluetooth access denied 블루투스 액세스 거부됨 - + Hottop control turned off 핫탑 제어가 꺼짐 - + Hottop control turned on 핫탑 제어가 켜짐 - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Hottop을 제어하려면 먼저 타이머 LCD를 마우스 오른쪽 버튼으로 클릭하여 슈퍼 사용자 모드를 활성화해야 합니다! - - + + Settings not found 설정을 찾을 수 없음 - + artisan-settings 장인 설정 - + Save Settings 설정 저장 - + Settings saved 설정이 저장되었습니다 - + artisan-theme 장인 테마 - + Save Theme 테마 저장 - + Theme saved 테마가 저장되었습니다. - + Load Theme 테마 불러오기 - + Theme loaded 테마 로드됨 - + Background profile removed 배경 프로필이 삭제됨 - + Alarm Config 알람 구성 - + Alarms are not available for device None 장치에 대해 알람을 사용할 수 없습니다. 없음 - + Switching the language needs a restart. Restart now? 언어를 전환하려면 다시 시작해야 합니다. 지금 다시 시작하시겠습니까? - + Restart 재시작 - + Import K202 CSV K202 CSV 가져오기 - + K202 file loaded successfully K202 파일이 성공적으로 로드되었습니다. - + Import K204 CSV K204 CSV 가져오기 - + K204 file loaded successfully K204 파일이 성공적으로 로드되었습니다. - + Import Probat Recipe 프로바트 레시피 가져오기 - + Probat Pilot data imported successfully Probat 파일럿 데이터를 성공적으로 가져왔습니다. - + Import Probat Pilot failed Probat 파일럿 가져오기 실패 - - + + {0} imported {0} 가져오기 - + an error occurred on importing {0} {0} 가져오기 중 오류가 발생했습니다. - + Import Cropster XLS 크롭스터 XLS 가져오기 - + Import RoastLog URL RoastLog URL 가져오기 - + Import RoastPATH URL RoastPATH URL 가져오기 - + Import Giesen CSV Giesen CSV 가져오기 - + Import Petroncini CSV Petroncini CSV 가져오기 - + Import IKAWA URL IKAWA URL 가져오기 - + Import IKAWA CSV IKAWA CSV 가져오기 - + Import Loring CSV 로링 CSV 가져오기 - + Import Rubasse CSV 루바스 CSV 가져오기 - + Import HH506RA CSV HH506RA CSV 가져오기 - + HH506RA file loaded successfully HH506RA 파일이 성공적으로 로드되었습니다. - + Save Graph as 다른 이름으로 그래프 저장 - + {0} size({1},{2}) saved {0} 크기({1},{2}) 저장됨 - + Save Graph as PDF 그래프를 PDF로 저장 - + Save Graph as SVG 그래프를 SVG로 저장 - + {0} saved {0} 저장됨 - + Wheel {0} loaded 휠 {0} 로드됨 - + Invalid Wheel graph format 잘못된 휠 그래프 형식 - + Buttons copied to Palette # 팔레트 #에 복사된 버튼 - + Palette #%i restored 팔레트 #%i 복원됨 - + Palette #%i empty 팔레트 #%i 비어 있음 - + Save Palettes 팔레트 저장 - + Palettes saved 팔레트가 저장됨 - + Palettes loaded 로드된 팔레트 - + Invalid palettes file format 잘못된 팔레트 파일 형식 - + Alarms loaded 알람이 로드됨 - + Fitting curves... 피팅 곡선... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. 경고: 관심 있는 분석 간격의 시작이 곡선 맞춤 시작보다 빠릅니다. Config>Curves>Analyze 탭에서 수정하십시오. - + Analysis earlier than Curve fit Curve fit보다 빠른 분석 - + Simulator stopped 시뮬레이터가 중지됨 - + debug logging ON 디버그 로깅 에 @@ -17816,45 +17854,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found 백그라운드 프로필을 찾을 수 없음 - - - Scheduler started - 스케줄러가 시작되었습니다. - - - - Scheduler stopped - 스케줄러가 중지되었습니다. - - - - Completed roasts will not adjust the schedule while the schedule window is closed - 완료된 로스트는 일정 창이 닫혀 있는 동안 일정을 조정하지 않습니다. - - - - - 1 batch - 1개 배치 - - - - - - - {} batches - {} 배치 - - - - Updating completed roast properties failed - 완료된 로스팅 속성 업데이트에 실패했습니다. - - - - Fetching completed roast properties failed - 완료된 로스트 속성을 가져오는 데 실패했습니다. - Event # {0} recorded at BT = {1} Time = {2} BT에 기록된 이벤트 # {0} = {1} 시간 = {2} @@ -17942,51 +17941,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - 디버그 로깅 에 - - - - debug logging OFF - 디버그 로깅 끄다 - - - - 1 day left - 1 일 남음 - - - - {} days left - {} 일 남음 - - - - Paid until - 까지 지불 - - - - Please visit our {0}shop{1} to extend your subscription - 구독을 연장하려면 {0} shop {1}을 방문하세요 - - - - Do you want to extend your subscription? - 구독을 연장하시겠습니까? - - - - Your subscription ends on - 구독 종료 날짜 - - - - Your subscription ended on - 구독이 종료된 날짜 - Roast successfully upload to {} @@ -18176,6 +18130,51 @@ To keep it free and current please support us with your donation and subscribe t Remember 생각해 내다 + + + debug logging ON + 디버그 로깅 에 + + + + debug logging OFF + 디버그 로깅 끄다 + + + + 1 day left + 1 일 남음 + + + + {} days left + {} 일 남음 + + + + Paid until + 까지 지불 + + + + Please visit our {0}shop{1} to extend your subscription + 구독을 연장하려면 {0} shop {1}을 방문하세요 + + + + Do you want to extend your subscription? + 구독을 연장하시겠습니까? + + + + Your subscription ends on + 구독 종료 날짜 + + + + Your subscription ended on + 구독이 종료된 날짜 + ({} of {} done) ({} 중 {} 완료) @@ -18346,10 +18345,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope 볶음표 @@ -18728,6 +18727,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + 할 것 + + + + Completed + 완전한 + @@ -18760,7 +18769,7 @@ To keep it free and current please support us with your donation and subscribe t RS 설정 - + Extra @@ -18809,32 +18818,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT ET/BT - + Modbus MODBUS - + S7 - + Scale 단위 - + Color 색상 - + WebSocket 웹소켓 @@ -18871,17 +18880,17 @@ To keep it free and current please support us with your donation and subscribe t 설정 - + Details 세부 - + Loads 잔뜩 - + Protocol 실험 계획안 @@ -18966,16 +18975,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs LCDs - - - To-Do - 할 것 - - - - Completed - 완전한 - Done 완료 @@ -19114,7 +19113,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19134,7 +19133,7 @@ To keep it free and current please support us with your donation and subscribe t Soak HH:MM - + @@ -19144,7 +19143,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19168,37 +19167,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device 온도센서 - + Comm Port 통신 포트 - + Baud Rate 통신속도 - + Byte Size 바이트 크기 - + Parity 패리트 - + Stopbits 문장끝부호 - + Timeout 시간초과 @@ -19206,16 +19205,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time 시간 - - + + @@ -19224,8 +19223,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -19234,104 +19233,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE 투입 - + DRY END 드라잉구간 끝 - + FC START 1차크랙 시작 - + FC END 1차크랙 끝 - + SC START 2차크랙 시작 - + SC END 2차크랙 끝 - + DROP 배출 - + COOL 쿨링완료 - + #{0} {1}{2} #{0} {1}{2} - + Power 화력 - + Duration 지속 - + CO2 - + Load 투입량 - + Source 소스 - + Kind 종류 - + Name 이름 - + Weight 무게 @@ -20279,7 +20278,7 @@ PID에 의해 시작됨 - + @@ -20300,7 +20299,7 @@ PID에 의해 시작됨 - + Show help 도움말 보기 @@ -20454,20 +20453,24 @@ has to be reduced by 4 times. 샘플링 간격마다 샘플링 작업을 동기적으로({}) 실행하거나 반복 시간 간격을 선택하여 샘플링하는 동안 비동기적으로 실행합니다. - + OFF Action String OFF 동작 문자열 - + ON Action String ON 액션 문자열 - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + 연결 후 요청을 보내기 전 몇 초 동안 추가 지연(연결 시 Arduino 장치가 다시 시작되어야 함) + + + Extra delay in Milliseconds between MODBUS Serial commands MODBUS 직렬 명령 사이의 추가 지연(밀리초) @@ -20483,12 +20486,7 @@ has to be reduced by 4 times. MODBUS 스캔 - - Reset socket connection on error - 오류 시 소켓 연결 재설정 - - - + Scan S7 스캔 S7 @@ -20504,7 +20502,7 @@ has to be reduced by 4 times. 추가 장치만 있는 로드된 배경의 경우 - + The maximum nominal batch size of the machine in kg 기계의 최대 공칭 배치 크기(kg) @@ -20938,32 +20936,32 @@ Currently in TEMP MODE 현재 온도 모드 - + <b>Label</b>= <b>라벨</b>= - + <b>Description </b>= <b>설명 </b>= - + <b>Type </b>= <b>유형 </b>= - + <b>Value </b>= <b>가치 </b>= - + <b>Documentation </b>= <b>문서 </b>= - + <b>Button# </b>= <b>버튼# </b>= @@ -21047,6 +21045,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white 버튼 색상을 그레이스케일로, LCD 색상을 흑백으로 설정 + + Reset socket connection on error + 오류 시 소켓 연결 재설정 + Action String 작업 문자열 diff --git a/src/translations/artisan_lv.qm b/src/translations/artisan_lv.qm index 31c574fdf..dd59678f8 100644 Binary files a/src/translations/artisan_lv.qm and b/src/translations/artisan_lv.qm differ diff --git a/src/translations/artisan_lv.ts b/src/translations/artisan_lv.ts index a9b982797..89b892231 100644 --- a/src/translations/artisan_lv.ts +++ b/src/translations/artisan_lv.ts @@ -9,57 +9,57 @@ Atlaidiet sponsoru - + About Par - + Core Developers Galvenie izstrādātāji - + License Licence - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Izgūstot jaunāko versijas informāciju, radās problēma. Lūdzu, pārbaudiet interneta savienojumu, vēlāk mēģiniet vēlreiz vai pārbaudiet manuāli. - + A new release is available. Ir pieejams jauns izlaidums. - + Show Change list Rādīt izmaiņu sarakstu - + Download Release Lejupielādes izlaidums - + You are using the latest release. Jūs izmantojat jaunāko laidienu. - + You are using a beta continuous build. Jūs izmantojat nepārtrauktu beta versiju. - + You will see a notice here once a new official release is available. Tiklīdz būs pieejams jauns oficiālais izlaidums, šeit redzēsit paziņojumu. - + Update status Atjaunot statusu @@ -211,14 +211,34 @@ Button + + + + + + + + + OK + labi + + + + + + + + Cancel + Atcelt + - - - - + + + + Restore Defaults @@ -246,7 +266,7 @@ - + @@ -274,7 +294,7 @@ - + @@ -332,17 +352,6 @@ Save Saglabāt - - - - - - - - - OK - labi - On @@ -555,15 +564,6 @@ Write PIDs Rakstiet PID - - - - - - - Cancel - Atcelt - Set ET PID to MM:SS time units @@ -582,8 +582,8 @@ - - + + @@ -603,7 +603,7 @@ - + @@ -643,7 +643,7 @@ Sākt - + Scan Skenēt @@ -728,9 +728,9 @@ Atjaunināt - - - + + + Save Defaults Saglabāt noklusējumus @@ -1383,12 +1383,12 @@ BEIGT Peldēt - + START on CHARGE SĀKT ar CHARGE - + OFF on DROP IESLĒGTS DROP @@ -1460,61 +1460,61 @@ BEIGT Rādīt vienmēr - + Heavy FC Smags FC - + Low FC Zems FC - + Light Cut Gaismas griezums - + Dark Cut Tumšs griezums - + Drops Pilieni - + Oily Eļļains - + Uneven Nevienmērīga - + Tipping Dzeramnauda - + Scorching Dedzinoša - + Divots @@ -2282,14 +2282,14 @@ BEIGT - + ET - + BT @@ -2312,24 +2312,19 @@ BEIGT vārdus - + optimize optimizēt - + fetch full blocks atnest pilnus blokus - - reset - atiestatīt - - - + compression saspiešana @@ -2515,6 +2510,10 @@ BEIGT Elec Elektr + + reset + atiestatīt + Title Nosaukums @@ -2594,6 +2593,16 @@ BEIGT Contextual Menu + + + All batches prepared + Visas partijas sagatavotas + + + + No batch prepared + Nav sagatavota partija + Add point @@ -2639,16 +2648,6 @@ BEIGT Edit Rediģēt - - - All batches prepared - Visas partijas sagatavotas - - - - No batch prepared - Nav sagatavota partija - Countries @@ -3983,20 +3982,20 @@ BEIGT Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4089,42 +4088,42 @@ BEIGT - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4193,10 +4192,10 @@ BEIGT - - - - + + + + @@ -4394,12 +4393,12 @@ BEIGT - - - - - - + + + + + + @@ -4408,17 +4407,17 @@ BEIGT Vērtības kļūda: - + Serial Exception: invalid comm port Sērijas izņēmums: nederīgs sakaru ports - + Serial Exception: timeout Sērijas izņēmums: taimauts - + Unable to move CHARGE to a value that does not exist Nevar pārvietot CHARGE uz vērtību, kas neeksistē @@ -4428,30 +4427,30 @@ BEIGT Modbus sakari ir atsākti - + Modbus Error: failed to connect Modbus kļūda: neizdevās izveidot savienojumu - - - - - - - - - + + + + + + + + + Modbus Error: Modbus kļūda: - - - - - - + + + + + + Modbus Communication Error Modbus komunikācijas kļūda @@ -4535,52 +4534,52 @@ BEIGT Izņēmums: {} nav derīgs iestatījumu fails - - - - - + + + + + Error Kļūda - + Exception: WebLCDs not supported by this build Izņēmums: šajā būvniecībā neatbalstīti WebLCD - + Could not start WebLCDs. Selected port might be busy. Nevarēja palaist WebLCD. Iespējams, izvēlētais ports ir aizņemts. - + Failed to save settings Neizdevās saglabāt iestatījumus - - + + Exception (probably due to an empty profile): Izņēmums (iespējams, tukša profila dēļ): - + Analyze: CHARGE event required, none found Analizēt: nepieciešams notikums CHARGE, neviens nav atrasts - + Analyze: DROP event required, none found Analizēt: nepieciešams DROP notikums, neviens nav atrasts - + Analyze: no background profile data available Analizēt: fona profila dati nav pieejami - + Analyze: background profile requires CHARGE and DROP events Analizēt: fona profilam ir nepieciešami notikumi CHARGE un DROP @@ -4620,6 +4619,12 @@ BEIGT Form Caption + + + + Custom Blend + Pielāgots maisījums + Axes @@ -4754,12 +4759,12 @@ BEIGT Ostu konfigurācija - + MODBUS Help MODBUS palīdzība - + S7 Help S7 palīdzība @@ -4779,23 +4784,17 @@ BEIGT Grauzdētas īpašības - - - Custom Blend - Pielāgots maisījums - - - + Energy Help Enerģijas palīdzība - + Tare Setup Taras iestatīšana - + Set Measure from Profile Iestatiet mērījumu no profila @@ -5005,27 +5004,27 @@ BEIGT Vadība - + Registers Reģistrē - - + + Commands Komandas - + PID - + Serial Seriāls @@ -5036,37 +5035,37 @@ BEIGT - + Input Ievade - + Machine Mašīna - + Timeout Pārtraukums - + Nodes Mezgli - + Messages Ziņojumi - + Flags Karogi - + Events Notikumi @@ -5078,14 +5077,14 @@ BEIGT - + Energy Enerģija - + CO2 @@ -5321,14 +5320,14 @@ BEIGT HTML Report Template - + BBP Total Time BBP kopējais laiks - + BBP Bottom Temp BBP Apakšējā temp @@ -5345,849 +5344,849 @@ BEIGT - + Whole Color Visa krāsa - - + + Profile Profils - + Roast Batches Ceptu partijas - - - + + + Batch Partija - - + + Date Datums - - - + + + Beans Pupiņas - - - + + + In - - + + Out Ārā - - - + + + Loss Zaudējums - - + + SUM SUMMA - + Production Report Ražošanas ziņojums - - + + Time Laiks - - + + Weight In Svars In - - + + CHARGE BT LADĪT BT - - + + FCs Time FC laiks - - + + FCs BT - - + + DROP Time DROP laiks - - + + DROP BT - + Dry Percent Sausais procents - + MAI Percent MAI procenti - + Dev Percent Izstrādātāju procenti - - + + AUC - - + + Weight Loss Svara zudums - - + + Color Krāsa - + Cupping Kausēšana - + Roaster Grauzdētājs - + Capacity Jauda - + Operator Operators - + Organization Organizācija - + Drum Speed Bungu ātrums - + Ground Color Zemes krāsa - + Color System Krāsu sistēma - + Screen Min Ekrāna min - + Screen Max Ekrāna maks - + Bean Temp Pupiņu temp - + CHARGE ET - + TP Time TP laiks - + TP ET - + TP BT - + DRY Time ŽĀVĒŠANAS laiks - + DRY ET - + DRY BT - + FCs ET - + FCe Time FCe laiks - + FCe ET - + FCe BT - + SCs Time SC laiks - + SCs ET - + SCs BT - + SCe Time SCe laiks - + SCe ET - + SCe BT - + DROP ET NOPIET ET - + COOL Time VĒSAIS laiks - + COOL ET - + COOL BT - + Total Time Kopējais laiks - + Dry Phase Time Sausās fāzes laiks - + Mid Phase Time Vidus fāzes laiks - + Finish Phase Time Beigu fāzes laiks - + Dry Phase RoR Sausā fāze RoR - + Mid Phase RoR Vidējā fāze RoR - + Finish Phase RoR Pabeigt fāzi RoR - + Dry Phase Delta BT Sausā fāze Delta BT - + Mid Phase Delta BT Vidējā fāze Delta BT - + Finish Phase Delta BT - + Finish Phase Rise Pabeigt celšanās fāzi - + Total RoR Kopējais RoR - + FCs RoR - + MET TER - + AUC Begin AUC Sākt - + AUC Base AUC bāze - + Dry Phase AUC Sausās fāzes AUC - + Mid Phase AUC Vidējā fāzes AUC - + Finish Phase AUC Pabeigt fāzi AUC - + Weight Out Svars Out - + Volume In Skaļums In - + Volume Out Skaļuma izslēgšana - + Volume Gain Skaļuma pieaugums - + Green Density Zaļais blīvums - + Roasted Density Grauzdētais blīvums - + Moisture Greens Mitruma zaļumi - + Moisture Roasted Mitrums grauzdēts - + Moisture Loss Mitruma zudums - + Organic Loss Organiskais zaudējums - + Ambient Humidity Apkārtējās vides mitrums - + Ambient Pressure Apkārtējais spiediens - + Ambient Temperature Apkārtējās vides temperatūra - - + + Roasting Notes Grauzdēšanas piezīmes - - + + Cupping Notes Cupping piezīmes - + Heavy FC Smags FC - + Low FC Zems FC - + Light Cut Gaismas griezums - + Dark Cut Tumšs griezums - + Drops Pilieni - + Oily Eļļains - + Uneven Nevienmērīga - + Tipping Dzeramnauda - + Scorching Dedzinoša - + Divots - + Mode Režīms - + BTU Batch BTU partija - + BTU Batch per green kg BTU Partija uz zaļo kg - + CO2 Batch CO2 partija - + BTU Preheat BTU uzsildīšana - + CO2 Preheat CO2 Uzkarsē - + BTU BBP - + CO2 BBP - + BTU Cooling BTU dzesēšana - + CO2 Cooling CO2 dzesēšana - + BTU Roast BTU cepetis - + BTU Roast per green kg BTU Cepetis uz zaļo kg - + CO2 Roast CO2 cepetis - + CO2 Batch per green kg CO2 Partija uz zaļo kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Efektivitātes partija - + Efficiency Roast Efektivitātes cepetis - + BBP Begin BBP Sākt - + BBP Begin to Bottom Time - + BBP Bottom to CHARGE Time BBP Bottom to CHARGE laiks - + BBP Begin to Bottom RoR - + BBP Bottom to CHARGE RoR BBP apakšā, lai CHARGE RoR - + File Name Faila nosaukums - + Roast Ranking Cepta klasifikācija - + Ranking Report Reitinga ziņojums - + AVG - + Roasting Report Cepšanas ziņojums - + Date: Datums: - + Beans: Pupiņas: - + Weight: Svars: - + Volume: Apjoms: - + Roaster: Grauzdētājs: - + Operator: Operators: - + Organization: Organizācija: - + Cupping: Kausēšana: - + Color: Krāsa: - + Energy: Enerģija: - + CO2: - + CHARGE: MAKSĀJUMS: - + Size: Izmērs: - + Density: Blīvums: - + Moisture: Mitrums: - + Ambient: Apkārtējā: - + TP: - + DRY: ŽAUSTS: - + FCs: FC: - + FCe: - + SCs: SC: - + SCe: - + DROP: NOMET: - + COOL: VĒSTI: - + MET: - + CM: - + Drying: Žāvēšana: - + Maillard: - + Finishing: Apdare: - + Cooling: Dzesēšana: - + Background: Fons: - + Alarms: Modinātāji: - + RoR: - + AUC: - + Events Notikumi @@ -11214,6 +11213,92 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums Label + + + + + + + + + Weight + Svars + + + + + + + Beans + Pupiņas + + + + + + Density + Blīvums + + + + + + Color + Krāsa + + + + + + Moisture + Mitrums + + + + + + + Roasting Notes + Grauzdēšanas piezīmes + + + + Score + Rezultāts + + + + + Cupping Score + Kausēšanas rezultāts + + + + + + + Cupping Notes + Cupping piezīmes + + + + + + + + Roasted + Grauzdēts + + + + + + + + + Green + Zaļš + @@ -11318,7 +11403,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11337,7 +11422,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11353,7 +11438,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11372,7 +11457,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11399,7 +11484,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11431,7 +11516,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + DRY SAUSA @@ -11448,7 +11533,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + FCs FC @@ -11456,7 +11541,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + FCe @@ -11464,7 +11549,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + SCs SC @@ -11472,7 +11557,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + SCe @@ -11485,7 +11570,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11500,10 +11585,10 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums/ min - - - - + + + + @@ -11511,8 +11596,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsIESLĒGTS - - + + @@ -11526,8 +11611,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsCikls - - + + Input Ievade @@ -11561,7 +11646,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + @@ -11578,8 +11663,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - - + + Mode @@ -11641,7 +11726,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + Label @@ -11766,21 +11851,21 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsSV maks - + P - + I Es - + D @@ -11842,13 +11927,6 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsMarkers Marķieri - - - - - Color - Krāsa - Text Color @@ -11879,9 +11957,9 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsIzmērs - - + + @@ -11919,8 +11997,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - - + + Event @@ -11933,7 +12011,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsDarbība - + Command Komanda @@ -11945,7 +12023,7 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsKompensācija - + Factor @@ -11962,14 +12040,14 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + Unit Vienība - + Source Avots @@ -11980,10 +12058,10 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsKopa - - - + + + OFF @@ -12034,15 +12112,15 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsReģistrēties - - + + Area Platība - - + + DB# DB # @@ -12050,54 +12128,54 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - + Start Sākt - - + + Comm Port Kom osta - - + + Baud Rate Pārraides ātrumu - - + + Byte Size Baitu lielums - - + + Parity Paritāte - - + + Stopbits Stopbiti - - + + @@ -12134,8 +12212,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - - + + Type Tips @@ -12145,8 +12223,8 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - - + + Host Saimnieks @@ -12157,20 +12235,20 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikums - - + + Port Osta - + SV Factor SV faktors - + pid Factor pid Faktors @@ -12192,75 +12270,75 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsStingri - - + + Device Ierīce - + Rack - + Slot Slots - + Path Ceļš - + ID - + Connect Izveidojiet savienojumu - + Reconnect Atkārtoti izveidojiet savienojumu - - + + Request Pieprasījums - + Message ID Ziņojuma ID - + Machine ID Mašīnas ID - + Data Dati - + Message Ziņojums - + Data Request Datu pieprasījums - - + + Node Mezgls @@ -12322,17 +12400,6 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsg - - - - - - - - - Weight - Svars - @@ -12340,25 +12407,6 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsVolume Skaļums - - - - - - - - Green - Zaļš - - - - - - - - Roasted - Grauzdēts - @@ -12409,31 +12457,16 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsDatums - + Batch Partija - - - - - - Beans - Pupiņas - % - - - - - Density - Blīvums - Screen @@ -12449,13 +12482,6 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsGround Zeme - - - - - Moisture - Mitrums - @@ -12468,22 +12494,6 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsAmbient Conditions Apkārtējie apstākļi - - - - - - Roasting Notes - Grauzdēšanas piezīmes - - - - - - - Cupping Notes - Cupping piezīmes - Ambient Source @@ -12505,140 +12515,140 @@ Kad īsinājumtaustiņi ir IZSLĒGTI, tiek pievienots pielāgots notikumsSajauc - + Template Veidne - + Results in Rezultāti - + Rating Vērtējums - + Pressure % Spiediens% - + Electric Energy Mix: Elektroenerģijas sajaukums: - + Renewable Atjaunojams - - + + Pre-Heating Iepriekšēja apkure - - + + Between Batches Starp partijām - - + + Cooling Atdzesēšana - + Between Batches after Pre-Heating Starp partijām pēc iepriekšējas sildīšanas - + (mm:ss) (mm: ss) - + Duration Ilgums - + Measured Energy or Output % Izmērītā enerģija vai izlaide% - - + + Preheat Uzkarsē - - + + BBP - - - - + + + + Roast Cepetis - - + + per kg green coffee uz kg zaļās kafijas - + Load Slodze - + Organization Organizācija - + Operator Operators - + Machine Mašīna - + Model Modelis - + Heating Apkure - + Drum Speed Bungu ātrums - + organic material organiskais materiāls @@ -12962,12 +12972,6 @@ LCD visi Roaster Grauzdētājs - - - - Cupping Score - Kausēšanas rezultāts - Max characters per line @@ -13047,7 +13051,7 @@ LCD visi Malas krāsa (RGBA) - + roasted grauzdēts @@ -13194,22 +13198,22 @@ LCD visi - + ln() ln () - - + + x - - + + Bkgnd @@ -13358,99 +13362,99 @@ LCD visi Uzlādējiet pupiņas - + /m / m - + greens zaļumi - - - + + + STOP - - + + OPEN ATVĒRTS - - - + + + CLOSE AIZVĒRT - - + + AUTO - - - + + + MANUAL ROKAS - + STIRRER MAISĪTĀJS - + FILL AIZPILDĪT - + RELEASE IZLAIDOT - + HEATING APKURE - + COOLING DZESĒŠANA - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Maks. + / Maks. RoR @@ -13776,11 +13780,6 @@ LCD visi Aspect Ratio Malu attiecība - - - Score - Rezultāts - Coarse Rupja @@ -13973,6 +13972,12 @@ LCD visi Menu + + + + Schedule + Plānot + @@ -14429,12 +14434,6 @@ LCD visi Sliders Slīdņi - - - - Schedule - Plānot - Full Screen @@ -14543,6 +14542,53 @@ LCD visi Message + + + Scheduler started + Plānotājs ir palaists + + + + Scheduler stopped + Plānotājs apstājās + + + + + + + Warning + Brīdinājums + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Kamēr grafika logs ir aizvērts, grafiks netiks pielāgots, kad ir pabeigta cepšana + + + + + 1 batch + 1 partija + + + + + + + {} batches + {} partijas + + + + Updating completed roast properties failed + Neizdevās atjaunināt pabeigtās cepšanas īpašības + + + + Fetching completed roast properties failed + Neizdevās ienest pabeigtos grauzdēšanas rekvizītus + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15103,20 +15149,20 @@ Atkārtojiet darbību beigās: {0} - + Bluetootooth access denied Bluetooth piekļuve liegta - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Seriālā porta iestatījumi: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15150,50 +15196,50 @@ Atkārtojiet darbību beigās: {0} Notiek fona profila lasīšana... - + Event table copied to clipboard Pasākumu tabula ir kopēta starpliktuvē - + The 0% value must be less than the 100% value. 0% vērtībai ir jābūt mazākai par 100% vērtību. - - + + Alarms from events #{0} created Izveidoti trauksmes signāli no notikuma Nr. {0} - - + + No events found Nav atrasts neviens pasākums - + Event #{0} added Pievienots notikums Nr. {0} - + No profile found Profils nav atrasts - + Events #{0} deleted Notikumi #{0} ir izdzēsti - + Event #{0} deleted Notikums Nr. {0} ir izdzēsts - + Roast properties updated but profile not saved to disk Cepšanas rekvizīti ir atjaunināti, bet profils nav saglabāts diskā @@ -15208,7 +15254,7 @@ Atkārtojiet darbību beigās: {0} MODBUS atvienots - + Connected via MODBUS Savienots caur MODBUS @@ -15375,27 +15421,19 @@ Atkārtojiet darbību beigās: {0} Sampling Paraugu ņemšana - - - - - - Warning - Brīdinājums - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Īss paraugu ņemšanas intervāls dažās iekārtās var izraisīt nestabilitāti. Mēs iesakām vismaz 1 s. - + Incompatible variables found in %s %s atrasti nesaderīgi mainīgie - + Assignment problem Uzdevuma problēma @@ -15489,8 +15527,8 @@ Atkārtojiet darbību beigās: {0} sekot līdzi - - + + Save Statistics Saglabāt statistiku @@ -15652,19 +15690,19 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Amatnieks konfigurēts {0} - + Load theme {0}? Vai ielādēt motīvu {0}? - + Adjust Theme Related Settings Pielāgojiet ar motīvu saistītos iestatījumus - + Loaded theme {0} Ielādēts motīvs {0} @@ -15675,8 +15713,8 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Atklāts krāsu pāris, ko var būt grūti saskatīt: - - + + Simulator started @{}x Simulators tika palaists @{}x @@ -15727,14 +15765,14 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u autoDROP izslēgts - + PID set to OFF PID iestatīts uz OFF - + PID set to ON @@ -15954,7 +15992,7 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u {0} ir saglabāts. Sācies jauns cepetis - + Invalid artisan format @@ -16019,10 +16057,10 @@ Ir ieteicams iepriekš saglabāt pašreizējos iestatījumus, izmantojot izvēln Profils saglabāts - - - - + + + + @@ -16114,347 +16152,347 @@ Ir ieteicams iepriekš saglabāt pašreizējos iestatījumus, izmantojot izvēln Iestatījumu ielāde ir atcelta - - + + Statistics Saved Statistika saglabāta - + No statistics found Statistika nav atrasta - + Excel Production Report exported to {0} Excel ražošanas pārskats eksportēts uz {0} - + Ranking Report Reitinga ziņojums - + Ranking graphs are only generated up to {0} profiles Ranžēšanas diagrammas tiek ģenerētas tikai līdz {0} profiliem - + Profile missing DRY event Profilā trūkst DRY notikuma - + Profile missing phase events Profilam trūkst fāzes notikumu - + CSV Ranking Report exported to {0} CSV ranžēšanas pārskats eksportēts uz {0} - + Excel Ranking Report exported to {0} Excel ranžēšanas pārskats eksportēts uz {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth skalu nevar savienot, kamēr Artisan atļauja piekļūt Bluetooth ir liegta - + Bluetooth access denied Bluetooth piekļuve liegta - + Hottop control turned off Hottop vadība ir izslēgta - + Hottop control turned on Ieslēgta karstās virsmas vadība - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Lai vadītu Hottop, vispirms ir jāaktivizē superlietotāja režīms, ar peles labo pogu noklikšķiniet uz taimera LCD! - - + + Settings not found Iestatījumi nav atrasti - + artisan-settings amatnieku uzstādījumi - + Save Settings Saglabāt iestatījumus - + Settings saved Iestatījumi saglabāti - + artisan-theme amatnieku tēma - + Save Theme Saglabāt motīvu - + Theme saved Motīvs saglabāts - + Load Theme Ielādēt motīvu - + Theme loaded Motīvs ir ielādēts - + Background profile removed Fona profils ir noņemts - + Alarm Config Signalizācijas konfigurācija - + Alarms are not available for device None Ierīcei nav pieejami trauksmes signāli. Nav - + Switching the language needs a restart. Restart now? Lai pārslēgtu valodu, ir jārestartē. Restartēt tagad? - + Restart Restartēt - + Import K202 CSV Importēt K202 CSV - + K202 file loaded successfully K202 fails ir veiksmīgi ielādēts - + Import K204 CSV Importēt K204 CSV - + K204 file loaded successfully K204 fails ir veiksmīgi ielādēts - + Import Probat Recipe Importēt probat recepti - + Probat Pilot data imported successfully Probat Pilot dati ir veiksmīgi importēti - + Import Probat Pilot failed Importēt Probat Pilot neizdevās - - + + {0} imported {0} importēts - + an error occurred on importing {0} importējot {0}, radās kļūda - + Import Cropster XLS Importējiet Cropster XLS - + Import RoastLog URL Importēt RoastLog URL - + Import RoastPATH URL Importēt RoastPATH URL - + Import Giesen CSV Importēt Giesen CSV - + Import Petroncini CSV Importēt Petroncini CSV - + Import IKAWA URL Importējiet IKAWA URL - + Import IKAWA CSV Importēt IKAWA CSV - + Import Loring CSV Importēt Loring CSV - + Import Rubasse CSV Importēt Rubasse CSV - + Import HH506RA CSV Importēt HH506RA CSV - + HH506RA file loaded successfully HH506RA fails ir veiksmīgi ielādēts - + Save Graph as Saglabāt grafiku kā - + {0} size({1},{2}) saved {0} izmērs ({1},{2}) saglabāts - + Save Graph as PDF Saglabāt grafiku kā PDF - + Save Graph as SVG Saglabāt grafiku kā SVG - + {0} saved {0} saglabāts - + Wheel {0} loaded Ritenis {0} ir ielādēts - + Invalid Wheel graph format Nederīgs riteņa diagrammas formāts - + Buttons copied to Palette # Pogas kopētas uz paleti # - + Palette #%i restored Palete #%i ir atjaunota - + Palette #%i empty Palete #%i tukša - + Save Palettes Saglabāt paletes - + Palettes saved Paletes saglabātas - + Palettes loaded Paletes ielādētas - + Invalid palettes file format Nederīgs palešu faila formāts - + Alarms loaded Modinātāji ir ielādēti - + Fitting curves... Pielāgo līknes... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Brīdinājums: interesējošā analīzes intervāla sākums ir agrāks nekā līknes pielāgošanas sākums. Izlabojiet to cilnē Konfigurācija> Līknes> Analīze. - + Analysis earlier than Curve fit Analīze agrāk nekā līknes atbilstība - + Simulator stopped Simulators apstājās - + debug logging ON atkļūdošanas reģistrēšana IESLĒGTA @@ -17108,45 +17146,6 @@ Profilā trūkst [CHARGE] vai [DROP] Background profile not found Fona profils nav atrasts - - - Scheduler started - Plānotājs ir palaists - - - - Scheduler stopped - Plānotājs apstājās - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Kamēr grafika logs ir aizvērts, grafiks netiks pielāgots, kad ir pabeigta cepšana - - - - - 1 batch - 1 partija - - - - - - - {} batches - {} partijas - - - - Updating completed roast properties failed - Neizdevās atjaunināt pabeigtās cepšanas īpašības - - - - Fetching completed roast properties failed - Neizdevās ienest pabeigtos grauzdēšanas rekvizītus - Event # {0} recorded at BT = {1} Time = {2} Notikums Nr. {0} ierakstīts BT = {1} Laiks = {2} @@ -17214,51 +17213,6 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Plus - - - debug logging ON - atkļūdošanas reģistrēšana IESLĒGTA - - - - debug logging OFF - atkļūdošanas reģistrēšana IZSL - - - - 1 day left - Atlikusi 1 diena - - - - {} days left - {} dienas palikušas - - - - Paid until - Maksāja līdz - - - - Please visit our {0}shop{1} to extend your subscription - Lūdzu, apmeklējiet mūsu {0} veikalu {1}, lai pagarinātu abonementu - - - - Do you want to extend your subscription? - Vai vēlaties pagarināt abonementu? - - - - Your subscription ends on - Jūsu abonements beidzas - - - - Your subscription ended on - Jūsu abonements beidzās - Roast successfully upload to {} @@ -17448,6 +17402,51 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Remember Atcerieties + + + debug logging ON + atkļūdošanas reģistrēšana IESLĒGTA + + + + debug logging OFF + atkļūdošanas reģistrēšana IZSL + + + + 1 day left + Atlikusi 1 diena + + + + {} days left + {} dienas palikušas + + + + Paid until + Maksāja līdz + + + + Please visit our {0}shop{1} to extend your subscription + Lūdzu, apmeklējiet mūsu {0} veikalu {1}, lai pagarinātu abonementu + + + + Do you want to extend your subscription? + Vai vēlaties pagarināt abonementu? + + + + Your subscription ends on + Jūsu abonements beidzas + + + + Your subscription ended on + Jūsu abonements beidzās + ({} of {} done) (pabeigts {} no {}) @@ -17568,10 +17567,10 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - - - - + + + + Roaster Scope @@ -17943,6 +17942,16 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Tab + + + To-Do + Darīt + + + + Completed + Pabeigts + @@ -17975,7 +17984,7 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Iestatiet RS - + Extra @@ -18024,32 +18033,32 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - + ET/BT ET / BT - + Modbus - + S7 - + Scale Mērogs - + Color Krāsa - + WebSocket @@ -18086,17 +18095,17 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Uzstādīt - + Details Sīkāka informācija - + Loads Slodzes - + Protocol Protokols @@ -18181,16 +18190,6 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u LCDs LCD - - - To-Do - Darīt - - - - Completed - Pabeigts - Done Gatavs @@ -18309,7 +18308,7 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - + @@ -18329,7 +18328,7 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u Mērcēt HH: MM - + @@ -18339,7 +18338,7 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - + @@ -18363,37 +18362,37 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - + Device Ierīce - + Comm Port Kom osta - + Baud Rate Pārraides ātrumu - + Byte Size Baitu lielums - + Parity Paritāte - + Stopbits Stopbiti - + Timeout Pārtraukums @@ -18401,16 +18400,16 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - - + + Time Laiks - - + + @@ -18419,8 +18418,8 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - - + + @@ -18429,104 +18428,104 @@ Lai tas būtu bezmaksas un aktuāls, lūdzu, atbalstiet mūs ar savu ziedojumu u - + CHARGE MAKSĀT - + DRY END SAUSAIS BEIGAS - + FC START - + FC END FK BEIGAS - + SC START - + SC END SC BEIGAS - + DROP PILĒT - + COOL Vēss - + #{0} {1}{2} # {0} {1} {2} - + Power Jauda - + Duration Ilgums - + CO2 - + Load Slodze - + Source Avots - + Kind Laipns - + Name Nosaukums - + Weight Svars @@ -19405,7 +19404,7 @@ ierosināja PID - + @@ -19426,7 +19425,7 @@ ierosināja PID - + Show help Parādiet palīdzību @@ -19580,20 +19579,24 @@ ir jāsamazina 4 reizes. Sinhroni izpildiet iztveršanas darbību ({}) katrā iztveršanas intervālā vai atlasiet atkārtošanas laika intervālu, lai iztveršanas laikā to palaistu asinhroni - + OFF Action String IZSLĒGTS Darbības virkne - + ON Action String IESLĒGTS darbību virkne - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Papildu aizkave pēc savienojuma sekundēs pirms pieprasījumu nosūtīšanas (nepieciešams Arduino ierīcēm, kas restartējas savienojuma laikā) + + + Extra delay in Milliseconds between MODBUS Serial commands Papildu aizkave milisekundēs starp MODBUS sērijas komandām @@ -19609,12 +19612,7 @@ ir jāsamazina 4 reizes. Skenējiet MODBUS - - Reset socket connection on error - Atiestatīt kontaktligzdas savienojumu kļūdas gadījumā - - - + Scan S7 Skenēšana S7 @@ -19630,7 +19628,7 @@ ir jāsamazina 4 reizes. Tikai ielādētiem foniem ar papildu ierīcēm - + The maximum nominal batch size of the machine in kg Iekārtas maksimālais nominālais partijas lielums kg @@ -20064,32 +20062,32 @@ Currently in TEMP MODE Pašlaik TEMP REŽĪMĀ - + <b>Label</b>= <b>Etiķete</b>= - + <b>Description </b>= <b>Apraksts </b>= - + <b>Type </b>= <b>Veids </b>= - + <b>Value </b>= <b>Vērtība </b>= - + <b>Documentation </b>= <b>Dokumentācija </b>= - + <b>Button# </b>= <b>Poga Nr. </b>= @@ -20173,6 +20171,10 @@ Pašlaik TEMP REŽĪMĀ Sets button colors to grey scale and LCD colors to black and white Iestata pogu krāsas uz pelēko skalu un LCD krāsas uz melnbaltu + + Reset socket connection on error + Atiestatīt kontaktligzdas savienojumu kļūdas gadījumā + Action String Darbības virkne diff --git a/src/translations/artisan_nl.qm b/src/translations/artisan_nl.qm index cb9b8605a..41deaf6e0 100644 Binary files a/src/translations/artisan_nl.qm and b/src/translations/artisan_nl.qm differ diff --git a/src/translations/artisan_nl.ts b/src/translations/artisan_nl.ts index e10ef5dbc..df82f43e6 100644 --- a/src/translations/artisan_nl.ts +++ b/src/translations/artisan_nl.ts @@ -9,57 +9,57 @@ Sponsor vrijgeven - + About Over - + Core Developers Kern van Ontwikkelaars - + License Licentie - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Er is een probleem opgetreden bij het ophalen van de laatste versiegegevens. Controleer uw internetverbinding, probeer het later opnieuw of controleer handmatig. - + A new release is available. Er is een nieuwe release beschikbaar. - + Show Change list Toon wijzigingslijst - + Download Release Release downloaden - + You are using the latest release. U gebruikt de nieuwste release. - + You are using a beta continuous build. U gebruikt een continue bètaversie. - + You will see a notice here once a new official release is available. U ziet hier een bericht zodra er een nieuwe officiële release beschikbaar is. - + Update status Status bijwerken @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + + + + + + + + + Cancel + annuleren + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save Opslaan - - - - - - - - - OK - - On @@ -563,15 +572,6 @@ Write PIDs Schrijf PID's - - - - - - - Cancel - annuleren - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ Begin - + Scan Scannen @@ -736,9 +736,9 @@ bijwerken - - - + + + Save Defaults Sla standaardinstellingen op @@ -1443,12 +1443,12 @@ EIND Vlotter - + START on CHARGE BEGIN op LADEN - + OFF on DROP UIT bij DROP @@ -1520,61 +1520,61 @@ EIND Altijd weergeven - + Heavy FC Zware FC - + Low FC Lage FC - + Light Cut Licht gesneden - + Dark Cut Donkere snit - + Drops Lossingen - + Oily Vettig - + Uneven Ongelijkmatig - + Tipping Fooi geven - + Scorching Aanbrandend - + Divots Stukjes @@ -2358,14 +2358,14 @@ EIND - + ET EN - + BT @@ -2388,24 +2388,19 @@ EIND woorden - + optimize optimaliseren - + fetch full blocks haal volledige blokken op - - reset - resetten - - - + compression compressie @@ -2591,6 +2586,10 @@ EIND Elec Elek + + reset + resetten + Title Titel @@ -2734,6 +2733,16 @@ EIND Contextual Menu + + + All batches prepared + Alle batches voorbereid + + + + No batch prepared + Geen batch bereid + Add point @@ -2779,16 +2788,6 @@ EIND Edit Bewerk - - - All batches prepared - Alle batches voorbereid - - - - No batch prepared - Geen batch bereid - Create Maak aan @@ -4146,20 +4145,20 @@ EIND Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4252,42 +4251,42 @@ EIND - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4356,10 +4355,10 @@ EIND - - - - + + + + @@ -4557,12 +4556,12 @@ EIND - - - - - - + + + + + + @@ -4571,17 +4570,17 @@ EIND Waarde Fout: - + Serial Exception: invalid comm port Seriële uitzondering: ongeldige communicatiepoort - + Serial Exception: timeout Seriële uitzondering: time-out - + Unable to move CHARGE to a value that does not exist Kan CHARGE niet verplaatsen naar een waarde die niet bestaat @@ -4591,30 +4590,30 @@ EIND Modbus-communicatie hervat - + Modbus Error: failed to connect Modbus-fout: kan geen verbinding maken - - - - - - - - - + + + + + + + + + Modbus Error: Modbus-fout: - - - - - - + + + + + + Modbus Communication Error Modbus-communicatiefout @@ -4698,52 +4697,52 @@ EIND Uitzondering: {} geen geldig instellingenbestand - - - - - + + + + + Error Fout - + Exception: WebLCDs not supported by this build Uitzondering: WebLCD's worden niet ondersteund door deze build - + Could not start WebLCDs. Selected port might be busy. Kan WebLCD's niet starten. De geselecteerde poort is mogelijk bezet. - + Failed to save settings Kan instellingen niet opslaan - - + + Exception (probably due to an empty profile): Uitzondering (waarschijnlijk vanwege een leeg profiel): - + Analyze: CHARGE event required, none found Analyseren: CHARGE-gebeurtenis vereist, geen gevonden - + Analyze: DROP event required, none found Analyseren: DROP-gebeurtenis vereist, geen gevonden - + Analyze: no background profile data available Analyseren: geen achtergrondprofielgegevens beschikbaar - + Analyze: background profile requires CHARGE and DROP events Analyseren: achtergrondprofiel vereist CHARGE- en DROP-gebeurtenissen @@ -4822,6 +4821,12 @@ EIND Form Caption + + + + Custom Blend + Aangepaste mix + Axes @@ -4956,12 +4961,12 @@ EIND Configuratie Poorten - + MODBUS Help MODBUS-hulp - + S7 Help S7 hulp @@ -4981,23 +4986,17 @@ EIND Brand eigenschappen - - - Custom Blend - Aangepaste mix - - - + Energy Help Energiehulp - + Tare Setup Tarra-instelling - + Set Measure from Profile Stel de maat in vanuit het profiel @@ -5215,27 +5214,27 @@ EIND Beheer - + Registers Registreert - - + + Commands Commando's - + PID - + Serial Serieel @@ -5246,37 +5245,37 @@ EIND - + Input Invoer - + Machine Machine - + Timeout Time-out - + Nodes Knooppunten - + Messages Berichten - + Flags Vlaggen - + Events Evenementen @@ -5288,14 +5287,14 @@ EIND - + Energy Energie - + CO2 @@ -5539,14 +5538,14 @@ EIND HTML Report Template - + BBP Total Time BBP totale tijd - + BBP Bottom Temp BBP Bodemtemp @@ -5563,849 +5562,849 @@ EIND - + Whole Color Kleur Heel - - + + Profile Profiel - + Roast Batches Geroosterde batches - - - + + + Batch Partij - - + + Date Datum - - - + + + Beans Bonen - - - + + + In - - + + Out Uit - - - + + + Loss Verlies - - + + SUM SOM - + Production Report Productierapport - - + + Time Tijd - - + + Weight In Gewicht binnen - - + + CHARGE BT OPLADEN BT - - + + FCs Time FC's tijd - - + + FCs BT FC's BT - - + + DROP Time DROP-tijd - - + + DROP BT - + Dry Percent Droog percentage - + MAI Percent MAI-percentage - + Dev Percent Ontwikkelaarspercentage - - + + AUC - - + + Weight Loss Gewichtsverlies - - + + Color Kleur - + Cupping Cuppen - + Roaster Brander - + Capacity Capaciteit - + Operator Exploitant - + Organization Organisatie - + Drum Speed Trommelsnelheid - + Ground Color Kleur Gemalen - + Color System Kleursysteem - + Screen Min Scherm min - + Screen Max Scherm Max - + Bean Temp Bonentemp - + CHARGE ET OPLADEN EN - + TP Time TP-tijd - + TP ET - + TP BT - + DRY Time DROOG Tijd - + DRY ET DROOG ET - + DRY BT DROOG BT - + FCs ET FC's ET - + FCe Time FCe-tijd - + FCe ET - + FCe BT - + SCs Time SC's tijd - + SCs ET SC's ET - + SCs BT SC's BT - + SCe Time SCe-tijd - + SCe ET - + SCe BT - + DROP ET - + COOL Time Toffe tijd - + COOL ET KOEL EN - + COOL BT KOEL BT - + Total Time Totale tijd - + Dry Phase Time Tijd van droge fase - + Mid Phase Time Middenfase tijd - + Finish Phase Time Voltooi fasetijd - + Dry Phase RoR Droge fase RoR - + Mid Phase RoR Middenfase RoR - + Finish Phase RoR Voltooi fase RoR - + Dry Phase Delta BT Droge fase Delta BT - + Mid Phase Delta BT Middenfase Delta BT - + Finish Phase Delta BT Voltooi Fase Delta BT - + Finish Phase Rise Voltooi fasestijging - + Total RoR Totaal RoR - + FCs RoR FC's RoR - + MET LEERDE KENNEN - + AUC Begin - + AUC Base AUC-basis - + Dry Phase AUC Droge fase AUC - + Mid Phase AUC Middenfase AUC - + Finish Phase AUC Eindfase AUC - + Weight Out Gewicht uit - + Volume In Volume-in - + Volume Out Volume uit - + Volume Gain Volumewinst - + Green Density Groene dichtheid - + Roasted Density Geroosterde dichtheid - + Moisture Greens Opslag Condities - + Moisture Roasted Vocht geroosterd - + Moisture Loss Vochtverlies - + Organic Loss Organisch verlies - + Ambient Humidity Luchtvochtigheid - + Ambient Pressure Omgevingsdruk - + Ambient Temperature Omgevingstemperatuur - - + + Roasting Notes Aantekeningen betr. Branden - - + + Cupping Notes Cupping-opmerkingen - + Heavy FC Zware FC - + Low FC Lage FC - + Light Cut Licht gesneden - + Dark Cut Donkere snit - + Drops Druppels - + Oily Vettig - + Uneven Ongelijkmatig - + Tipping Fooi geven - + Scorching Verzengend - + Divots - + Mode Modus - + BTU Batch BTU-batch - + BTU Batch per green kg BTU Batch per groene kg - + CO2 Batch CO2-batch - + BTU Preheat BTU voorverwarmen - + CO2 Preheat CO2 Voorverwarmen - + BTU BBP - + CO2 BBP - + BTU Cooling BTU-koeling - + CO2 Cooling CO2-koeling - + BTU Roast BTU-gebraden - + BTU Roast per green kg BTU Roast per groene kg - + CO2 Roast CO2 Roosteren - + CO2 Batch per green kg CO2 Partij per groene kg - + BTU LPG - + BTU NG - + BTU ELEC BTU ELEK - + Efficiency Batch Efficiëntiebatch - + Efficiency Roast Efficiëntie gebraden - + BBP Begin - + BBP Begin to Bottom Time BBP Begin-tot-bodemtijd - + BBP Bottom to CHARGE Time BBP Bodem tot LAADtijd - + BBP Begin to Bottom RoR BBP Begin-tot-bodem RoR - + BBP Bottom to CHARGE RoR BBP Bottom om RoR op te laden - + File Name Bestandsnaam - + Roast Ranking Geroosterde ranglijst - + Ranking Report Ranglijst rapport - + AVG - + Roasting Report Verslag van Branding - + Date: Datum: - + Beans: Bonen: - + Weight: Gewicht: - + Volume: Hoeveelheid: - + Roaster: Brander: - + Operator: Exploitant: - + Organization: Organisatie: - + Cupping: Cuppen: - + Color: Kleur: - + Energy: Energie: - + CO2: - + CHARGE: LADEN: - + Size: Maat: - + Density: Dichtheid: - + Moisture: Vocht: - + Ambient: Omgeving: - + TP: - + DRY: DROGEN: - + FCs: FC's: - + FCe: - + SCs: SC's: - + SCe: - + DROP: LOSSEN: - + COOL: KOELEN: - + MET: LEERDE KENNEN: - + CM: - + Drying: Drogen: - + Maillard: - + Finishing: Afwerking: - + Cooling: Afkoeling: - + Background: Achtergrond: - + Alarms: Alarmen: - + RoR: - + AUC: - + Events Evenementen @@ -11480,6 +11479,92 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Label + + + + + + + + + Weight + Gewicht + + + + + + + Beans + Bonen + + + + + + Density + Dichtheid + + + + + + Color + Kleur + + + + + + Moisture + Vochtigheid + + + + + + + Roasting Notes + Aantekeningen betr branding + + + + Score + Scoren + + + + + Cupping Score + Cupping-score + + + + + + + Cupping Notes + Cupping-opmerkingen + + + + + + + + Roasted + Geroosterd + + + + + + + + + Green + Groen + @@ -11584,7 +11669,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11603,7 +11688,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11619,7 +11704,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11638,7 +11723,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11665,7 +11750,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11697,7 +11782,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + DRY DROOG @@ -11714,7 +11799,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + FCs FC's @@ -11722,7 +11807,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + FCe @@ -11730,7 +11815,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + SCs SC's @@ -11738,7 +11823,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + SCe @@ -11751,7 +11836,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11766,10 +11851,10 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo / min - - - - + + + + @@ -11777,8 +11862,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo AAN - - + + @@ -11792,8 +11877,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Fiets - - + + Input Invoer @@ -11827,7 +11912,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + @@ -11844,8 +11929,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - - + + Mode @@ -11907,7 +11992,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + Label @@ -12032,21 +12117,21 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo SV-max - + P P. - + I ik - + D @@ -12108,13 +12193,6 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Markers Markeringen - - - - - Color - Kleur - Text Color @@ -12145,9 +12223,9 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Maat - - + + @@ -12185,8 +12263,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - - + + Event @@ -12199,7 +12277,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Actie - + Command Opdracht @@ -12211,7 +12289,7 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Compensatie - + Factor @@ -12228,14 +12306,14 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Temperatuur - + Unit Eenheid - + Source Bron @@ -12246,10 +12324,10 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo TROS - - - + + + OFF @@ -12300,15 +12378,15 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Registreren - - + + Area Oppervlakte - - + + DB# DB # @@ -12316,54 +12394,54 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - + Start Begin - - + + Comm Port Comm-poort - - + + Baud Rate Baudsnelheid - - + + Byte Size Bytegrootte - - + + Parity Pariteit - - + + Stopbits stopbits - - + + @@ -12400,8 +12478,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - - + + Type @@ -12411,8 +12489,8 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - - + + Host Netwerk @@ -12423,20 +12501,20 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo - - + + Port Haven - + SV Factor SV-factor - + pid Factor pid-factor @@ -12458,75 +12536,75 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Streng - - + + Device Apparaat - + Rack Rek - + Slot Sleuf - + Path Pad - + ID ID kaart - + Connect Aansluiten - + Reconnect Maak opnieuw verbinding - - + + Request Verzoek - + Message ID Bericht-ID - + Machine ID machine ID - + Data Gegevens - + Message Bericht - + Data Request Data verzoek - - + + Node Knooppunt @@ -12588,17 +12666,6 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo g - - - - - - - - - Weight - Gewicht - @@ -12606,25 +12673,6 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Volume Hoeveelheid - - - - - - - - Green - Groen - - - - - - - - Roasted - Geroosterd - @@ -12675,31 +12723,16 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Datum - + Batch Partij - - - - - - Beans - Bonen - % % - - - - - Density - Dichtheid - Screen @@ -12715,13 +12748,6 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Ground Grond - - - - - Moisture - Vochtigheid - @@ -12734,22 +12760,6 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Ambient Conditions Omgevings Condities - - - - - - Roasting Notes - Aantekeningen betr branding - - - - - - - Cupping Notes - Cupping-opmerkingen - Ambient Source @@ -12771,140 +12781,140 @@ Wanneer sneltoetsen zijn uitgeschakeld, wordt een aangepaste gebeurtenis toegevo Mengsel - + Template Sjabloon - + Results in Resulteert in - + Rating Beoordeling - + Pressure % Druk% - + Electric Energy Mix: Elektrische energiemix: - + Renewable Hernieuwbaar - - + + Pre-Heating Voorverwarmen - - + + Between Batches Tussen batches - - + + Cooling Afkoeling - + Between Batches after Pre-Heating Tussen batches na voorverwarming - + (mm:ss) (mm: ss) - + Duration Looptijd - + Measured Energy or Output % Gemeten energie of output% - - + + Preheat voorverwarmen - - + + BBP - - - - + + + + Roast Gebraden - - + + per kg green coffee per kg groene koffie - + Load Laad - + Organization Organisatie - + Operator Exploitant - + Machine Machine - + Model - + Heating Verwarming - + Drum Speed Trommelsnelheid - + organic material organisch materiaal @@ -13228,12 +13238,6 @@ Alle LCD-schermen Roaster Brander - - - - Cupping Score - Cupping-score - Max characters per line @@ -13313,7 +13317,7 @@ Alle LCD-schermen Randkleur (RGBA) - + roasted geroosterd @@ -13460,22 +13464,22 @@ Alle LCD-schermen - + ln() ln () - - + + x X - - + + Bkgnd Bknd @@ -13624,99 +13628,99 @@ Alle LCD-schermen Laad de bonen op - + /m / m - + greens Groenen - - - + + + STOP - - + + OPEN - - - + + + CLOSE DICHTBIJ - - + + AUTO - - - + + + MANUAL HANDMATIG - + STIRRER ROERDER - + FILL VULLEN - + RELEASE UITGAVE - + HEATING VERWARMING - + COOLING KOELING - + RMSE BT RMSE-BT - + MSE BT MSE-BT - + RoR - + @FCs @FC's - + Max+/Max- RoR Max + / Max- RoR @@ -14042,11 +14046,6 @@ Alle LCD-schermen Aspect Ratio Aspectverhouding - - - Score - Scoren - RPM toerental @@ -14307,6 +14306,12 @@ Alle LCD-schermen Menu + + + + Schedule + Plan + @@ -14763,12 +14768,6 @@ Alle LCD-schermen Sliders Schuifregelaars - - - - Schedule - Plan - Full Screen @@ -14885,6 +14884,53 @@ Alle LCD-schermen Message + + + Scheduler started + Planner gestart + + + + Scheduler stopped + Planner gestopt + + + + + + + Warning + Waarschuwing + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Voltooide roasts zullen het schema niet aanpassen zolang het schemavenster gesloten is + + + + + 1 batch + 1 partij + + + + + + + {} batches + {} partijen + + + + Updating completed roast properties failed + Het bijwerken van voltooide braadeigenschappen is mislukt + + + + Fetching completed roast properties failed + Het ophalen van voltooide braadeigenschappen is mislukt + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15445,20 +15491,20 @@ Herhaal bewerking aan het einde: {0} - + Bluetootooth access denied Bluetooth-toegang geweigerd - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Instellingen seriële poort: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15492,50 +15538,50 @@ Herhaal bewerking aan het einde: {0} Achtergrondprofiel lezen... - + Event table copied to clipboard Evenemententabel gekopieerd naar klembord - + The 0% value must be less than the 100% value. De 0%-waarde moet kleiner zijn dan de 100%-waarde. - - + + Alarms from events #{0} created Alarmen van gebeurtenissen #{0} gemaakt - - + + No events found Geen evenementen gevonden - + Event #{0} added Evenement #{0} toegevoegd - + No profile found Geen profiel gevonden - + Events #{0} deleted Gebeurtenissen #{0} verwijderd - + Event #{0} deleted Evenement #{0} verwijderd - + Roast properties updated but profile not saved to disk Gebraadeigenschappen bijgewerkt, maar profiel niet op schijf opgeslagen @@ -15550,7 +15596,7 @@ Herhaal bewerking aan het einde: {0} MODBUS losgekoppeld - + Connected via MODBUS Verbonden via MODBUS @@ -15717,27 +15763,19 @@ Herhaal bewerking aan het einde: {0} Sampling Bemonstering - - - - - - Warning - Waarschuwing - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Een strak bemonsteringsinterval kan op sommige machines tot instabiliteit leiden. We raden een minimum van 1s aan. - + Incompatible variables found in %s Incompatibele variabelen gevonden in %s - + Assignment problem Toewijzing probleem @@ -15831,8 +15869,8 @@ Herhaal bewerking aan het einde: {0} volgen - - + + Save Statistics Statistieken opslaan @@ -15994,19 +16032,19 @@ Om het gratis en actueel te houden, steun ons met uw donatie en abonneer u op ar Artisan geconfigureerd voor {0} - + Load theme {0}? Thema {0} laden? - + Adjust Theme Related Settings Pas themagerelateerde instellingen aan - + Loaded theme {0} Geladen thema {0} @@ -16017,8 +16055,8 @@ Om het gratis en actueel te houden, steun ons met uw donatie en abonneer u op ar Een kleurenpaar gedetecteerd dat misschien moeilijk te zien is: - - + + Simulator started @{}x Simulator is @{}x gestart @@ -16069,14 +16107,14 @@ Om het gratis en actueel te houden, steun ons met uw donatie en abonneer u op ar autoDROP uit - + PID set to OFF PID ingesteld op UIT - + PID set to ON @@ -16296,7 +16334,7 @@ Om het gratis en actueel te houden, steun ons met uw donatie en abonneer u op ar {0} is opgeslagen. Nieuwe branding is gestart - + Invalid artisan format @@ -16361,10 +16399,10 @@ Het is raadzaam om vooraf uw huidige instellingen op te slaan via menu Help > Profiel opgeslagen - - - - + + + + @@ -16456,347 +16494,347 @@ Het is raadzaam om vooraf uw huidige instellingen op te slaan via menu Help > Instellingen laden geannuleerd - - + + Statistics Saved Statistieken opgeslagen - + No statistics found Geen statistieken gevonden - + Excel Production Report exported to {0} Excel-productierapport geëxporteerd naar {0} - + Ranking Report Ranglijst rapport - + Ranking graphs are only generated up to {0} profiles Rangschikkingsgrafieken worden alleen gegenereerd voor maximaal {0} profielen - + Profile missing DRY event Profiel ontbreekt DRY-gebeurtenis - + Profile missing phase events Profiel ontbrekende fasegebeurtenissen - + CSV Ranking Report exported to {0} CSV-classificatierapport geëxporteerd naar {0} - + Excel Ranking Report exported to {0} Excel-classificatierapport geëxporteerd naar {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth-weegschaal kan niet worden verbonden terwijl toestemming voor toegang tot Bluetooth aan Artisan is geweigerd - + Bluetooth access denied Bluetooth-toegang geweigerd - + Hottop control turned off Hottop-besturing uitgeschakeld - + Hottop control turned on Hottop-besturing ingeschakeld - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Om een Hottop te besturen, moet u eerst de supergebruikersmodus activeren door met de rechtermuisknop op het timer-LCD te klikken! - - + + Settings not found Instellingen niet gevonden - + artisan-settings ambachtelijke instellingen - + Save Settings Instellingen opslaan - + Settings saved Instellingen opgeslagen - + artisan-theme ambachtelijk-thema - + Save Theme Thema opslaan - + Theme saved Thema opgeslagen - + Load Theme Thema laden - + Theme loaded Thema geladen - + Background profile removed Achtergrondprofiel verwijderd - + Alarm Config Alarmconfiguratie - + Alarms are not available for device None Alarmen zijn niet beschikbaar voor apparaat Geen - + Switching the language needs a restart. Restart now? Voor het wisselen van taal is een herstart nodig. Nu opnieuw opstarten? - + Restart Herstarten - + Import K202 CSV Importeer K202 CSV - + K202 file loaded successfully K202-bestand is succesvol geladen - + Import K204 CSV Importeer K204 CSV - + K204 file loaded successfully K204-bestand is succesvol geladen - + Import Probat Recipe Probat-recept importeren - + Probat Pilot data imported successfully Probat Pilot-gegevens geïmporteerd - + Import Probat Pilot failed Import Probat Pilot mislukt - - + + {0} imported {0} geïmporteerd - + an error occurred on importing {0} er is een fout opgetreden bij het importeren van {0} - + Import Cropster XLS Importeer Cropster XLS - + Import RoastLog URL Importeer RoastLog-URL - + Import RoastPATH URL Importeer de RoastPATH-URL - + Import Giesen CSV Giesen CSV importeren - + Import Petroncini CSV Petroncini CSV importeren - + Import IKAWA URL IKAWA-URL importeren - + Import IKAWA CSV IKAWA CSV importeren - + Import Loring CSV Loring CSV importeren - + Import Rubasse CSV Rubasse CSV importeren - + Import HH506RA CSV HH506RA CSV importeren - + HH506RA file loaded successfully HH506RA-bestand is geladen - + Save Graph as Grafiek opslaan als - + {0} size({1},{2}) saved {0} maat({1},{2}) opgeslagen - + Save Graph as PDF Grafiek opslaan als PDF - + Save Graph as SVG Bewaar grafiek als SVG - + {0} saved {0} opgeslagen - + Wheel {0} loaded Wiel {0} geladen - + Invalid Wheel graph format Ongeldig wielgrafiekformaat - + Buttons copied to Palette # Knoppen gekopieerd naar palet # - + Palette #%i restored Palet #%i hersteld - + Palette #%i empty Palet #%i leeg - + Save Palettes Bewaar paletten - + Palettes saved Paletten opgeslagen - + Palettes loaded Paletten geladen - + Invalid palettes file format Ongeldige bestandsindeling paletten - + Alarms loaded Alarmen geladen - + Fitting curves... Rondingen passen... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Waarschuwing: De start van het analyse-interval van belang is eerder dan de start van curve-aanpassing. Corrigeer dit op het tabblad Config>Curves>Analyseren. - + Analysis earlier than Curve fit Analyse eerder dan Curve fit - + Simulator stopped Simulator is gestopt - + debug logging ON debug-loggen AAN @@ -17450,45 +17488,6 @@ Profiel ontbreekt [CHARGE] of [DROP] Background profile not found Achtergrondprofiel niet gevonden - - - Scheduler started - Planner gestart - - - - Scheduler stopped - Planner gestopt - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Voltooide roasts zullen het schema niet aanpassen zolang het schemavenster gesloten is - - - - - 1 batch - 1 partij - - - - - - - {} batches - {} partijen - - - - Updating completed roast properties failed - Het bijwerken van voltooide braadeigenschappen is mislukt - - - - Fetching completed roast properties failed - Het ophalen van voltooide braadeigenschappen is mislukt - Event # {0} recorded at BT = {1} Time = {2} Gebeurtenis # {0} opgenomen op BT = {1} Tijd = {2} @@ -17620,51 +17619,6 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Plus - - - debug logging ON - debug-loggen AAN - - - - debug logging OFF - foutopsporing logboek UIT - - - - 1 day left - 1 dag resterend - - - - {} days left - {} dagen over - - - - Paid until - Betaald tot - - - - Please visit our {0}shop{1} to extend your subscription - Bezoek onze {0} winkel {1} om uw abonnement te verlengen - - - - Do you want to extend your subscription? - Wil je je abonnement verlengen? - - - - Your subscription ends on - Je abonnement loopt af op - - - - Your subscription ended on - Je abonnement is geëindigd op - Roast successfully upload to {} @@ -17854,6 +17808,51 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Remember Onthouden + + + debug logging ON + debug-loggen AAN + + + + debug logging OFF + foutopsporing logboek UIT + + + + 1 day left + 1 dag resterend + + + + {} days left + {} dagen over + + + + Paid until + Betaald tot + + + + Please visit our {0}shop{1} to extend your subscription + Bezoek onze {0} winkel {1} om uw abonnement te verlengen + + + + Do you want to extend your subscription? + Wil je je abonnement verlengen? + + + + Your subscription ends on + Je abonnement loopt af op + + + + Your subscription ended on + Je abonnement is geëindigd op + ({} of {} done) ({} van {} klaar) @@ -17978,10 +17977,10 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - - - - + + + + Roaster Scope @@ -18360,6 +18359,16 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Tab + + + To-Do + Te doen + + + + Completed + Voltooid + @@ -18392,7 +18401,7 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Stel RS in - + Extra @@ -18441,32 +18450,32 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - + ET/BT ET / BT - + Modbus - + S7 - + Scale Schaal - + Color Kleur - + WebSocket @@ -18503,17 +18512,17 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Opstelling - + Details - + Loads Ladingen - + Protocol @@ -18598,16 +18607,6 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon LCDs LCD's - - - To-Do - Te doen - - - - Completed - Voltooid - Done Klaar @@ -18726,7 +18725,7 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - + @@ -18746,7 +18745,7 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon Inweken HH: MM - + @@ -18756,7 +18755,7 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - + @@ -18780,37 +18779,37 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - + Device Apparaat - + Comm Port Comm-poort - + Baud Rate Baudsnelheid - + Byte Size Bytegrootte - + Parity Pariteit - + Stopbits stopbits - + Timeout Time-out @@ -18818,16 +18817,16 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - - + + Time Tijd - - + + @@ -18836,8 +18835,8 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - - + + @@ -18846,104 +18845,104 @@ Om het gratis en actueel te houden, steun ons alstublieft met uw donatie en abon - + CHARGE IN REKENING BRENGEN - + DRY END DROOG EINDE - + FC START FC BEGON - + FC END FC EIND - + SC START SC BEGIN - + SC END SC EIND - + DROP LOSSEN - + COOL KOELEN - + #{0} {1}{2} # {0} {1} {2} - + Power Vermogen - + Duration Looptijd - + CO2 - + Load Laad - + Source Bron - + Kind Soort - + Name Naam - + Weight Gewicht @@ -19830,7 +19829,7 @@ geïnitieerd door de PID - + @@ -19851,7 +19850,7 @@ geïnitieerd door de PID - + Show help Hulp laten zien @@ -20005,20 +20004,24 @@ moet 4 keer worden verminderd. Voer de bemonsteringsactie synchroon uit ({}) elk bemonsteringsinterval of selecteer een herhalend tijdsinterval om deze asynchroon uit te voeren tijdens het bemonsteren - + OFF Action String UIT Actietekenreeks - + ON Action String AAN Actietekenreeks - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Extra vertraging na verbinding in seconden voordat verzoeken worden verzonden (nodig voor Arduino-apparaten die opnieuw opstarten bij verbinding) + + + Extra delay in Milliseconds between MODBUS Serial commands Extra vertraging in milliseconden tussen MODBUS seriële commando's @@ -20034,12 +20037,7 @@ moet 4 keer worden verminderd. MODBUS scannen - - Reset socket connection on error - Reset socketverbinding bij fout - - - + Scan S7 S7 scannen @@ -20055,7 +20053,7 @@ moet 4 keer worden verminderd. Alleen voor geladen achtergronden met extra apparaten - + The maximum nominal batch size of the machine in kg De maximale nominale batchgrootte van de machine in kg @@ -20382,7 +20380,7 @@ Het lettertypetype wordt ingesteld op het tabblad Config >> Curves >> Timer - + Tijdklok @@ -20489,32 +20487,32 @@ Currently in TEMP MODE Momenteel in TEMP-MODUS - + <b>Label</b>= <b>Label</b>= - + <b>Description </b>= <b>Beschrijving </b>= - + <b>Type </b>= <b>Typ </b>= - + <b>Value </b>= <b>Waarde </b>= - + <b>Documentation </b>= <b>Documentatie </b>= - + <b>Button# </b>= <b>Knop# </b>= @@ -20598,6 +20596,10 @@ Momenteel in TEMP-MODUS Sets button colors to grey scale and LCD colors to black and white Stelt de knopkleuren in op grijstinten en de LCD-kleuren op zwart en wit + + Reset socket connection on error + Reset socketverbinding bij fout + Action String Actietekenreeks diff --git a/src/translations/artisan_no.qm b/src/translations/artisan_no.qm index 2fa9c3292..55ccef6cb 100644 Binary files a/src/translations/artisan_no.qm and b/src/translations/artisan_no.qm differ diff --git a/src/translations/artisan_no.ts b/src/translations/artisan_no.ts index f0b83b4f5..19f46b29c 100644 --- a/src/translations/artisan_no.ts +++ b/src/translations/artisan_no.ts @@ -9,57 +9,57 @@ Slipp sponsor - + About Om - + Core Developers Kjerne Utviklere - + License Tillatelse - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Det oppsto et problem under henting av den nyeste versjonsinformasjonen. Kontroller Internett-tilkoblingen din, prøv igjen senere, eller sjekk manuelt. - + A new release is available. En ny utgivelse er tilgjengelig. - + Show Change list Vis Endringsliste - + Download Release Last ned utgivelse - + You are using the latest release. Du bruker den siste utgivelsen. - + You are using a beta continuous build. Du bruker en kontinuerlig betaversjon. - + You will see a notice here once a new official release is available. Du vil se et varsel her når en ny offisiell utgivelse er tilgjengelig. - + Update status Oppdater status @@ -239,14 +239,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Avbryt + - - - - + + + + Restore Defaults @@ -274,7 +294,7 @@ - + @@ -302,7 +322,7 @@ - + @@ -360,17 +380,6 @@ Save Lagre - - - - - - - - - OK - OK - On @@ -583,15 +592,6 @@ Write PIDs Skriv PID - - - - - - - Cancel - Avbryt - Set ET PID to MM:SS time units @@ -610,8 +610,8 @@ - - + + @@ -631,7 +631,7 @@ - + @@ -671,7 +671,7 @@ - + Scan Skann @@ -756,9 +756,9 @@ Oppdater - - - + + + Save Defaults Lagre standardinnstillinger @@ -1509,12 +1509,12 @@ END Flyt - + START on CHARGE START på CHARGE - + OFF on DROP AV på DROP @@ -1586,61 +1586,61 @@ END Vis alltid - + Heavy FC Kraftig 1K - + Low FC Svak 1K - + Light Cut Lys Sprekke - + Dark Cut Mørk Sprekke - + Drops Dråper - + Oily Oljete - + Uneven Ujevn - + Tipping Svidde tupper - + Scorching Svidd - + Divots Krater @@ -2444,14 +2444,14 @@ END - + ET MT - + BT BT @@ -2474,24 +2474,19 @@ END ord - + optimize optimalisere - + fetch full blocks hente fulle blokker - - reset - nullstille - - - + compression kompresjon @@ -2677,6 +2672,10 @@ END Elec + + reset + nullstille + Title Tittel @@ -2860,6 +2859,16 @@ END Contextual Menu + + + All batches prepared + Alle partier forberedt + + + + No batch prepared + Ingen batch forberedt + Add point @@ -2905,16 +2914,6 @@ END Edit Endre - - - All batches prepared - Alle partier forberedt - - - - No batch prepared - Ingen batch forberedt - Create Lag @@ -4284,20 +4283,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4390,42 +4389,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4494,10 +4493,10 @@ END - - - - + + + + @@ -4695,12 +4694,12 @@ END - - - - - - + + + + + + @@ -4709,17 +4708,17 @@ END Verdi Feil: - + Serial Exception: invalid comm port Seriell unntak: ugyldig comm port - + Serial Exception: timeout Seriell unntak: tidsavbrudd - + Unable to move CHARGE to a value that does not exist Ikke mulig å flytte Dropp INN til en verdi som ikke eksisterer @@ -4729,30 +4728,30 @@ END Modbus-kommunikasjon gjenopptatt - + Modbus Error: failed to connect Modbus-feil: kunne ikke koble til - - - - - - - - - + + + + + + + + + Modbus Error: Modbus Feil: - - - - - - + + + + + + Modbus Communication Error Modbus kommunikasjonsfeil @@ -4836,52 +4835,52 @@ END Unntak: {} er ikke en gyldig innstillingsfil - - - - - + + + + + Error Feil - + Exception: WebLCDs not supported by this build Unntak: WebLCD-er støttes ikke av denne versjonen - + Could not start WebLCDs. Selected port might be busy. Kunne ikke starte WebLCD-er. Den valgte porten kan være opptatt. - + Failed to save settings Kunne ikke lagre innstillingene - - + + Exception (probably due to an empty profile): Unntak (sannsynligvis på grunn av en tom profil): - + Analyze: CHARGE event required, none found Analyser: CHARGE-hendelse kreves, ingen funnet - + Analyze: DROP event required, none found Analyse: DROP-hendelse kreves, ingen funnet - + Analyze: no background profile data available Analyser: ingen bakgrunnsprofildata tilgjengelig - + Analyze: background profile requires CHARGE and DROP events Analyser: bakgrunnsprofilen krever CHARGE og DROP-hendelser @@ -4976,6 +4975,12 @@ END Form Caption + + + + Custom Blend + Egendefinert blanding + Axes @@ -5110,12 +5115,12 @@ END Port Konfigurasjon - + MODBUS Help MODBUS Hjelp - + S7 Help S7 Hjelp @@ -5135,23 +5140,17 @@ END Brennings egenskaper - - - Custom Blend - Egendefinert blanding - - - + Energy Help Energihjelp - + Tare Setup Taraoppsett - + Set Measure from Profile Sett mål fra profil @@ -5373,27 +5372,27 @@ END Ledelse - + Registers Registrerer - - + + Commands Kommandoer - + PID PID - + Serial Seriell @@ -5404,37 +5403,37 @@ END - + Input Inngang - + Machine Maskin - + Timeout Pause - + Nodes Noder - + Messages Meldinger - + Flags Flagg - + Events arrangementer @@ -5446,14 +5445,14 @@ END - + Energy Energi - + CO2 @@ -5745,14 +5744,14 @@ END HTML Report Template - + BBP Total Time BBP total tid - + BBP Bottom Temp BBP Bunntemp @@ -5769,849 +5768,849 @@ END - + Whole Color Farge Hel - - + + Profile Profil - + Roast Batches Steke partier - - - + + + Batch Parti - - + + Date Dato - - - + + + Beans Bønner - - - + + + In I - - + + Out Ute - - - + + + Loss Tap - - + + SUM - + Production Report Produksjonsrapport - - + + Time Tid - - + + Weight In Vekt inn - - + + CHARGE BT - - + + FCs Time FCs tid - - + + FCs BT - - + + DROP Time DROP-tid - - + + DROP BT DROPPE BT - + Dry Percent Tørr prosent - + MAI Percent MAI prosent - + Dev Percent Utviklerprosent - - + + AUC - - + + Weight Loss Vekttap - - + + Color Farge - + Cupping Kopping - + Roaster Brenner - + Capacity Kapasitet - + Operator Operatør - + Organization Organisasjon - + Drum Speed Trommehastighet - + Ground Color Farge Kvernet - + Color System Fargesystem - + Screen Min Skjerm Min - + Screen Max Skjerm Maks - + Bean Temp Bønnetemp - + CHARGE ET - + TP Time TP-tid - + TP ET - + TP BT - + DRY Time TØRRE tid - + DRY ET - + DRY BT TØRR BT - + FCs ET - + FCe Time FCe-tid - + FCe ET - + FCe BT - + SCs Time SCs tid - + SCs ET - + SCs BT - + SCe Time SCe-tid - + SCe ET - + SCe BT - + DROP ET DROPPE ET - + COOL Time KUL tid - + COOL ET - + COOL BT KUL BT - + Total Time Total tid - + Dry Phase Time Tørrfasetid - + Mid Phase Time Midtfasetid - + Finish Phase Time Fullfør fasetid - + Dry Phase RoR Tørrfase RoR - + Mid Phase RoR Mellomfase RoR - + Finish Phase RoR Fullfør fase RoR - + Dry Phase Delta BT - + Mid Phase Delta BT Mellomfase Delta BT - + Finish Phase Delta BT Fullfør fase Delta BT - + Finish Phase Rise Fullfør fasestigning - + Total RoR - + FCs RoR - + MET - + AUC Begin AUC begynner - + AUC Base AUC-base - + Dry Phase AUC AUC i tørr fase - + Mid Phase AUC Midtfase AUC - + Finish Phase AUC Fullfør fase AUC - + Weight Out Vekt ut - + Volume In Volum inn - + Volume Out Volum ut - + Volume Gain Volumøkning - + Green Density Grønn tetthet - + Roasted Density Stekt tetthet - + Moisture Greens Lagringsforhold - + Moisture Roasted Fuktighet stekt - + Moisture Loss Fuktighetstap - + Organic Loss Organisk tap - + Ambient Humidity Luftfuktighet i omgivelsene - + Ambient Pressure Omgivelsestrykk - + Ambient Temperature Omgivelsestemperatur - - + + Roasting Notes Brennings Merknader - - + + Cupping Notes Cupping Merknader - + Heavy FC Kraftig 1K - + Low FC Svak 1K - + Light Cut Lys Sprekke - + Dark Cut Mørk Sprekke - + Drops Dråper - + Oily Oljete - + Uneven Ujevn - + Tipping Svidde tupper - + Scorching Svidd - + Divots Krater - + Mode Modus - + BTU Batch - + BTU Batch per green kg BTU Batch per grønn kg - + CO2 Batch CO2 batch - + BTU Preheat BTU Forvarming - + CO2 Preheat CO2 Forvarm - + BTU BBP - + CO2 BBP - + BTU Cooling BTU kjøling - + CO2 Cooling CO2-kjøling - + BTU Roast BTU Stek - + BTU Roast per green kg BTU Stek per grønn kg - + CO2 Roast CO2-stek - + CO2 Batch per green kg CO2 Batch per grønn kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Effektivitetsbatch - + Efficiency Roast Effektivitetsstek - + BBP Begin BBP begynner - + BBP Begin to Bottom Time BBP start til bunn tid - + BBP Bottom to CHARGE Time BBP Bunn til LADEtid - + BBP Begin to Bottom RoR BBP Begynn til bunn RoR - + BBP Bottom to CHARGE RoR BBP Bunn til CHARGE RoR - + File Name Filnavn - + Roast Ranking Steke rangering - + Ranking Report Rangeringsrapport - + AVG - + Roasting Report Brennings Rapport - + Date: Dato: - + Beans: Bønner: - + Weight: Vekt: - + Volume: Volum: - + Roaster: Brenner: - + Operator: Operatør: - + Organization: Organisasjon: - + Cupping: Cupping: - + Color: Farge: - + Energy: Energi: - + CO2: - + CHARGE: DROPP INN: - + Size: Størrelse: - + Density: Tetthet: - + Moisture: Fuktighet: - + Ambient: Omgivende: - + TP: - + DRY: TØRR: - + FCs: 1Ks: - + FCe: 1Ke: - + SCs: 2Ks: - + SCe: 2Ke: - + DROP: DROPP UT: - + COOL: KJØLING: - + MET: - + CM: - + Drying: Tørkefase: - + Maillard: Maillard: - + Finishing: Etterbehandling: - + Cooling: Kjøling: - + Background: Bakgrunn: - + Alarms: Alarmer: - + RoR: RoR: - + AUC: - + Events arrangementer @@ -11711,6 +11710,92 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse Label + + + + + + + + + Weight + Vekt + + + + + + + Beans + Bønner + + + + + + Density + Tetthet + + + + + + Color + Farge + + + + + + Moisture + Fuktighet + + + + + + + Roasting Notes + Brennings Notater + + + + Score + + + + + + Cupping Score + Cuppingscore + + + + + + + Cupping Notes + Cupping Notater + + + + + + + + Roasted + Stekt + + + + + + + + + Green + Grønn + @@ -11815,7 +11900,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11834,7 +11919,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11850,7 +11935,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11869,7 +11954,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11896,7 +11981,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11928,7 +12013,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + DRY TØRKE @@ -11945,7 +12030,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + FCs FCer @@ -11953,7 +12038,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + FCe @@ -11961,7 +12046,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + SCs @@ -11969,7 +12054,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + SCe @@ -11982,7 +12067,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -11997,10 +12082,10 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse/ min - - - - + + + + @@ -12008,8 +12093,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelsePÅ - - + + @@ -12023,8 +12108,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseSyklus - - + + Input Inngang @@ -12058,7 +12143,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + @@ -12075,8 +12160,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - - + + Mode @@ -12138,7 +12223,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + Label @@ -12263,21 +12348,21 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseSV maks - + P P - + I I - + D @@ -12339,13 +12424,6 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseMarkers Markør - - - - - Color - Farge - Text Color @@ -12376,9 +12454,9 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseStørrelse - - + + @@ -12416,8 +12494,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - - + + Event @@ -12430,7 +12508,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseHandling - + Command Kommando @@ -12442,7 +12520,7 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseForskyvning - + Factor @@ -12459,14 +12537,14 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseTemp - + Unit Enhet - + Source Kilde @@ -12477,10 +12555,10 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseKlynge - - - + + + OFF @@ -12531,15 +12609,15 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseRegister - - + + Area Område - - + + DB# DB # @@ -12547,54 +12625,54 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - + Start - - + + Comm Port Comm Port - - + + Baud Rate Baud Rate - - + + Byte Size Byte størrelse - - + + Parity Paritet - - + + Stopbits Stoppbits - - + + @@ -12631,8 +12709,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - - + + Type Type @@ -12642,8 +12720,8 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - - + + Host Network @@ -12654,20 +12732,20 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelse - - + + Port Havn - + SV Factor SV-faktor - + pid Factor pid faktor @@ -12689,75 +12767,75 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseStreng - - + + Device Utstyr - + Rack - + Slot Spor - + Path Sti - + ID - + Connect Koble - + Reconnect Koble til igjen - - + + Request Be om - + Message ID Meldings-ID - + Machine ID Maskin-ID - + Data - + Message Beskjed - + Data Request Dataforespørsel - - + + Node @@ -12819,17 +12897,6 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseg g - - - - - - - - - Weight - Vekt - @@ -12837,25 +12904,6 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseVolume Volum - - - - - - - - Green - Grønn - - - - - - - - Roasted - Stekt - @@ -12906,31 +12954,16 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseDato - + Batch Parti - - - - - - Beans - Bønner - % % - - - - - Density - Tetthet - Screen @@ -12946,13 +12979,6 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseGround Bakke - - - - - Moisture - Fuktighet - @@ -12965,22 +12991,6 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseAmbient Conditions Forhold omgivelse - - - - - - Roasting Notes - Brennings Notater - - - - - - - Cupping Notes - Cupping Notater - Ambient Source @@ -13002,140 +13012,140 @@ Når tastatursnarveier er AV, legger du til en egendefinert hendelseBlanding - + Template Mal - + Results in Resulterer i - + Rating Vurdering - + Pressure % Press % - + Electric Energy Mix: Elektrisk energimiks: - + Renewable Fornybar - - + + Pre-Heating Forvarming - - + + Between Batches Mellom batcher - - + + Cooling Kjøling - + Between Batches after Pre-Heating Mellom batcher etter forvarming - + (mm:ss) (mm: ss) - + Duration Varighet - + Measured Energy or Output % Målt energi eller ytelse% - - + + Preheat Forvarm - - + + BBP - - - - + + + + Roast Brenn - - + + per kg green coffee per kg grønn kaffe - + Load Last inn - + Organization Organisasjon - + Operator Operatør - + Machine Maskin - + Model Modell - + Heating Oppvarming - + Drum Speed Trommehastighet - + organic material organisk materiale @@ -13459,12 +13469,6 @@ LCD-skjermer Alle Roaster Brenner - - - - Cupping Score - Cuppingscore - Max characters per line @@ -13544,7 +13548,7 @@ LCD-skjermer Alle Kantfarge (RGBA) - + roasted stekt @@ -13691,22 +13695,22 @@ LCD-skjermer Alle - + ln() ln () - - + + x x - - + + Bkgnd @@ -13855,99 +13859,99 @@ LCD-skjermer Alle Lad bønnene - + /m / m - + greens greener - - - + + + STOP STOPPE - - + + OPEN ÅPEN - - - + + + CLOSE LUKK - - + + AUTO - - - + + + MANUAL KROPPS - + STIRRER RØRER - + FILL FYLLE - + RELEASE UTGIVELSE - + HEATING OPPVARMING - + COOLING KJØLING - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -14273,11 +14277,6 @@ LCD-skjermer Alle Aspect Ratio Forhold høyde/bredde - - - Score - - Coarse Grov @@ -14691,6 +14690,12 @@ LCD-skjermer Alle Menu + + + + Schedule + Rute + @@ -15147,12 +15152,6 @@ LCD-skjermer Alle Sliders Glidebrytere - - - - Schedule - Rute - Full Screen @@ -15301,6 +15300,53 @@ LCD-skjermer Alle Message + + + Scheduler started + Planlegger startet + + + + Scheduler stopped + Planlegger stoppet + + + + + + + Warning + Advarsel + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Fullførte steker vil ikke justere tidsplanen mens planvinduet er lukket + + + + + 1 batch + + + + + + + + {} batches + {} partier + + + + Updating completed roast properties failed + Oppdatering av fullførte stekeegenskaper mislyktes + + + + Fetching completed roast properties failed + Henting av ferdige stekeegenskaper mislyktes + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15861,20 +15907,20 @@ Gjenta Operasjon ved slutt:{0} - + Bluetootooth access denied Bluetooth-tilgang nektet - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Seriell Port Innstillinger: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15908,50 +15954,50 @@ Gjenta Operasjon ved slutt:{0} Leser bakgrunnsprofil... - + Event table copied to clipboard Hendelsestabell kopiert til utklippstavlen - + The 0% value must be less than the 100% value. 0 %-verdien må være mindre enn 100 %-verdien. - - + + Alarms from events #{0} created Alarmer fra hendelser #{0} opprettet - - + + No events found Ingen hendelse funnet - + Event #{0} added Hendelse #{0} lagt til - + No profile found Ingen profil funnet - + Events #{0} deleted Hendelser #{0} slettet - + Event #{0} deleted Hendelse #{0} slettet - + Roast properties updated but profile not saved to disk Brennings egenskaper oppdatert men profil er ikke lagret til disk @@ -15966,7 +16012,7 @@ Gjenta Operasjon ved slutt:{0} MODBUS frakoblet - + Connected via MODBUS Tilkoblet via MODBUS @@ -16133,27 +16179,19 @@ Gjenta Operasjon ved slutt:{0} Sampling Prøvetaking - - - - - - Warning - Advarsel - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Et stramt prøvetakingsintervall kan føre til ustabilitet på enkelte maskiner. Vi foreslår minimum 1s. - + Incompatible variables found in %s Inkompatible variabler funnet i %s - + Assignment problem Oppdragsproblem @@ -16247,8 +16285,8 @@ Gjenta Operasjon ved slutt:{0} følge med - - + + Save Statistics Lagre statistikk @@ -16410,19 +16448,19 @@ For å holde den gratis og oppdatert, vennligst støtte oss med donasjonen din o Artisan konfigurert for {0} - + Load theme {0}? Laste inn temaet {0}? - + Adjust Theme Related Settings Juster temarelaterte innstillinger - + Loaded theme {0} Lastet tema {0} @@ -16433,8 +16471,8 @@ For å holde den gratis og oppdatert, vennligst støtte oss med donasjonen din o Oppdaget et fargepar som kan være vanskelig å se: - - + + Simulator started @{}x Simulator startet @{}x @@ -16485,14 +16523,14 @@ For å holde den gratis og oppdatert, vennligst støtte oss med donasjonen din o autoDROP av - + PID set to OFF PID satt til AV - + PID set to ON @@ -16712,7 +16750,7 @@ For å holde den gratis og oppdatert, vennligst støtte oss med donasjonen din o {0} er lagret. Ny brenning er startet - + Invalid artisan format @@ -16777,10 +16815,10 @@ Det anbefales å lagre gjeldende innstillinger på forhånd via menyen Hjelp > Profil lagret - - - - + + + + @@ -16872,347 +16910,347 @@ Det anbefales å lagre gjeldende innstillinger på forhånd via menyen Hjelp > Last inn innstillinger avbrutt - - + + Statistics Saved Statistikk lagret - + No statistics found Ingen statistikk funnet - + Excel Production Report exported to {0} Excel-produksjonsrapport eksportert til {0} - + Ranking Report Rangeringsrapport - + Ranking graphs are only generated up to {0} profiles Rangeringsgrafer genereres bare opptil {0} profiler - + Profile missing DRY event Profil mangler DRY-hendelse - + Profile missing phase events Profil mangler fasehendelser - + CSV Ranking Report exported to {0} CSV-rangeringsrapport eksportert til {0} - + Excel Ranking Report exported to {0} Excel-rangeringsrapport eksportert til {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth-vekten kan ikke kobles til mens tillatelse for Artisan til å få tilgang til Bluetooth er nektet - + Bluetooth access denied Bluetooth-tilgang nektet - + Hottop control turned off Hottop-kontroll slått av - + Hottop control turned on Hottop-kontroll slått på - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! For å kontrollere en Hottop må du aktivere superbrukermodusen via et høyreklikk på timer-LCD-en først! - - + + Settings not found Finner ikke innstillinger - + artisan-settings håndverker-innstillinger - + Save Settings Lagre innstillinger - + Settings saved Instillinger lagret - + artisan-theme håndverker-tema - + Save Theme Lagre tema - + Theme saved Temaet er lagret - + Load Theme Last inn tema - + Theme loaded Tema lastet inn - + Background profile removed Bakgrunnsprofilen er fjernet - + Alarm Config Alarm Konfig - + Alarms are not available for device None Alarmer er ikke tilgjengelig for dette utstyret - + Switching the language needs a restart. Restart now? Bytting av språk trenger en omstart. Start på nytt nå? - + Restart Omstart - + Import K202 CSV Importer K202 CSV - + K202 file loaded successfully K202 fil er lastet inn uten feil - + Import K204 CSV Importer K204 CSV - + K204 file loaded successfully K204 fil lagret uten feil - + Import Probat Recipe Importer prøveoppskrift - + Probat Pilot data imported successfully Probat Pilot-data ble importert - + Import Probat Pilot failed Import Probat Pilot mislyktes - - + + {0} imported {0} importert - + an error occurred on importing {0} det oppstod en feil ved import av {0} - + Import Cropster XLS Importer Cropster XLS - + Import RoastLog URL Importer RoastLog URL - + Import RoastPATH URL Importer RoastPATH URL - + Import Giesen CSV Importer Giesen CSV - + Import Petroncini CSV Importer Petroncini CSV - + Import IKAWA URL Importer IKAWA URL - + Import IKAWA CSV Importer IKAWA CSV - + Import Loring CSV Importer Loring CSV - + Import Rubasse CSV Importer Rubasse CSV - + Import HH506RA CSV Importer HH506RA CSV - + HH506RA file loaded successfully HH506RA fil lastet inn uten feil - + Save Graph as Lagre graf som - + {0} size({1},{2}) saved {0} størrelse({1},{2}) lagret - + Save Graph as PDF Lagre graf som PDF - + Save Graph as SVG Lagre graf som SVG - + {0} saved {0} lagret - + Wheel {0} loaded Hjul {0} lastet - + Invalid Wheel graph format Ugyldig Hjul graf format - + Buttons copied to Palette # Knapper kopiert til Palett # - + Palette #%i restored Palett #%i gjenopprettet - + Palette #%i empty Palett #%i tom - + Save Palettes Lagre Palett - + Palettes saved Palett lagret - + Palettes loaded Palett lastet inn - + Invalid palettes file format Ugyldig palett fil format - + Alarms loaded Alarmer lastet inn - + Fitting curves... Passer kurver... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Advarsel: Starten av analyseintervallet av interesse er tidligere enn starten av kurvetilpasningen. Korriger dette på fanen Konfigurasjon>Kurver>Analyser. - + Analysis earlier than Curve fit Analyse tidligere enn Curve fit - + Simulator stopped Simulatoren stoppet - + debug logging ON feilsøkingslogging PÅ @@ -17866,45 +17904,6 @@ Profil savnet [DROPP INN] eller[DROPP UT] Background profile not found Bakgrunnsprofil ikke funnet - - - Scheduler started - Planlegger startet - - - - Scheduler stopped - Planlegger stoppet - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Fullførte steker vil ikke justere tidsplanen mens planvinduet er lukket - - - - - 1 batch - - - - - - - - {} batches - {} partier - - - - Updating completed roast properties failed - Oppdatering av fullførte stekeegenskaper mislyktes - - - - Fetching completed roast properties failed - Henting av ferdige stekeegenskaper mislyktes - Event # {0} recorded at BT = {1} Time = {2} Hendelse # {0} registrert ved BT = {1} Tid = {2} @@ -18454,51 +18453,6 @@ Fortsett? Plus - - - debug logging ON - feilsøkingslogging PÅ - - - - debug logging OFF - feilsøkingslogging AV - - - - 1 day left - 1 dag igjen - - - - {} days left - {} dager igjen - - - - Paid until - Betalt til - - - - Please visit our {0}shop{1} to extend your subscription - Gå til {0} butikken {1} for å utvide abonnementet - - - - Do you want to extend your subscription? - Vil du forlenge abonnementet ditt? - - - - Your subscription ends on - Abonnementet ditt avsluttes den - - - - Your subscription ended on - Abonnementet ditt ble avsluttet - Roast successfully upload to {} @@ -18688,6 +18642,51 @@ Fortsett? Remember Huske + + + debug logging ON + feilsøkingslogging PÅ + + + + debug logging OFF + feilsøkingslogging AV + + + + 1 day left + 1 dag igjen + + + + {} days left + {} dager igjen + + + + Paid until + Betalt til + + + + Please visit our {0}shop{1} to extend your subscription + Gå til {0} butikken {1} for å utvide abonnementet + + + + Do you want to extend your subscription? + Vil du forlenge abonnementet ditt? + + + + Your subscription ends on + Abonnementet ditt avsluttes den + + + + Your subscription ended on + Abonnementet ditt ble avsluttet + ({} of {} done) ({} av {} ferdig) @@ -18862,10 +18861,10 @@ Fortsett? - - - - + + + + Roaster Scope Brenning nummer# @@ -19276,6 +19275,16 @@ Fortsett? Tab + + + To-Do + Å gjøre + + + + Completed + Fullført + @@ -19308,7 +19317,7 @@ Fortsett? Sett RS - + Extra @@ -19357,32 +19366,32 @@ Fortsett? - + ET/BT MT/BT - + Modbus Modbus - + S7 - + Scale Skala - + Color Farge - + WebSocket @@ -19419,17 +19428,17 @@ Fortsett? Oppsett - + Details Detaljer - + Loads Laster - + Protocol Protokoll @@ -19514,16 +19523,6 @@ Fortsett? LCDs LCDs - - - To-Do - Å gjøre - - - - Completed - Fullført - Done Ferdig @@ -19650,7 +19649,7 @@ Fortsett? - + @@ -19670,7 +19669,7 @@ Fortsett? Soak HH:MM - + @@ -19680,7 +19679,7 @@ Fortsett? - + @@ -19704,37 +19703,37 @@ Fortsett? - + Device Utstyr - + Comm Port Komm Port - + Baud Rate Baud Rate - + Byte Size Byte Størrelse - + Parity Paritet - + Stopbits Stopbits - + Timeout Tidsavbrudd @@ -19742,16 +19741,16 @@ Fortsett? - - + + Time Tid - - + + @@ -19760,8 +19759,8 @@ Fortsett? - - + + @@ -19770,104 +19769,104 @@ Fortsett? - + CHARGE LADE - + DRY END TØRKE SLUTT - + FC START 1K START - + FC END 1K SLUTT - + SC START 2K START - + SC END 2K SLUTT - + DROP DROPP UT - + COOL KJØLE - + #{0} {1}{2} # {0} {1} {2} - + Power Effekt - + Duration Varighet - + CO2 - + Load Last inn - + Source Kilde - + Kind Snill - + Name Navn - + Weight Vekt @@ -20871,7 +20870,7 @@ initiert av PID - + @@ -20892,7 +20891,7 @@ initiert av PID - + Show help Vis hjelp @@ -21046,20 +21045,24 @@ må reduseres med 4 ganger. Kjør samplingshandlingen synkront ({}) hvert samplingsintervall eller velg et repeterende tidsintervall for å kjøre den asynkront mens du prøver - + OFF Action String AV Handlingsstreng - + ON Action String PÅ Handlingsstreng - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Ekstra forsinkelse etter tilkobling i sekunder før sending av forespørsler (nødvendig for at Arduino-enheter starter på nytt ved tilkobling) + + + Extra delay in Milliseconds between MODBUS Serial commands Ekstra forsinkelse i millisekunder mellom MODBUS-seriekommandoer @@ -21075,12 +21078,7 @@ må reduseres med 4 ganger. Skann MODBUS - - Reset socket connection on error - Tilbakestill stikkontakten ved feil - - - + Scan S7 Skann S7 @@ -21096,7 +21094,7 @@ må reduseres med 4 ganger. Kun for lastede bakgrunner med ekstra enheter - + The maximum nominal batch size of the machine in kg Maskinens maksimale nominelle batchstørrelse i kg @@ -21530,32 +21528,32 @@ Currently in TEMP MODE For øyeblikket i TEMP MODUS - + <b>Label</b>= <b>Betegnelse</b>= - + <b>Description </b>= <b>Beskrivelse </b>= - + <b>Type </b>= <b>Type </b>= - + <b>Value </b>= <b>Verdi </b>= - + <b>Documentation </b>= <b>Dokumentasjon </b>= - + <b>Button# </b>= <b>Knapp# </b>= @@ -21639,6 +21637,10 @@ For øyeblikket i TEMP MODUS Sets button colors to grey scale and LCD colors to black and white Setter knappefarger til gråskala og LCD-farger til svart og hvit + + Reset socket connection on error + Tilbakestill stikkontakten ved feil + Action String handlings Streng diff --git a/src/translations/artisan_pl.qm b/src/translations/artisan_pl.qm index fb027e741..44447ed48 100644 Binary files a/src/translations/artisan_pl.qm and b/src/translations/artisan_pl.qm differ diff --git a/src/translations/artisan_pl.ts b/src/translations/artisan_pl.ts index b99d7de7d..caab52298 100644 --- a/src/translations/artisan_pl.ts +++ b/src/translations/artisan_pl.ts @@ -9,57 +9,57 @@ Zwolnij sponsora - + About O programie - + Core Developers Twórcy Programu - + License Licencja - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Wystąpił problem podczas pobierania informacji o najnowszej wersji. Sprawdź połączenie internetowe, spróbuj ponownie później lub sprawdź ręcznie. - + A new release is available. Dostępna jest nowa wersja. - + Show Change list Pokaż listę zmian - + Download Release Pobierz wersję - + You are using the latest release. Używasz najnowszej wersji. - + You are using a beta continuous build. Używasz ciągłej wersji beta. - + You will see a notice here once a new official release is available. Zobaczysz tutaj powiadomienie, gdy nowe oficjalne wydanie będzie dostępne. - + Update status Status aktualizacji @@ -219,14 +219,34 @@ Button + + + + + + + + + OK + dobrze + + + + + + + + Cancel + Anuluj + - - - - + + + + Restore Defaults @@ -254,7 +274,7 @@ - + @@ -282,7 +302,7 @@ - + @@ -340,17 +360,6 @@ Save Zapisz - - - - - - - - - OK - dobrze - On @@ -563,15 +572,6 @@ Write PIDs Napisz PID - - - - - - - Cancel - Anuluj - Set ET PID to MM:SS time units @@ -590,8 +590,8 @@ - - + + @@ -611,7 +611,7 @@ - + @@ -651,7 +651,7 @@ Początek - + Scan Skanowanie @@ -736,9 +736,9 @@ aktualizacja - - - + + + Save Defaults Zapisz domyślne @@ -1427,12 +1427,12 @@ KONIEC Pływak - + START on CHARGE ROZPOCZNIJ NA DOŁADOWANIU - + OFF on DROP WYŁ. na DROP @@ -1504,61 +1504,61 @@ KONIEC Pokazuj zawsze - + Heavy FC - + Low FC - + Light Cut Lekki krój - + Dark Cut Ciemny krój - + Drops Krople - + Oily Oleisty - + Uneven Nierówny - + Tipping Napiwki - + Scorching Upalny - + Divots Dwukropki @@ -2350,14 +2350,14 @@ KONIEC - + ET - + BT @@ -2380,24 +2380,19 @@ KONIEC słowa - + optimize optymalizować - + fetch full blocks pobierz pełne bloki - - reset - Resetowanie - - - + compression kompresja @@ -2583,6 +2578,10 @@ KONIEC Elec elekt + + reset + Resetowanie + Title Tytuł @@ -2742,6 +2741,16 @@ KONIEC Contextual Menu + + + All batches prepared + Wszystkie partie przygotowane + + + + No batch prepared + Nie przygotowano żadnej partii + Add point @@ -2787,16 +2796,6 @@ KONIEC Edit Edycja - - - All batches prepared - Wszystkie partie przygotowane - - - - No batch prepared - Nie przygotowano żadnej partii - Create Utwórz @@ -4162,20 +4161,20 @@ KONIEC Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4268,42 +4267,42 @@ KONIEC - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4372,10 +4371,10 @@ KONIEC - - - - + + + + @@ -4573,12 +4572,12 @@ KONIEC - - - - - - + + + + + + @@ -4587,17 +4586,17 @@ KONIEC Wartość błędu: - + Serial Exception: invalid comm port Wyjątek transmisji szeregowej: nieprawidłowy port szeregowy - + Serial Exception: timeout Wyjątek komunikacji szeregowej: przekroczenie limitu czasu - + Unable to move CHARGE to a value that does not exist Nie można nadać CHARGE nieistniejącej wartości @@ -4607,30 +4606,30 @@ KONIEC Wznowiono komunikację Modbus - + Modbus Error: failed to connect Błąd Modbus: połączenie nie powiodło się - - - - - - - - - + + + + + + + + + Modbus Error: Błąd Modbus: - - - - - - + + + + + + Modbus Communication Error Błąd komunikacji Modbus @@ -4714,52 +4713,52 @@ KONIEC Wyjątek: {} nie jest prawidłowym plikiem ustawień - - - - - + + + + + Error Błąd - + Exception: WebLCDs not supported by this build Wyjątek: WebLCD nie są obsługiwane przez tę kompilację - + Could not start WebLCDs. Selected port might be busy. Nie można uruchomić ekranów WebLCD. Wybrany port może być zajęty. - + Failed to save settings Nie udało się zapisać ustawień - - + + Exception (probably due to an empty profile): Wyjątek (prawdopodobnie z powodu pustego profilu): - + Analyze: CHARGE event required, none found Analiza: wymagane zdarzenie CHARGE, nie znaleziono - + Analyze: DROP event required, none found Analiza: wymagane zdarzenie DROP, nie znaleziono żadnego - + Analyze: no background profile data available Analizuj: brak dostępnych danych profilu w tle - + Analyze: background profile requires CHARGE and DROP events Analiza: profil w tle wymaga zdarzeń CHARGE i DROP @@ -4814,6 +4813,12 @@ KONIEC Form Caption + + + + Custom Blend + Mieszanka niestandardowa + Axes @@ -4948,12 +4953,12 @@ KONIEC Konfiguracja portów - + MODBUS Help Pomoc MODBUS - + S7 Help Pomoc S7 @@ -4973,23 +4978,17 @@ KONIEC Właściwości palenia - - - Custom Blend - Mieszanka niestandardowa - - - + Energy Help Pomoc energetyczna - + Tare Setup Ustawienia tary - + Set Measure from Profile Ustaw pomiar z profilu @@ -5215,27 +5214,27 @@ KONIEC Zarządzanie - + Registers Rejestry - - + + Commands Polecenia - + PID - + Serial Łącze szeregowe @@ -5246,37 +5245,37 @@ KONIEC - + Input Wejście - + Machine Maszyna - + Timeout Koniec czasu - + Nodes Węzły - + Messages Powiadomienia - + Flags Flagi - + Events Zdarzenia @@ -5288,14 +5287,14 @@ KONIEC - + Energy Energia - + CO2 @@ -5583,14 +5582,14 @@ KONIEC HTML Report Template - + BBP Total Time Całkowity czas BBP - + BBP Bottom Temp Temperatura dolna BBP @@ -5607,849 +5606,849 @@ KONIEC - + Whole Color Kolor całych ziaren - - + + Profile Profil - + Roast Batches - - - + + + Batch Partia - - + + Date Data - - - + + + Beans Ziarna - - - + + + In - - + + Out - - - + + + Loss - - + + SUM - + Production Report - - + + Time Czas - - + + Weight In - - + + CHARGE BT - - + + FCs Time - - + + FCs BT - - + + DROP Time - - + + DROP BT - + Dry Percent - + MAI Percent - + Dev Percent - - + + AUC - - + + Weight Loss - - + + Color Kolor - + Cupping - + Roaster Maszyna - + Capacity - + Operator - + Organization Organizacja - + Drum Speed Prędkość bębna - + Ground Color Kolor zmielonych - + Color System - + Screen Min - + Screen Max - + Bean Temp - + CHARGE ET - + TP Time - + TP ET - + TP BT - + DRY Time - + DRY ET - + DRY BT - + FCs ET - + FCe Time - + FCe ET - + FCe BT - + SCs Time - + SCs ET - + SCs BT - + SCe Time - + SCe ET - + SCe BT - + DROP ET - + COOL Time - + COOL ET - + COOL BT - + Total Time - + Dry Phase Time - + Mid Phase Time - + Finish Phase Time - + Dry Phase RoR - + Mid Phase RoR - + Finish Phase RoR - + Dry Phase Delta BT - + Mid Phase Delta BT - + Finish Phase Delta BT - + Finish Phase Rise - + Total RoR - + FCs RoR - + MET SPOTKAŁ - + AUC Begin - + AUC Base - + Dry Phase AUC - + Mid Phase AUC - + Finish Phase AUC - + Weight Out - + Volume In - + Volume Out - + Volume Gain - + Green Density - + Roasted Density - + Moisture Greens Wilgotność zielonych ziaren - + Moisture Roasted Wilgotność palonych ziaren - + Moisture Loss - + Organic Loss - + Ambient Humidity - + Ambient Pressure - + Ambient Temperature - - + + Roasting Notes Notatki z procesu palenia - - + + Cupping Notes Notatki z cuppingu - + Heavy FC - + Low FC - + Light Cut Lekki krój - + Dark Cut Ciemny krój - + Drops Krople - + Oily Oleisty - + Uneven Nierówny - + Tipping Napiwki - + Scorching Upalny - + Divots - + Mode - + BTU Batch - + BTU Batch per green kg - + CO2 Batch - + BTU Preheat - + CO2 Preheat - + BTU BBP - + CO2 BBP - + BTU Cooling - + CO2 Cooling - + BTU Roast - + BTU Roast per green kg - + CO2 Roast - + CO2 Batch per green kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch - + Efficiency Roast - + BBP Begin Początek BBP - + BBP Begin to Bottom Time BBP Rozpoczyna się czas dolny - + BBP Bottom to CHARGE Time BBP Dolny czas ładowania - + BBP Begin to Bottom RoR BBP Rozpocznij od najniższego RoR - + BBP Bottom to CHARGE RoR BBP Dolne, aby ŁADOWAĆ RoR - + File Name Nazwa pliku - + Roast Ranking - + Ranking Report - + AVG - + Roasting Report Raport Palenia - + Date: Data: - + Beans: Ziarna: - + Weight: Masa: - + Volume: Objętość: - + Roaster: Maszyna: - + Operator: Operator: - + Organization: - + Cupping: Cupping: - + Color: Kolor: - + Energy: - + CO2: - + CHARGE: - + Size: Rozmiar: - + Density: Gęstość: - + Moisture: Wilgoć: - + Ambient: Otoczenie: - + TP: - + DRY: - + FCs: - + FCe: - + SCs: - + SCe: - + DROP: - + COOL: - + MET: - + CM: - + Drying: - + Maillard: - + Finishing: - + Cooling: Chłodzenie: - + Background: Tło: - + Alarms: - + RoR: - + AUC: - + Events Zdarzenia @@ -12045,6 +12044,92 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Label + + + + + + + + + Weight + Masa + + + + + + + Beans + Ziarna + + + + + + Density + Gęstość + + + + + + Color + Kolor + + + + + + Moisture + Wilgoć + + + + + + + Roasting Notes + Notatki z procesu palenia + + + + Score + Wynik + + + + + Cupping Score + Wynik bańki + + + + + + + Cupping Notes + Notatki z cuppingu + + + + + + + + Roasted + Pieczony + + + + + + + + + Green + Zielony + @@ -12149,7 +12234,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12168,7 +12253,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12184,7 +12269,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12203,7 +12288,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12230,7 +12315,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12262,7 +12347,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + DRY SUCHY @@ -12279,7 +12364,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCs FC @@ -12287,7 +12372,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCe @@ -12295,7 +12380,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCs SC @@ -12303,7 +12388,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCe @@ -12316,7 +12401,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12331,10 +12416,10 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog / min - - - - + + + + @@ -12342,8 +12427,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog NA - - + + @@ -12357,8 +12442,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Cykl - - + + Input Wejście @@ -12392,7 +12477,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12409,8 +12494,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Mode @@ -12472,7 +12557,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Label @@ -12597,21 +12682,21 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog SV maks - + P P. - + I ja - + D @@ -12673,13 +12758,6 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Markers Markery - - - - - Color - Kolor - Text Color @@ -12710,9 +12788,9 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Rozmiar - - + + @@ -12750,8 +12828,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Event @@ -12764,7 +12842,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Akcja - + Command Polecenie @@ -12776,7 +12854,7 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Offsetowy - + Factor @@ -12793,14 +12871,14 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Unit Jednostka - + Source Źródło @@ -12811,10 +12889,10 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Grupa - - - + + + OFF @@ -12865,15 +12943,15 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Rejestr - - + + Area Powierzchnia - - + + DB# DB # @@ -12881,54 +12959,54 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Start Początek - - + + Comm Port Port szeregowy - - + + Baud Rate Szybkośc transmisji - - + + Byte Size Długość bajtu - - + + Parity Parzystość - - + + Stopbits Bity stopu - - + + @@ -12965,8 +13043,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Type Typ @@ -12976,8 +13054,8 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Host Sieć @@ -12988,20 +13066,20 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Port - + SV Factor Współczynnik SV - + pid Factor współczynnik pid @@ -13023,75 +13101,75 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ścisły - - + + Device Urządzenie - + Rack Stojak - + Slot Otwór - + Path Ścieżka - + ID - + Connect Połączyć - + Reconnect Na nowo połączyć - - + + Request Żądanie - + Message ID ID wiadomości - + Machine ID identyfikator urządzenia - + Data Dane - + Message Wiadomość - + Data Request Żądanie danych - - + + Node Węzeł @@ -13153,17 +13231,6 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog g sol - - - - - - - - - Weight - Masa - @@ -13171,25 +13238,6 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Volume Objętość - - - - - - - - Green - Zielony - - - - - - - - Roasted - Pieczony - @@ -13240,31 +13288,16 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Data - + Batch Partia - - - - - - Beans - Ziarna - % - - - - - Density - Gęstość - Screen @@ -13280,13 +13313,6 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ground Ziemia - - - - - Moisture - Wilgoć - @@ -13299,22 +13325,6 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ambient Conditions Warunki otoczenia - - - - - - Roasting Notes - Notatki z procesu palenia - - - - - - - Cupping Notes - Notatki z cuppingu - Ambient Source @@ -13336,140 +13346,140 @@ Nagranie 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Mieszanka - + Template Szablon - + Results in Prowadzi do - + Rating Ocena - + Pressure % Nacisk % - + Electric Energy Mix: Mix energii elektrycznej: - + Renewable Odnawialne - - + + Pre-Heating Ogrzewanie wstępne - - + + Between Batches Między partiami - - + + Cooling Chłodzenie - + Between Batches after Pre-Heating Między partiami po wstępnym podgrzaniu - + (mm:ss) (mm: ss) - + Duration Trwanie - + Measured Energy or Output % Zmierzona energia lub wyjściowa% - - + + Preheat Rozgrzej - - + + BBP - - - - + + + + Roast Palenie - - + + per kg green coffee za kg zielonej kawy - + Load Załaduj - + Organization Organizacja - + Operator Operator - + Machine Maszyna - + Model - + Heating Ogrzewanie - + Drum Speed Prędkość bębna - + organic material materiał organiczny @@ -13793,12 +13803,6 @@ Wyświetlacze LCD All Roaster Maszyna - - - - Cupping Score - Wynik bańki - Max characters per line @@ -13878,7 +13882,7 @@ Wyświetlacze LCD All Kolor krawędzi (RGBA) - + roasted palone @@ -14025,22 +14029,22 @@ Wyświetlacze LCD All - + ln() ln () - - + + x - - + + Bkgnd @@ -14189,99 +14193,99 @@ Wyświetlacze LCD All Załaduj ziarna - + /m / m - + greens zielone - - - + + + STOP ZATRZYMYWAĆ SIĘ - - + + OPEN OTWARTY - - - + + + CLOSE ZAMKNĄĆ - - + + AUTO AUTOMATYCZNY - - - + + + MANUAL RĘCZNY - + STIRRER MIESZADŁO - + FILL WYPEŁNIĆ - + RELEASE UWOLNIENIE - + HEATING OGRZEWANIE - + COOLING CHŁODZENIE - + RMSE BT - + MSE BT Państwo Członkowskie BT - + RoR - + @FCs @fcs - + Max+/Max- RoR Max + / Max- RoR @@ -14607,11 +14611,6 @@ Wyświetlacze LCD All Aspect Ratio Proporcje - - - Score - Wynik - RPM obr./min @@ -14916,6 +14915,12 @@ Wyświetlacze LCD All Menu + + + + Schedule + Plan + @@ -15372,12 +15377,6 @@ Wyświetlacze LCD All Sliders Suwaki - - - - Schedule - Plan - Full Screen @@ -15510,6 +15509,53 @@ Wyświetlacze LCD All Message + + + Scheduler started + Harmonogram został uruchomiony + + + + Scheduler stopped + Harmonogram zatrzymany + + + + + + + Warning + Ostrzeżenie + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Zakończone palenie nie będzie miało wpływu na harmonogram, gdy okno harmonogramu jest zamknięte + + + + + 1 batch + 1 partia + + + + + + + {} batches + {} partii + + + + Updating completed roast properties failed + Aktualizacja ukończonych właściwości pieczenia nie powiodła się + + + + Fetching completed roast properties failed + Pobieranie ukończonych właściwości pieczenia nie powiodło się + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16070,20 +16116,20 @@ Powtórz operację na końcu: {0} - + Bluetootooth access denied Odmowa dostępu przez Bluetooth - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Ustawienia portu szeregowego: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16117,50 +16163,50 @@ Powtórz operację na końcu: {0} Wczytywanie profilu-tła... - + Event table copied to clipboard Tabela zdarzeń została skopiowana do schowka - + The 0% value must be less than the 100% value. Wartość 0% musi być mniejsza niż wartość 100%. - - + + Alarms from events #{0} created Utworzono alarmy ze zdarzeń nr {0} - - + + No events found Nie znaleziono zdarzeń - + Event #{0} added Zdarzenie #{0} dodane - + No profile found Nie znaleziono profilu - + Events #{0} deleted Usunięto wydarzenia nr {0} - + Event #{0} deleted Zdarzenie #{0} usunięte - + Roast properties updated but profile not saved to disk Właściwości palenia aktualne, ale nie zapisano profilu na dysku @@ -16175,7 +16221,7 @@ Powtórz operację na końcu: {0} MODBUS odłączony - + Connected via MODBUS Połączony przez MODBUS @@ -16342,27 +16388,19 @@ Powtórz operację na końcu: {0} Sampling Próbowanie - - - - - - Warning - Ostrzeżenie - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Wąski interwał próbkowania może prowadzić do niestabilności na niektórych komputerach. Sugerujemy minimum 1s. - + Incompatible variables found in %s Znaleziono niezgodne zmienne w %s - + Assignment problem Problem z przydziałem @@ -16456,8 +16494,8 @@ Powtórz operację na końcu: {0} śledzić - - + + Save Statistics Zapisz statystyki @@ -16619,19 +16657,19 @@ Aby było bezpłatne i aktualne, wesprzyj nas swoją darowizną i zasubskrybuj r Rzemieślnik skonfigurowany dla {0} - + Load theme {0}? Załadować motyw {0}? - + Adjust Theme Related Settings Dostosuj ustawienia związane z motywem - + Loaded theme {0} Załadowano motyw {0} @@ -16642,8 +16680,8 @@ Aby było bezpłatne i aktualne, wesprzyj nas swoją darowizną i zasubskrybuj r Wykryto parę kolorów, która może być trudna do zauważenia: - - + + Simulator started @{}x Symulator uruchomiono @{}x @@ -16694,14 +16732,14 @@ Aby było bezpłatne i aktualne, wesprzyj nas swoją darowizną i zasubskrybuj r automatyczne DROP wyłączone - + PID set to OFF PID ustawiony na WYŁ - + PID set to ON @@ -16921,7 +16959,7 @@ Aby było bezpłatne i aktualne, wesprzyj nas swoją darowizną i zasubskrybuj r {0} zapisano. Rozpoczęto nowe palenie - + Invalid artisan format @@ -16986,10 +17024,10 @@ Zaleca się wcześniejsze zapisanie bieżących ustawień poprzez menu Pomoc > Profil został zapisany - - - - + + + + @@ -17081,347 +17119,347 @@ Zaleca się wcześniejsze zapisanie bieżących ustawień poprzez menu Pomoc > Załaduj ustawienia anulowane - - + + Statistics Saved Statystyki zapisane - + No statistics found Nie znaleziono statystyk - + Excel Production Report exported to {0} Raport produkcyjny programu Excel wyeksportowany do {0} - + Ranking Report Raport rankingowy - + Ranking graphs are only generated up to {0} profiles Wykresy rankingowe są generowane tylko dla maksymalnie {0} profili - + Profile missing DRY event W profilu brakuje zdarzenia DRY - + Profile missing phase events Profiluj brakujące fazy - + CSV Ranking Report exported to {0} Raport rankingu CSV wyeksportowany do {0} - + Excel Ranking Report exported to {0} Raport rankingu programu Excel wyeksportowany do {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Nie można podłączyć wagi Bluetooth, jeśli Artisan nie ma dostępu do Bluetooth - + Bluetooth access denied Odmowa dostępu Bluetooth - + Hottop control turned off Sterowanie Hottopem wyłączone - + Hottop control turned on Sterowanie hottopem włączone - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Aby sterować Hottopem, musisz najpierw aktywować tryb superużytkownika, klikając prawym przyciskiem myszy na wyświetlaczu LCD timera! - - + + Settings not found Nie znaleziono ustawień - + artisan-settings ustawienia rzemieślnicze - + Save Settings Zapisz ustawienia - + Settings saved Ustawienia zapisane - + artisan-theme motyw rzemieślniczy - + Save Theme Zapisz motyw - + Theme saved Motyw zapisany - + Load Theme Załaduj motyw - + Theme loaded Motyw załadowany - + Background profile removed Usunięto profil w tle - + Alarm Config Konfiguracja alarmu - + Alarms are not available for device None Alarmy niedostępne dla urządzenia None - + Switching the language needs a restart. Restart now? Zmiana języka wymaga ponownego uruchomienia. Zrestartuj teraz? - + Restart Uruchom ponownie - + Import K202 CSV Importuj K202 CSV - + K202 file loaded successfully Pomyślnie załadowano plik K202 - + Import K204 CSV Importuj K204 CSV - + K204 file loaded successfully Pomyślnie załadowano plik K204 - + Import Probat Recipe Importuj przepis Probat - + Probat Pilot data imported successfully Pomyślnie zaimportowano dane programu Probat Pilot - + Import Probat Pilot failed Niepowodzenie pilotażowego importu Probat - - + + {0} imported {0} zaimportowano - + an error occurred on importing {0} wystąpił błąd podczas importowania {0} - + Import Cropster XLS Importuj Cropster XLS - + Import RoastLog URL Importuj adres URL RoastLog - + Import RoastPATH URL Importuj adres URL RoastPATH - + Import Giesen CSV Importuj plik CSV Giesen - + Import Petroncini CSV Importuj Petroncini CSV - + Import IKAWA URL Importuj adres URL IKAWA - + Import IKAWA CSV Importuj plik CSV IKAWA - + Import Loring CSV Importuj plik CSV Loringa - + Import Rubasse CSV Importuj plik CSV Rubasse - + Import HH506RA CSV Importuj HH506RA CSV - + HH506RA file loaded successfully Pomyślnie załadowano plik HH506RA - + Save Graph as Zapisz wykres jako - + {0} size({1},{2}) saved Zapisano {0} rozmiar({1},{2}) - + Save Graph as PDF Zapisz wykres w formacie PDF - + Save Graph as SVG Zapisz wykres w formacie SVG - + {0} saved Zapisano {0} - + Wheel {0} loaded Załadowano koło {0} - + Invalid Wheel graph format Niewłaściwy format wykresu kołowego - + Buttons copied to Palette # Przyciski skopiowane do palety # - + Palette #%i restored Paleta #%i została przywrócona - + Palette #%i empty Paleta #%i pusta - + Save Palettes Zapisz palety - + Palettes saved Palety zostały zapisane - + Palettes loaded Palety zostały załadowane - + Invalid palettes file format Niewłaściwy format plików palet - + Alarms loaded Alarmy załadowano - + Fitting curves... Dopasowywanie krzywych... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Ostrzeżenie: Początek interesującego przedziału analizy jest wcześniejszy niż początek dopasowywania krzywej. Popraw to na karcie Konfiguracja>Krzywe>Analizuj. - + Analysis earlier than Curve fit Analiza wcześniejsza niż dopasowanie krzywej - + Simulator stopped Symulator zatrzymany - + debug logging ON logowanie debugowania włączone @@ -18075,45 +18113,6 @@ Brak profilu [CHARGE] lub [DROP] Background profile not found Nie znaleziono profilu-tła - - - Scheduler started - Harmonogram został uruchomiony - - - - Scheduler stopped - Harmonogram zatrzymany - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Zakończone palenie nie będzie miało wpływu na harmonogram, gdy okno harmonogramu jest zamknięte - - - - - 1 batch - 1 partia - - - - - - - {} batches - {} partii - - - - Updating completed roast properties failed - Aktualizacja ukończonych właściwości pieczenia nie powiodła się - - - - Fetching completed roast properties failed - Pobieranie ukończonych właściwości pieczenia nie powiodło się - Event # {0} recorded at BT = {1} Time = {2} Zdarzenie # {0} zapisano dla BT = {1} Czas = {2} @@ -18527,51 +18526,6 @@ Kontynuować? Plus - - - debug logging ON - logowanie debugowania włączone - - - - debug logging OFF - wylogowanie debugowania WYŁĄCZONE - - - - 1 day left - pozostał 1 dzień - - - - {} days left - {} Pozostałe dni - - - - Paid until - Płatne do - - - - Please visit our {0}shop{1} to extend your subscription - Odwiedź nasz {0} sklep {1}, aby przedłużyć swoją subskrypcję - - - - Do you want to extend your subscription? - Chcesz przedłużyć subskrypcję? - - - - Your subscription ends on - Twoja subskrypcja kończy się dnia - - - - Your subscription ended on - Twoja subskrypcja zakończyła się dnia - Roast successfully upload to {} @@ -18761,6 +18715,51 @@ Kontynuować? Remember Zapamiętaj + + + debug logging ON + logowanie debugowania włączone + + + + debug logging OFF + wylogowanie debugowania WYŁĄCZONE + + + + 1 day left + pozostał 1 dzień + + + + {} days left + {} Pozostałe dni + + + + Paid until + Płatne do + + + + Please visit our {0}shop{1} to extend your subscription + Odwiedź nasz {0} sklep {1}, aby przedłużyć swoją subskrypcję + + + + Do you want to extend your subscription? + Chcesz przedłużyć subskrypcję? + + + + Your subscription ends on + Twoja subskrypcja kończy się dnia + + + + Your subscription ended on + Twoja subskrypcja zakończyła się dnia + ({} of {} done) ({} z {} zrobione) @@ -18911,10 +18910,10 @@ Kontynuować? - - - - + + + + Roaster Scope Profiloskop @@ -19293,6 +19292,16 @@ Kontynuować? Tab + + + To-Do + Do zrobienia + + + + Completed + Zakończony + @@ -19325,7 +19334,7 @@ Kontynuować? Ustaw RS - + Extra @@ -19374,32 +19383,32 @@ Kontynuować? - + ET/BT ET / BT - + Modbus - + S7 - + Scale Skala - + Color Kolor - + WebSocket @@ -19436,17 +19445,17 @@ Kontynuować? Ustawiać - + Details Detale - + Loads Masa - + Protocol Protokół @@ -19531,16 +19540,6 @@ Kontynuować? LCDs Wyświetlacze - - - To-Do - Do zrobienia - - - - Completed - Zakończony - Done Zrobione @@ -19663,7 +19662,7 @@ Kontynuować? - + @@ -19683,7 +19682,7 @@ Kontynuować? Spadek HH:MM - + @@ -19693,7 +19692,7 @@ Kontynuować? - + @@ -19717,37 +19716,37 @@ Kontynuować? - + Device Urządzenie - + Comm Port Port szeregowy - + Baud Rate Szybkośc transmisji - + Byte Size Długość bajtu - + Parity Parzystość - + Stopbits Bity stopu - + Timeout Koniec czasu @@ -19755,16 +19754,16 @@ Kontynuować? - - + + Time Czas - - + + @@ -19773,8 +19772,8 @@ Kontynuować? - - + + @@ -19783,104 +19782,104 @@ Kontynuować? - + CHARGE OPŁATA - + DRY END SUCHY KONIEC - + FC START Rozpoczęcie FC - + FC END FC KONIEC - + SC START - + SC END SC KONIEC - + DROP UPUSZCZAĆ - + COOL CHŁODNY - + #{0} {1}{2} # {0} {1} {2} - + Power Moc - + Duration Trwanie - + CO2 - + Load Załaduj - + Source Źródło - + Kind Uprzejmy - + Name Nazwa - + Weight Masa @@ -20767,7 +20766,7 @@ zainicjowane przez PID - + @@ -20788,7 +20787,7 @@ zainicjowane przez PID - + Show help Pokaż pomoc @@ -20942,20 +20941,24 @@ należy zmniejszyć 4 razy. Uruchom akcję próbkowania synchronicznie ({}) w każdym interwale próbkowania lub wybierz powtarzający się interwał czasu, aby uruchamiać ją asynchronicznie podczas próbkowania - + OFF Action String WYŁ. Ciąg akcji - + ON Action String Ciąg akcji ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Dodatkowe opóźnienie po połączeniu w sekundach przed wysłaniem żądań (potrzebne do ponownego uruchomienia urządzeń Arduino po połączeniu) + + + Extra delay in Milliseconds between MODBUS Serial commands Dodatkowe opóźnienie w milisekundach między poleceniami szeregowymi MODBUS @@ -20971,12 +20974,7 @@ należy zmniejszyć 4 razy. Skanuj MODBUS - - Reset socket connection on error - Zresetuj połączenie gniazda w przypadku błędu - - - + Scan S7 Zeskanuj S7 @@ -20992,7 +20990,7 @@ należy zmniejszyć 4 razy. Tylko dla załadowanych teł z dodatkowymi urządzeniami - + The maximum nominal batch size of the machine in kg Maksymalna nominalna wielkość partii maszyny w kg @@ -21426,32 +21424,32 @@ Currently in TEMP MODE Obecnie w TRYBIE TEMP - + <b>Label</b>= <b>Etykieta</b>= - + <b>Description </b>= <b>Opis </b>= - + <b>Type </b>= <b>Typ </b>= - + <b>Value </b>= <b>Wartość </b>= - + <b>Documentation </b>= <b>Dokumentacja </b>= - + <b>Button# </b>= <b>Przycisk# </b>= @@ -21535,6 +21533,10 @@ Obecnie w TRYBIE TEMP Sets button colors to grey scale and LCD colors to black and white Ustawia kolory przycisków na skalę szarości i kolory wyświetlacza LCD na czarno-białe + + Reset socket connection on error + Zresetuj połączenie gniazda w przypadku błędu + Action String Łańcuch akcji diff --git a/src/translations/artisan_pt.qm b/src/translations/artisan_pt.qm index ce3312e90..4cb4dee0e 100644 Binary files a/src/translations/artisan_pt.qm and b/src/translations/artisan_pt.qm differ diff --git a/src/translations/artisan_pt.ts b/src/translations/artisan_pt.ts index 20a6a162d..57241e1eb 100644 --- a/src/translations/artisan_pt.ts +++ b/src/translations/artisan_pt.ts @@ -9,57 +9,57 @@ Patrocinador de lançamento - + About Sobre - + Core Developers Desenvolvedores Principais - + License Licença - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Ocorreu um problema ao recuperar as informações da versão mais recente. Verifique sua conexão com a Internet, tente novamente mais tarde ou verifique manualmente. - + A new release is available. Uma nova versão está disponível. - + Show Change list Mostrar lista de mudanças - + Download Release Baixar versão - + You are using the latest release. Você está usando a versão mais recente. - + You are using a beta continuous build. Você está usando uma versão beta contínua. - + You will see a notice here once a new official release is available. Você verá um aviso aqui assim que um novo lançamento oficial estiver disponível. - + Update status Atualizar o status @@ -243,14 +243,34 @@ Button + + + + + + + + + OK + + + + + + + + + Cancel + Cancela + - - - - + + + + Restore Defaults @@ -278,7 +298,7 @@ - + @@ -306,7 +326,7 @@ - + @@ -364,17 +384,6 @@ Save Salvar - - - - - - - - - OK - - On @@ -587,15 +596,6 @@ Write PIDs Escreva PIDs - - - - - - - Cancel - Cancela - Set ET PID to MM:SS time units @@ -614,8 +614,8 @@ - - + + @@ -635,7 +635,7 @@ - + @@ -675,7 +675,7 @@ Início - + Scan Escanear @@ -760,9 +760,9 @@ Atualizar - - - + + + Save Defaults Salvar padrões @@ -1494,12 +1494,12 @@ END Ponto flutuante - + START on CHARGE COMEÇAR em CHARGE - + OFF on DROP OFF em DROP @@ -1571,61 +1571,61 @@ END Mostrar Sempre - + Heavy FC PE intenso - + Low FC PE baixo - + Light Cut Corte claro - + Dark Cut Corte escuro - + Drops Gotículas - + Oily Oleoso - + Uneven Heterogênea - + Tipping Pontas escuras - + Scorching Chamuscado - + Divots Buracos @@ -2445,14 +2445,14 @@ END - + ET ET - + BT BT @@ -2475,24 +2475,19 @@ END palavras - + optimize otimizar - + fetch full blocks buscar blocos completos - - reset - Redefinir - - - + compression compressão @@ -2678,6 +2673,10 @@ END Elec Eletricista + + reset + Redefinir + Title Título @@ -2873,6 +2872,16 @@ END Contextual Menu + + + All batches prepared + Todos os lotes preparados + + + + No batch prepared + Nenhum lote preparado + Add point @@ -2918,16 +2927,6 @@ END Edit Editar - - - All batches prepared - Todos os lotes preparados - - - - No batch prepared - Nenhum lote preparado - Create Criar @@ -4297,20 +4296,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4403,42 +4402,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4507,10 +4506,10 @@ END - - - - + + + + @@ -4708,12 +4707,12 @@ END - - - - - - + + + + + + @@ -4722,17 +4721,17 @@ END Erro de valor: - + Serial Exception: invalid comm port Exceção serial: porta comunicação inválida - + Serial Exception: timeout Exceção serial: tempo expirou - + Unable to move CHARGE to a value that does not exist Impossível mover CARREGAR para um valor que não existe @@ -4742,30 +4741,30 @@ END Comunicação Modbus retomada - + Modbus Error: failed to connect Erro Modbus: falha ao conectar - - - - - - - - - + + + + + + + + + Modbus Error: Erro de modbus: - - - - - - + + + + + + Modbus Communication Error Erro de Comunicação Modbus @@ -4849,52 +4848,52 @@ END Exceção: {} não é um arquivo de configurações válido - - - - - + + + + + Error Erro - + Exception: WebLCDs not supported by this build Exceção: WebLCDs não suportados por esta construção - + Could not start WebLCDs. Selected port might be busy. Não foi possível iniciar os WebLCDs. A porta selecionada pode estar ocupada. - + Failed to save settings Falha ao salvar as configurações - - + + Exception (probably due to an empty profile): Exceção (provavelmente devido a um perfil vazio): - + Analyze: CHARGE event required, none found Analisar: evento CHARGE necessário, nenhum encontrado - + Analyze: DROP event required, none found Analisar: evento DROP necessário, nenhum encontrado - + Analyze: no background profile data available Analisar: não há dados de perfil de segundo plano disponíveis - + Analyze: background profile requires CHARGE and DROP events Analisar: o perfil de fundo requer eventos CHARGE e DROP @@ -4989,6 +4988,12 @@ END Form Caption + + + + Custom Blend + Mistura personalizada + Axes @@ -5123,12 +5128,12 @@ END Configuração das portas - + MODBUS Help Ajuda MODBUS - + S7 Help Ajuda S7 @@ -5148,23 +5153,17 @@ END Propriedades da torra - - - Custom Blend - Mistura personalizada - - - + Energy Help Ajuda de energia - + Tare Setup Configuração de tara - + Set Measure from Profile Definir medida do perfil @@ -5386,27 +5385,27 @@ END Gerenciamento - + Registers Registros - - + + Commands Comandos - + PID PID - + Serial Comunicação Serial @@ -5417,37 +5416,37 @@ END - + Input Entrada - + Machine Máquina - + Timeout Tempo esgotado - + Nodes Nós - + Messages Mensagens - + Flags Bandeiras - + Events Eventos @@ -5459,14 +5458,14 @@ END - + Energy Energia - + CO2 @@ -5754,14 +5753,14 @@ END HTML Report Template - + BBP Total Time Tempo Total BBP - + BBP Bottom Temp Temperatura inferior da PAB @@ -5778,849 +5777,849 @@ END - + Whole Color Cor do Café Torrado - - + + Profile Perfil - + Roast Batches Lotes da torra - - - + + + Batch Lote - - + + Date Data - - - + + + Beans Grãos - - - + + + In Em - - + + Out Fora - - - + + + Loss Perda - - + + SUM SOMA - + Production Report Relatório de Produção - - + + Time Tempo - - + + Weight In Peso em - - + + CHARGE BT CARREGAR BT - - + + FCs Time Horário dos FCs - - + + FCs BT - - + + DROP Time Tempo de queda - - + + DROP BT DEIXAR BT - + Dry Percent Porcentagem seca - + MAI Percent Porcentagem MAI - + Dev Percent Porcentagem de desenvolvimento - - + + AUC - - + + Weight Loss Perda de Peso - - + + Color Cor - + Cupping Ventosaterapia - + Roaster Torrador - + Capacity Capacidade - + Operator Operador - + Organization Organização - + Drum Speed Velocidade do tambor - + Ground Color Cor do Café Moído - + Color System Sistema de cores - + Screen Min Tela mínima - + Screen Max Tela máxima - + Bean Temp Temperatura do grão - + CHARGE ET CARREGAR ET - + TP Time Hora do TP - + TP ET TP-ET - + TP BT - + DRY Time Tempo SECO - + DRY ET SECO ET - + DRY BT SECO BT - + FCs ET - + FCe Time Hora FCe - + FCe ET - + FCe BT - + SCs Time Horário SC - + SCs ET - + SCs BT - + SCe Time Horário SCe - + SCe ET - + SCe BT - + DROP ET GOTA ET - + COOL Time Hora legal - + COOL ET LEGAL ET - + COOL BT LEGAL - + Total Time Tempo total - + Dry Phase Time Tempo da fase seca - + Mid Phase Time Tempo da fase intermediária - + Finish Phase Time Tempo de conclusão da fase - + Dry Phase RoR RoR de fase seca - + Mid Phase RoR RoR de fase intermediária - + Finish Phase RoR Fase Final RoR - + Dry Phase Delta BT Fase Seca Delta BT - + Mid Phase Delta BT Delta BT de fase intermediária - + Finish Phase Delta BT Fase Final Delta BT - + Finish Phase Rise Concluir ascensão da fase - + Total RoR RoR total - + FCs RoR - + MET TMA - + AUC Begin Início da AUC - + AUC Base Base AUC - + Dry Phase AUC AUC da Fase Seca - + Mid Phase AUC AUC da fase intermediária - + Finish Phase AUC Terminar Fase AUC - + Weight Out Peso perdido - + Volume In Volume aumentado - + Volume Out Diminuir volume - + Volume Gain Ganho de Volume - + Green Density Densidade Verde - + Roasted Density Densidade Assada - + Moisture Greens Umidade dos Grãos Verdes - + Moisture Roasted Umidade dos Grãos Torrados - + Moisture Loss Perda de umidade - + Organic Loss Perda Orgânica - + Ambient Humidity Umidade ambiente - + Ambient Pressure Pressão ambiente - + Ambient Temperature Temperatura ambiente - - + + Roasting Notes Notas de torra - - + + Cupping Notes Notas de prova - + Heavy FC PE intenso - + Low FC PE baixo - + Light Cut Corte claro - + Dark Cut Corte escuro - + Drops Gotículas - + Oily Oleoso - + Uneven Heterogênea - + Tipping Pontas escuras - + Scorching Chamuscado - + Divots Buracos - + Mode Modo - + BTU Batch Lote BTU - + BTU Batch per green kg Lote de BTU por kg verde - + CO2 Batch Lote de CO2 - + BTU Preheat Pré-aquecimento BTU - + CO2 Preheat Pré-aquecimento de CO2 - + BTU BBP - + CO2 BBP CO2 pressão arterial - + BTU Cooling Resfriamento BTU - + CO2 Cooling Resfriamento de CO2 - + BTU Roast Assado BTU - + BTU Roast per green kg BTU assado por kg verde - + CO2 Roast Assado com CO2 - + CO2 Batch per green kg Lote de CO2 por kg verde - + BTU LPG BTU GLP - + BTU NG - + BTU ELEC BTU ELÉTRICO - + Efficiency Batch Lote de eficiência - + Efficiency Roast Assado Eficiente - + BBP Begin Início do BBP - + BBP Begin to Bottom Time BBP começa ao fundo - + BBP Bottom to CHARGE Time BBP Inferior para Tempo de Carga - + BBP Begin to Bottom RoR BBP começa a descer RoR - + BBP Bottom to CHARGE RoR BBP Inferior para CHARGE RoR - + File Name Nome do arquivo - + Roast Ranking Classificação de torra - + Ranking Report Relatório de classificação - + AVG Média - + Roasting Report Relatório de torra - + Date: Data: - + Beans: Grãos: - + Weight: Massa: - + Volume: Volume: - + Roaster: Torrador: - + Operator: Operador: - + Organization: Organização: - + Cupping: Prova: - + Color: Cor: - + Energy: Energia: - + CO2: - + CHARGE: CARREGAR: - + Size: Peneira: - + Density: Densidade: - + Moisture: Umidade: - + Ambient: Ambiente: - + TP: PV: - + DRY: SECA: - + FCs: PEi: - + FCe: PEf: - + SCs: SEi: - + SCe: SEf: - + DROP: RETIRAR: - + COOL: PRONTO: - + MET: TMA: - + CM: - + Drying: Fase de seca: - + Maillard: Fase de Maillard: - + Finishing: Finalização: - + Cooling: Resfriamento: - + Background: Fundo: - + Alarms: Alarmes: - + RoR: RoR: - + AUC: - + Events Eventos @@ -11732,6 +11731,92 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Label + + + + + + + + + Weight + Peso + + + + + + + Beans + Grãos + + + + + + Density + Densidade + + + + + + Color + Cor + + + + + + Moisture + Humidade + + + + + + + Roasting Notes + Notas de torra + + + + Score + Pontuação + + + + + Cupping Score + Pontuação de Copa + + + + + + + Cupping Notes + Notas de prova + + + + + + + + Roasted + Torrados + + + + + + + + + Green + Verde + @@ -11836,7 +11921,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -11855,7 +11940,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -11871,7 +11956,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -11890,7 +11975,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -11917,7 +12002,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -11949,7 +12034,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + DRY SECA @@ -11966,7 +12051,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + FCs PEi @@ -11974,7 +12059,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + FCe PEf @@ -11982,7 +12067,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + SCs SEi @@ -11990,7 +12075,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + SCe SEf @@ -12003,7 +12088,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -12018,10 +12103,10 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad / min - - - - + + + + @@ -12029,8 +12114,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad LIGAR - - + + @@ -12044,8 +12129,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Ciclo - - + + Input Entrada @@ -12079,7 +12164,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + @@ -12096,8 +12181,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - - + + Mode @@ -12159,7 +12244,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + Label @@ -12284,21 +12369,21 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad SV máx - + P - + I eu - + D @@ -12360,13 +12445,6 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Markers Marcadores - - - - - Color - Cor - Text Color @@ -12397,9 +12475,9 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Tamanho - - + + @@ -12437,8 +12515,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - - + + Event @@ -12451,7 +12529,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Ação - + Command Comando @@ -12463,7 +12541,7 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Compensação - + Factor @@ -12480,14 +12558,14 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Temp - + Unit Unidade - + Source Fonte @@ -12498,10 +12576,10 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Grupo - - - + + + OFF @@ -12552,15 +12630,15 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Registrador - - + + Area Área - - + + DB# DB # @@ -12568,54 +12646,54 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - + Start Iníco - - + + Comm Port Porta Comunicação - - + + Baud Rate Taxa de Trasmissão - - + + Byte Size Tamanho de Byte - - + + Parity Paridade - - + + Stopbits Bit de Parada - - + + @@ -12652,8 +12730,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - - + + Type Tipo @@ -12663,8 +12741,8 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - - + + Host Rede @@ -12675,20 +12753,20 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad - - + + Port Porta - + SV Factor Fator SV - + pid Factor Fator pid @@ -12710,75 +12788,75 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Estrito - - + + Device Dispositivo - + Rack Prateleira - + Slot slot - + Path Caminho - + ID EU IA - + Connect Conectar - + Reconnect Reconectar - - + + Request Solicitação - + Message ID ID da mensagem - + Machine ID ID da máquina - + Data Dados - + Message Mensagem - + Data Request Pedido de data - - + + Node @@ -12840,17 +12918,6 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad g g - - - - - - - - - Weight - Peso - @@ -12858,25 +12925,6 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Volume Volume - - - - - - - - Green - Verde - - - - - - - - Roasted - Torrados - @@ -12927,31 +12975,16 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Data - + Batch Lote - - - - - - Beans - Grãos - % % - - - - - Density - Densidade - Screen @@ -12967,13 +13000,6 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Ground Moído - - - - - Moisture - Humidade - @@ -12986,22 +13012,6 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Ambient Conditions Condições de ambiente - - - - - - Roasting Notes - Notas de torra - - - - - - - Cupping Notes - Notas de prova - Ambient Source @@ -13023,140 +13033,140 @@ Quando os atalhos de teclado estão desativados, adiciona um evento personalizad Mistura - + Template Modelo - + Results in Resulta em - + Rating Avaliação - + Pressure % Pressão % - + Electric Energy Mix: Mix de energia elétrica: - + Renewable Renovável - - + + Pre-Heating Pré-aquecimento - - + + Between Batches Entre Lotes - - + + Cooling Resfriamento - + Between Batches after Pre-Heating Entre lotes após pré-aquecimento - + (mm:ss) (mm: ss) - + Duration Duração - + Measured Energy or Output % Energia medida ou% de saída - - + + Preheat Pré-aqueça - - + + BBP - - - - + + + + Roast Torra - - + + per kg green coffee por kg de café verde - + Load Carregar - + Organization Organização - + Operator Operador - + Machine Máquina - + Model Modelo - + Heating Aquecimento - + Drum Speed Velocidade do Tambor - + organic material material orgânico @@ -13480,12 +13490,6 @@ Fases LCDs Roaster Torrador - - - - Cupping Score - Pontuação de Copa - Max characters per line @@ -13565,7 +13569,7 @@ Fases LCDs Cor da borda (RGBA) - + roasted assado @@ -13712,22 +13716,22 @@ Fases LCDs - + ln() ln () - - + + x x - - + + Bkgnd Fundo @@ -13876,99 +13880,99 @@ Fases LCDs Carregue os feijões - + /m / m - + greens verdes - - - + + + STOP PARAR - - + + OPEN ABRIR - - - + + + CLOSE FECHAR - - + + AUTO - - - + + + MANUAL - + STIRRER AGITADOR - + FILL PREENCHER - + RELEASE LIBERAR - + HEATING AQUECIMENTO - + COOLING RESFRIAMENTO - + RMSE BT RMSEBT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -14294,11 +14298,6 @@ Fases LCDs Aspect Ratio Proporção - - - Score - Pontuação - Coarse Grosseiro @@ -14659,6 +14658,12 @@ Fases LCDs Menu + + + + Schedule + Plano + @@ -15115,12 +15120,6 @@ Fases LCDs Sliders Deslizantes - - - - Schedule - Plano - Full Screen @@ -15261,6 +15260,53 @@ Fases LCDs Message + + + Scheduler started + Agendador iniciado + + + + Scheduler stopped + Agendador parado + + + + + + + Warning + Aviso + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Os assados concluídos não ajustarão a programação enquanto a janela de programação estiver fechada + + + + + 1 batch + 1 lote + + + + + + + {} batches + {} lotes + + + + Updating completed roast properties failed + Falha ao atualizar propriedades de torra concluídas + + + + Fetching completed roast properties failed + Falha ao buscar propriedades de torra concluídas + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15821,20 +15867,20 @@ Repita a operação no final: {0} - + Bluetootooth access denied Acesso bluetooth negado - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Configurações da porta serial: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15868,50 +15914,50 @@ Repita a operação no final: {0} Lendo perfil de fundo... - + Event table copied to clipboard Tabela de eventos copiada para a área de transferência - + The 0% value must be less than the 100% value. O valor de 0% deve ser menor que o valor de 100%. - - + + Alarms from events #{0} created Alarmes de eventos #{0} criados - - + + No events found Não foram encontrados eventos - + Event #{0} added Evento #{0} adicionado - + No profile found Perfil não encontrado - + Events #{0} deleted Eventos #{0} excluídos - + Event #{0} deleted Evento #{0} removido - + Roast properties updated but profile not saved to disk Propriedades da torra atualizadas mas o perfil não foi gravado em disco @@ -15926,7 +15972,7 @@ Repita a operação no final: {0} MODBUS desconectado - + Connected via MODBUS Conectado via MODBUS @@ -16093,27 +16139,19 @@ Repita a operação no final: {0} Sampling Amostragem - - - - - - Warning - Aviso - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Um intervalo de amostragem apertado pode levar à instabilidade em algumas máquinas. Sugerimos um mínimo de 1s. - + Incompatible variables found in %s Variáveis incompatíveis encontradas em %s - + Assignment problem problema de atribuição @@ -16207,8 +16245,8 @@ Repita a operação no final: {0} seguir - - + + Save Statistics Salvar estatísticas @@ -16370,19 +16408,19 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti Artesão configurado para {0} - + Load theme {0}? Carregar tema {0}? - + Adjust Theme Related Settings Ajustar configurações relacionadas ao tema - + Loaded theme {0} Tema carregado {0} @@ -16393,8 +16431,8 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti Detectado um par de cores que pode ser difícil de ver: - - + + Simulator started @{}x Simulador iniciado @{}x @@ -16445,14 +16483,14 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti Desligamento automático - + PID set to OFF PID definido para DESL - + PID set to ON @@ -16672,7 +16710,7 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti {0} foi gravado. Uma nova torra foi iniciada - + Invalid artisan format @@ -16737,10 +16775,10 @@ Substituir suas definições extras de dispositivo usando os valores do perfil? Perfil gravado - - - - + + + + @@ -16832,347 +16870,347 @@ Substituir suas definições extras de dispositivo usando os valores do perfil? Carregar configurações canceladas - - + + Statistics Saved Estatísticas salvas - + No statistics found Nenhuma estatística encontrada - + Excel Production Report exported to {0} Relatório de produção do Excel exportado para {0} - + Ranking Report Relatório de classificação - + Ranking graphs are only generated up to {0} profiles Os gráficos de classificação são gerados apenas até {0} perfis - + Profile missing DRY event Evento DRY ausente no perfil - + Profile missing phase events Perfilar eventos de fase ausentes - + CSV Ranking Report exported to {0} Relatório de classificação CSV exportado para {0} - + Excel Ranking Report exported to {0} Relatório de classificação do Excel exportado para {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied A balança Bluetooth não pode ser conectada enquanto a permissão para Artisan acessar o Bluetooth é negada - + Bluetooth access denied acesso Bluetooth negado - + Hottop control turned off Controle Hottop desligado - + Hottop control turned on Controle Hottop ativado - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Para controlar um Hottop, primeiro você precisa ativar o modo superusuário clicando com o botão direito no LCD do timer! - - + + Settings not found Configurações não encontradas - + artisan-settings configurações artesanais - + Save Settings Salvar configurações - + Settings saved Configurações salvas - + artisan-theme tema artesanal - + Save Theme Salvar tema - + Theme saved Tema salvo - + Load Theme Carregar tema - + Theme loaded Tema carregado - + Background profile removed Perfil de fundo removido - + Alarm Config Configuração de alarme - + Alarms are not available for device None Não há disponibilidade de alarmes para o dispositivo NONE - + Switching the language needs a restart. Restart now? Mudar o idioma precisa de uma reinicialização. Reinicie agora? - + Restart Reiniciar - + Import K202 CSV Importar K202 CSV - + K202 file loaded successfully Arquivo K202 carregado com sucesso - + Import K204 CSV Importar K204 CSV - + K204 file loaded successfully Arquivo K204 carregado com sucesso - + Import Probat Recipe Importar Receita Probat - + Probat Pilot data imported successfully Dados do Probat Pilot importados com sucesso - + Import Probat Pilot failed Falha na importação do Probat Pilot - - + + {0} imported {0} importado - + an error occurred on importing {0} ocorreu um erro ao importar {0} - + Import Cropster XLS Importar Cropster XLS - + Import RoastLog URL Importar URL do RoastLog - + Import RoastPATH URL URL RoastPATH de importação - + Import Giesen CSV Importar Giesen CSV - + Import Petroncini CSV Importar Petroncini CSV - + Import IKAWA URL Importar URL IKAWA - + Import IKAWA CSV Importar IKAWA CSV - + Import Loring CSV Importar Loring CSV - + Import Rubasse CSV Importar Rubasse CSV - + Import HH506RA CSV Importar HH506RA CSV - + HH506RA file loaded successfully Arquivo HH506RA importado com sucesso - + Save Graph as Salvar gráfico como - + {0} size({1},{2}) saved {0} tamanho({1}, {2}) gravado - + Save Graph as PDF Salvar gráfico como PDF - + Save Graph as SVG Salvar gráficocomo SVG - + {0} saved {0} gravado - + Wheel {0} loaded Roda {0} carregada - + Invalid Wheel graph format Formato de gráfico roda inválido - + Buttons copied to Palette # Botões copiados para a Paleta # - + Palette #%i restored Paleta #%i restaurada - + Palette #%i empty Paleta #%i vazia - + Save Palettes Salvar paletas - + Palettes saved Paletas gravadas - + Palettes loaded Paletas carregadas - + Invalid palettes file format Formato de arquivo de paletas inválido - + Alarms loaded Alarmes carregados - + Fitting curves... Ajustando as curvas... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Aviso: O início do intervalo de análise de interesse é anterior ao início do ajuste da curva. Corrija isso na guia Config>Curves>Analyze. - + Analysis earlier than Curve fit Análise antes do ajuste da curva - + Simulator stopped Simulador parado - + debug logging ON registro de depuração ATIVADO @@ -17825,45 +17863,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Perfil de fundo não encontrado - - - Scheduler started - Agendador iniciado - - - - Scheduler stopped - Agendador parado - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Os assados concluídos não ajustarão a programação enquanto a janela de programação estiver fechada - - - - - 1 batch - 1 lote - - - - - - - {} batches - {} lotes - - - - Updating completed roast properties failed - Falha ao atualizar propriedades de torra concluídas - - - - Fetching completed roast properties failed - Falha ao buscar propriedades de torra concluídas - Event # {0} recorded at BT = {1} Time = {2} Evento # {0} gravado em BT = {1} Tempo = {2} @@ -18269,51 +18268,6 @@ Continuar? Plus - - - debug logging ON - registro de depuração ATIVADO - - - - debug logging OFF - registro de depuração DESLIGADO - - - - 1 day left - falta 1 dia - - - - {} days left - {} dias restantes - - - - Paid until - Pago até - - - - Please visit our {0}shop{1} to extend your subscription - Visite nossa {0} loja {1} para estender sua assinatura - - - - Do you want to extend your subscription? - Quer estender sua assinatura? - - - - Your subscription ends on - Sua assinatura termina em - - - - Your subscription ended on - Sua assinatura terminou em - Roast successfully upload to {} @@ -18503,6 +18457,51 @@ Continuar? Remember Lembrar + + + debug logging ON + registro de depuração ATIVADO + + + + debug logging OFF + registro de depuração DESLIGADO + + + + 1 day left + falta 1 dia + + + + {} days left + {} dias restantes + + + + Paid until + Pago até + + + + Please visit our {0}shop{1} to extend your subscription + Visite nossa {0} loja {1} para estender sua assinatura + + + + Do you want to extend your subscription? + Quer estender sua assinatura? + + + + Your subscription ends on + Sua assinatura termina em + + + + Your subscription ended on + Sua assinatura terminou em + ({} of {} done) ({} de {} concluído) @@ -18701,10 +18700,10 @@ Continuar? - - - - + + + + Roaster Scope Torrascópio @@ -19083,6 +19082,16 @@ Continuar? Tab + + + To-Do + Pendência + + + + Completed + Concluído + @@ -19115,7 +19124,7 @@ Continuar? Definir RS - + Extra @@ -19164,32 +19173,32 @@ Continuar? - + ET/BT ET/BT - + Modbus Modbus - + S7 - + Scale Balança - + Color Cor - + WebSocket @@ -19226,17 +19235,17 @@ Continuar? Configurar - + Details Detalhes - + Loads Cargas - + Protocol Protocolo @@ -19321,16 +19330,6 @@ Continuar? LCDs LCDs - - - To-Do - Pendência - - - - Completed - Concluído - Done Feito @@ -19453,7 +19452,7 @@ Continuar? - + @@ -19473,7 +19472,7 @@ Continuar? Patamar HH:MM - + @@ -19483,7 +19482,7 @@ Continuar? - + @@ -19507,37 +19506,37 @@ Continuar? - + Device Dispositivo - + Comm Port Porta Comunicação - + Baud Rate Taxa de Transmissão - + Byte Size Tamanho do Byte - + Parity Paridade - + Stopbits Bit de Parada - + Timeout Expiração @@ -19545,16 +19544,16 @@ Continuar? - - + + Time Tempo - - + + @@ -19563,8 +19562,8 @@ Continuar? - - + + @@ -19573,104 +19572,104 @@ Continuar? - + CHARGE CARREGAR - + DRY END FIM SECA - + FC START INÍCIO PE - + FC END FIM PE - + SC START INÍCIO SE - + SC END FIM SE - + DROP RETIRAR - + COOL PRONTO - + #{0} {1}{2} # {0} {1} {2} - + Power Potência - + Duration Duração - + CO2 - + Load Carregar - + Source Fonte - + Kind Gentil - + Name Nome - + Weight Peso @@ -20670,7 +20669,7 @@ iniciado pelo PID - + @@ -20691,7 +20690,7 @@ iniciado pelo PID - + Show help Mostra ajuda @@ -20845,20 +20844,24 @@ tem que ser reduzido em 4 vezes. Execute a ação de amostragem de forma síncrona ({}) em cada intervalo de amostragem ou selecione um intervalo de tempo de repetição para executá-la de forma assíncrona durante a amostragem - + OFF Action String Cadeia de ação DESLIGADA - + ON Action String ON Cadeia de Ação - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Atraso extra após a conexão em segundos antes de enviar solicitações (necessário para dispositivos Arduino reiniciando na conexão) + + + Extra delay in Milliseconds between MODBUS Serial commands Atraso extra em milissegundos entre os comandos MODBUS Serial @@ -20874,12 +20877,7 @@ tem que ser reduzido em 4 vezes. Escanear MODBUS - - Reset socket connection on error - Redefinir conexão de soquete em caso de erro - - - + Scan S7 Escanear S7 @@ -20895,7 +20893,7 @@ tem que ser reduzido em 4 vezes. Apenas para fundos carregados com dispositivos extras - + The maximum nominal batch size of the machine in kg O tamanho nominal máximo do lote da máquina em kg @@ -21329,32 +21327,32 @@ Currently in TEMP MODE Atualmente no MODO TEMP - + <b>Label</b>= <b>Rótulo</b>= - + <b>Description </b>= <b>Descrição </b>= - + <b>Type </b>= <b>Tipo </b>= - + <b>Value </b>= <b>Valor </b>= - + <b>Documentation </b>= <b>Documentação </b>= - + <b>Button# </b>= <b>Botão# </b>= @@ -21438,6 +21436,10 @@ Atualmente no MODO TEMP Sets button colors to grey scale and LCD colors to black and white Define as cores dos botões para escala de cinza e as cores do LCD para preto e branco + + Reset socket connection on error + Redefinir conexão de soquete em caso de erro + Action String Texto de ação diff --git a/src/translations/artisan_pt_BR.qm b/src/translations/artisan_pt_BR.qm index 162b99cbe..d86d3e069 100644 Binary files a/src/translations/artisan_pt_BR.qm and b/src/translations/artisan_pt_BR.qm differ diff --git a/src/translations/artisan_pt_BR.ts b/src/translations/artisan_pt_BR.ts index 7d847f623..b37984d6f 100644 --- a/src/translations/artisan_pt_BR.ts +++ b/src/translations/artisan_pt_BR.ts @@ -9,57 +9,57 @@ Patrocinador de lançamento - + About Sobre - + Core Developers Desenvolvedores Principais - + License Licença - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Ocorreu um problema ao recuperar as informações da versão mais recente. Verifique sua conexão com a Internet, tente novamente mais tarde ou verifique manualmente. - + A new release is available. Uma nova versão está disponível. - + Show Change list Mostrar lista de mudanças - + Download Release Baixar versão - + You are using the latest release. Você está usando a versão mais recente. - + You are using a beta continuous build. Você está usando uma versão beta contínua. - + You will see a notice here once a new official release is available. Você verá um aviso aqui assim que um novo lançamento oficial estiver disponível. - + Update status Atualizar o status @@ -258,14 +258,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Cancela + - - - - + + + + Restore Defaults @@ -293,7 +313,7 @@ - + @@ -321,7 +341,7 @@ - + @@ -379,17 +399,6 @@ Save Salvar - - - - - - - - - OK - OK - On @@ -602,15 +611,6 @@ Write PIDs Gravar PIDs - - - - - - - Cancel - Cancela - Set ET PID to MM:SS time units @@ -629,8 +629,8 @@ - - + + @@ -650,7 +650,7 @@ - + @@ -690,7 +690,7 @@ Iniciar - + Scan Buscar @@ -775,9 +775,9 @@ atualizar - - - + + + Save Defaults Salvar padrões @@ -1526,12 +1526,12 @@ RESFRIADO Ponto flutuante - + START on CHARGE COMEÇAR em CARREGAR - + OFF on DROP OFF em DROP @@ -1603,61 +1603,61 @@ RESFRIADO Mostrar Sempre - + Heavy FC PC Intenso - + Low FC PC Baixo - + Light Cut Miolo do Grão Claro - + Dark Cut Miolo do Grão Escuro - + Drops Gotículas - + Oily Oleoso - + Uneven Heterogênea - + Tipping Pontas escuras - + Scorching Chamuscado - + Divots Buracos @@ -2485,14 +2485,14 @@ RESFRIADO - + ET ET - + BT BT @@ -2515,24 +2515,19 @@ RESFRIADO palavras - + optimize otimizar - + fetch full blocks buscar blocos completos - - reset - Redefinir - - - + compression compressão @@ -2718,6 +2713,10 @@ RESFRIADO Elec Elétrico + + reset + Redefinir + Title Título @@ -2925,6 +2924,16 @@ RESFRIADO Contextual Menu + + + All batches prepared + Todos os lotes preparados + + + + No batch prepared + Nenhum lote preparado + Add point @@ -2970,16 +2979,6 @@ RESFRIADO Edit Editar - - - All batches prepared - Todos os lotes preparados - - - - No batch prepared - Nenhum lote preparado - Create Criar @@ -4349,20 +4348,20 @@ RESFRIADO Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4455,42 +4454,42 @@ RESFRIADO - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4559,10 +4558,10 @@ RESFRIADO - - - - + + + + @@ -4760,12 +4759,12 @@ RESFRIADO - - - - - - + + + + + + @@ -4774,17 +4773,17 @@ RESFRIADO Erro de valor: - + Serial Exception: invalid comm port Exceção serial: porta comunicação inválida - + Serial Exception: timeout Exceção serial: tempo expirou - + Unable to move CHARGE to a value that does not exist Impossível mover CARREGAR para um valor que não existe @@ -4794,30 +4793,30 @@ RESFRIADO Comunicação Modbus Retomada - + Modbus Error: failed to connect Erro Modbus: falha ao conectar - - - - - - - - - + + + + + + + + + Modbus Error: Erro de modbus: - - - - - - + + + + + + Modbus Communication Error Erro de comunicação Modbus @@ -4901,52 +4900,52 @@ RESFRIADO Exceção: {} não é um arquivo de configurações válido - - - - - + + + + + Error Erro - + Exception: WebLCDs not supported by this build Exceção: WebLCDs não suportados por esta construção - + Could not start WebLCDs. Selected port might be busy. Não foi possível iniciar os WebLCDs. A porta selecionada pode estar ocupada. - + Failed to save settings Falha ao salvar as configurações - - + + Exception (probably due to an empty profile): Exceção (provavelmente por causa de um perfil vazio): - + Analyze: CHARGE event required, none found Analisar: evento CARREGAR necessário, nenhum encontrado - + Analyze: DROP event required, none found Analisar: evento DROP necessário, nenhum encontrado - + Analyze: no background profile data available Análise: não há dados do perfil modelo disponíveis - + Analyze: background profile requires CHARGE and DROP events Análise: o perfil modelo precisa ter eventos de CARREGAR e DESCARGA @@ -5057,6 +5056,12 @@ RESFRIADO Form Caption + + + + Custom Blend + Mistura personalizada + Axes @@ -5191,12 +5196,12 @@ RESFRIADO Configuração das Portas - + MODBUS Help Ajuda MODBUS - + S7 Help Ajuda S7 @@ -5216,23 +5221,17 @@ RESFRIADO Propriedades da Torra - - - Custom Blend - Mistura personalizada - - - + Energy Help Ajuda de energia - + Tare Setup Zerar Balança - + Set Measure from Profile Definir medida do perfil @@ -5462,27 +5461,27 @@ RESFRIADO Gerenciamento - + Registers Registros - - + + Commands Comandos - + PID PID - + Serial Comunicação Serial @@ -5493,37 +5492,37 @@ RESFRIADO - + Input Entrada - + Machine Máquina - + Timeout Expiração - + Nodes Nós - + Messages Mensagens - + Flags Bandeiras - + Events Eventos @@ -5535,14 +5534,14 @@ RESFRIADO - + Energy Energia - + CO2 @@ -5850,14 +5849,14 @@ RESFRIADO HTML Report Template - + BBP Total Time Tempo Total BBP - + BBP Bottom Temp Temperatura inferior da PAB @@ -5874,849 +5873,849 @@ RESFRIADO - + Whole Color Cor do Café Torrado - - + + Profile Perfil - + Roast Batches Lotes da torra - - - + + + Batch Lote - - + + Date Data - - - + + + Beans Grãos - - - + + + In Inicial - - + + Out Final - - - + + + Loss Perda - - + + SUM SOMA - + Production Report Relatório de Produção - - + + Time Tempo - - + + Weight In Peso Entrada - - + + CHARGE BT CARREGAR BT - - + + FCs Time Tempo PCi - - + + FCs BT BT PCi - - + + DROP Time Tempo DESCARREGAR - - + + DROP BT BT DESCARREGAR - + Dry Percent SECAGEM Percentual - + MAI Percent MAI Percentual - + Dev Percent DESENVOLVIMENTO Percentual - - + + AUC ASC - - + + Weight Loss Perda de Peso - - + + Color Cor - + Cupping Prova - + Roaster Torrador - + Capacity Capacidade - + Operator Operador - + Organization Organização - + Drum Speed Velocidade do Tambor - + Ground Color Cor do Café Moído - + Color System Systema de Cor - + Screen Min Peneira Min - + Screen Max Peneira Min - + Bean Temp Temperatura dos Grãos - + CHARGE ET CARREGAR ET - + TP Time Tempo PV - + TP ET ET PV - + TP BT BT PV - + DRY Time Tempo SECAGEM - + DRY ET ET SECAGEM - + DRY BT BT SECAGEM - + FCs ET ET PCi - + FCe Time Tempo PCf - + FCe ET ET PCf - + FCe BT BT PCf - + SCs Time Tempo SCi - + SCs ET ET SCi - + SCs BT BT SCi - + SCe Time Tempo SCf - + SCe ET ET SCf - + SCe BT BT SCf - + DROP ET ET DESCARREGAR - + COOL Time Tempo RRESFRIADO - + COOL ET ET RESFRIADO - + COOL BT BT RESFRIADO - + Total Time Tempo total - + Dry Phase Time Tempo Fase Secagem - + Mid Phase Time Tempo Fase Média - + Finish Phase Time Tempo Fase Finalização - + Dry Phase RoR RoR Fase Secagem - + Mid Phase RoR RoR Fase Média - + Finish Phase RoR RoR Fase Finalização - + Dry Phase Delta BT Delta BT Fase Secagem - + Mid Phase Delta BT Delta BT Fase Média - + Finish Phase Delta BT Delta BT Fase Finalização - + Finish Phase Rise Ascender Fase Finalização - + Total RoR RoR Total - + FCs RoR RoR PCi - + MET ETMáx - + AUC Begin AUC Começar - + AUC Base - + Dry Phase AUC AUC Fase Secagem - + Mid Phase AUC AUC Fase Média - + Finish Phase AUC AUC Fase de Finalização - + Weight Out Peso Resultado - + Volume In Volume Entrada - + Volume Out Volume Resultado - + Volume Gain Ganho de Volume - + Green Density Densidade Verde - + Roasted Density Densidade Torrada - + Moisture Greens Umidade dos Grãos Verdes - + Moisture Roasted Umidade dos Grãos Torrados - + Moisture Loss Perda Umidade - + Organic Loss Perda Orgânica - + Ambient Humidity Umidade Ambientais - + Ambient Pressure Ambient Pressure - + Ambient Temperature Temperature Ambientais - - + + Roasting Notes Notas de Torra - - + + Cupping Notes Notas de Prova - + Heavy FC PC Intenso - + Low FC PC Baixo - + Light Cut Miolo do Grão Claro - + Dark Cut Miolo do Grão Escuro - + Drops Gotículas - + Oily Oleoso - + Uneven Heterogênea - + Tipping Pontas escuras - + Scorching Chamuscado - + Divots Buracos - + Mode Modo - + BTU Batch BTU Lote - + BTU Batch per green kg BTU Lote por kg de café verde - + CO2 Batch CO2 Lote - + BTU Preheat BTU Pré-aqueça - + CO2 Preheat CO2 Pré-aqueça - + BTU BBP - + CO2 BBP - + BTU Cooling BTU Resfriamento - + CO2 Cooling CO2 Resfriamento - + BTU Roast BTU Torra - + BTU Roast per green kg BTU Torra por kg de café verde - + CO2 Roast CO2 Torra - + CO2 Batch per green kg CO2 Lote por kg de café verde - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Eficiência Lot - + Efficiency Roast Eficiência Torra - + BBP Begin Início do BBP - + BBP Begin to Bottom Time BBP começa ao fundo - + BBP Bottom to CHARGE Time BBP inferior para tempo de carga - + BBP Begin to Bottom RoR BBP começa a descer RoR - + BBP Bottom to CHARGE RoR BBP Inferior para CHARGE RoR - + File Name Nome do arquivo - + Roast Ranking Classificação da Torra - + Ranking Report Relatório de classificação - + AVG MÉDIA - + Roasting Report Relatório de Torra - + Date: Data: - + Beans: Grãos: - + Weight: Peso: - + Volume: Volume: - + Roaster: Torrador: - + Operator: Operador: - + Organization: Organização: - + Cupping: Prova: - + Color: Cor: - + Energy: Energia: - + CO2: - + CHARGE: CARREGAR: - + Size: Peneira: - + Density: Densidade: - + Moisture: Umidade: - + Ambient: Ambiente: - + TP: PV: - + DRY: SECAGEM: - + FCs: PCi: - + FCe: PCf: - + SCs: SCi: - + SCe: SCf: - + DROP: DESCARREGAR: - + COOL: CAFÉ RESFRIADO: - + MET: ETMáx: - + CM: - + Drying: Secagem: - + Maillard: Fase de Maillard: - + Finishing: Finalização: - + Cooling: Resfriamento: - + Background: Modelo: - + Alarms: Alarmes: - + RoR: DELTA (RoR): - + AUC: ASC: - + Events Eventos @@ -12634,6 +12633,92 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Label + + + + + + + + + Weight + Peso + + + + + + + Beans + Grãos + + + + + + Density + Densidade + + + + + + Color + Cor + + + + + + Moisture + Umidade + + + + + + + Roasting Notes + Notas de Torra + + + + Score + Pontuação + + + + + Cupping Score + Pontuação de ventosas + + + + + + + Cupping Notes + Notas de Prova + + + + + + + + Roasted + Torrados + + + + + + + + + Green + Verdes + @@ -12738,7 +12823,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12757,7 +12842,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12773,7 +12858,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12792,7 +12877,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12819,7 +12904,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12851,7 +12936,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + DRY SECAGEM @@ -12868,7 +12953,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + FCs PCi @@ -12876,7 +12961,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + FCe PCf @@ -12884,7 +12969,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + SCs SCi @@ -12892,7 +12977,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + SCe SCf @@ -12905,7 +12990,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12920,10 +13005,10 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor /min - - - - + + + + @@ -12931,8 +13016,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor LIGAR - - + + @@ -12946,8 +13031,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Ciclo - - + + Input Entrada @@ -12981,7 +13066,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + @@ -12998,8 +13083,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - - + + Mode @@ -13061,7 +13146,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + Label @@ -13186,21 +13271,21 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor SV máx - + P - + I - + D @@ -13262,13 +13347,6 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Markers Marcadores - - - - - Color - Cor - Text Color @@ -13299,9 +13377,9 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Tamanho - - + + @@ -13339,8 +13417,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - - + + Event @@ -13353,7 +13431,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Ação - + Command Comando @@ -13365,7 +13443,7 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Compensação - + Factor @@ -13382,14 +13460,14 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Temperatura - + Unit Unidade - + Source Fonte @@ -13400,10 +13478,10 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Grupo - - - + + + OFF @@ -13454,15 +13532,15 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Registro - - + + Area Área - - + + DB# DB# @@ -13470,54 +13548,54 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - + Start Início - - + + Comm Port Porta de Comunicação - - + + Baud Rate Taxa de Transmissão - - + + Byte Size Tamanho de Byte - - + + Parity Paridade - - + + Stopbits Bits de Parada - - + + @@ -13554,8 +13632,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - - + + Type Tipo @@ -13565,8 +13643,8 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - - + + Host Servidor @@ -13577,20 +13655,20 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor - - + + Port Porta - + SV Factor Fator SV - + pid Factor Fator PID @@ -13612,75 +13690,75 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Estrito - - + + Device Dispositivo - + Rack Rack - + Slot - + Path Caminho - + ID EU IA - + Connect Conectar - + Reconnect Reconectar - - + + Request Solicitação - + Message ID ID da mensagem - + Machine ID ID da máquina - + Data Dados - + Message Mensagem - + Data Request Requisição de dados - - + + Node @@ -13742,17 +13820,6 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor g g - - - - - - - - - Weight - Peso - @@ -13760,25 +13827,6 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Volume Volume - - - - - - - - Green - Verdes - - - - - - - - Roasted - Torrados - @@ -13829,31 +13877,16 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Data - + Batch Lote - - - - - - Beans - Grãos - % % - - - - - Density - Densidade - Screen @@ -13869,13 +13902,6 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Ground Moído - - - - - Moisture - Umidade - @@ -13888,22 +13914,6 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Ambient Conditions Condições Ambientais - - - - - - Roasting Notes - Notas de Torra - - - - - - - Cupping Notes - Notas de Prova - Ambient Source @@ -13925,140 +13935,140 @@ Siga as etapas abaixo para definir as entradas de energia para a máquina de tor Blend - + Template Modelo - + Results in Resulta em - + Rating Avaliação - + Pressure % Pressão % - + Electric Energy Mix: Mix de energia elétrica: - + Renewable Renovável - - + + Pre-Heating Pré-aquecimento - - + + Between Batches Entre Lotes - - + + Cooling Resfriamento - + Between Batches after Pre-Heating Entre lotes após pré-aquecimento - + (mm:ss) (mm:ss) - + Duration Duração - + Measured Energy or Output % Energia medida ou % de saída - - + + Preheat Pré-aqueça - - + + BBP - - - - + + + + Roast Torra - - + + per kg green coffee por kg de café verde - + Load Tamanho do Lote - + Organization Organização - + Operator Operador - + Machine Máquina - + Model Modelo - + Heating Aquecimento - + Drum Speed Velocidade do Tambor - + organic material material orgânico @@ -14382,12 +14392,6 @@ Fases LCDs Roaster Torrador - - - - Cupping Score - Pontuação de ventosas - Max characters per line @@ -14467,7 +14471,7 @@ Fases LCDs Cor da borda (RGBA) - + roasted torrados @@ -14614,22 +14618,22 @@ Fases LCDs - + ln() ln() - - + + x x - - + + Bkgnd Fundo @@ -14778,99 +14782,99 @@ Fases LCDs Carregar o torrador com grãos verdes - + /m /m - + greens verdes - - - + + + STOP PARAR - - + + OPEN ABRIR - - - + + + CLOSE FECHAR - - + + AUTO - - - + + + MANUAL - + STIRRER AGITADOR - + FILL PREENCHER - + RELEASE LIBERAR - + HEATING AQUECIMENTO - + COOLING RESFRIAMENTO - + RMSE BT - + MSE BT - + RoR Delta (RoR) - + @FCs @PCi - + Max+/Max- RoR Max+/Max- RoR @@ -15196,11 +15200,6 @@ Fases LCDs Aspect Ratio Proporção - - - Score - Pontuação - RPM RPM @@ -15610,6 +15609,12 @@ Fases LCDs Menu + + + + Schedule + Plano + @@ -16066,12 +16071,6 @@ Fases LCDs Sliders Controles Deslizantes - - - - Schedule - Plano - Full Screen @@ -16216,6 +16215,53 @@ Fases LCDs Message + + + Scheduler started + Agendador iniciado + + + + Scheduler stopped + Agendador parado + + + + + + + Warning + Adventência + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Os assados concluídos não ajustarão a programação enquanto a janela de programação estiver fechada + + + + + 1 batch + 1 lote + + + + + + + {} batches + {} lotes + + + + Updating completed roast properties failed + Falha ao atualizar propriedades de torra concluídas + + + + Fetching completed roast properties failed + Falha ao buscar propriedades de torra concluídas + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16776,20 +16822,20 @@ Repita a operação no final: {0} - + Bluetootooth access denied Acesso bluetooth negado - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Configuração de Portas Seriais: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16823,50 +16869,50 @@ Repita a operação no final: {0} Lendo perfil modelo... - + Event table copied to clipboard Tabela de eventos copiada para a área de transferência - + The 0% value must be less than the 100% value. O valor de 0% deve ser menor que o valor de 100%. - - + + Alarms from events #{0} created Alarmes de eventos #{0} criados - - + + No events found Não foram encontrados eventos - + Event #{0} added Evento #{0} adicionado - + No profile found Perfil não encontrado - + Events #{0} deleted Eventos #{0} excluídos - + Event #{0} deleted Evento #{0} removido - + Roast properties updated but profile not saved to disk Propriedades da torra atualizadas mas o perfil não foi gravado em disco @@ -16881,7 +16927,7 @@ Repita a operação no final: {0} MODBUS desconectado - + Connected via MODBUS Conectado via MODBUS @@ -17048,27 +17094,19 @@ Repita a operação no final: {0} Sampling Amostragem - - - - - - Warning - Adventência - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Um intervalo de amostragem apertado pode levar à instabilidade em algumas máquinas. Sugerimos um mínimo de 1s. - + Incompatible variables found in %s Variáveis incompatíveis encontradas em %s - + Assignment problem Problema de atribuição @@ -17162,8 +17200,8 @@ Repita a operação no final: {0} seguir fora - - + + Save Statistics Salvar estatísticas @@ -17325,19 +17363,19 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti Artisan configurado para {0} - + Load theme {0}? Carregar tema {0}? - + Adjust Theme Related Settings Ajustar configurações relacionadas ao tema - + Loaded theme {0} Tema carregado {0} @@ -17348,8 +17386,8 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti Detectou um par de cores que pode ser difícil de ver: - - + + Simulator started @{}x Simulador iniciado @{}x @@ -17400,14 +17438,14 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti autoDROP desligado - + PID set to OFF PID definido para DESL - + PID set to ON @@ -17627,7 +17665,7 @@ Para mantê-lo gratuito e atualizado, apoie-nos com sua doação e assine o arti {0} foi gravado. Uma nova torra foi iniciada - + Invalid artisan format @@ -17692,10 +17730,10 @@ Substituir suas definições de dispositivo extras usando os valores do perfil? Perfil gravado - - - - + + + + @@ -17787,347 +17825,347 @@ Substituir suas definições de dispositivo extras usando os valores do perfil? Carregar configurações cancelado - - + + Statistics Saved Estatísticas salvas - + No statistics found Nenhuma estatística encontrada - + Excel Production Report exported to {0} Relatório de produção do Excel exportado para {0} - + Ranking Report Relatório de classificação - + Ranking graphs are only generated up to {0} profiles Gráficos de classificação são gerados apenas até {0} perfis - + Profile missing DRY event Evento DRY ausente no perfil - + Profile missing phase events Eventos de fase ausentes do perfil - + CSV Ranking Report exported to {0} Relatório de classificação CSV exportado para {0} - + Excel Ranking Report exported to {0} Relatório de classificação do Excel exportado para {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied A balança Bluetooth não pode ser conectada enquanto a permissão para Artisan acessar o Bluetooth é negada - + Bluetooth access denied acesso Bluetooth negado - + Hottop control turned off Controle do Hottop desligado - + Hottop control turned on Controle do Hottop ligado - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Para controlar um Hottop, você precisa primeiro ativar o modo de superusuário clicando com o botão direito no LCD do cronômetro! - - + + Settings not found Configurações não encontradas - + artisan-settings configurações-artisan - + Save Settings Salvar Configurações - + Settings saved Configurações salvas - + artisan-theme artisan-tema - + Save Theme Salvar Tema - + Theme saved Tema Salvo - + Load Theme Carregar tema - + Theme loaded Tema carregado - + Background profile removed Perfil de fundo removido - + Alarm Config Configuração de alarme - + Alarms are not available for device None Não há disponibilidade de alarmes para o dispositivo Nenhum - + Switching the language needs a restart. Restart now? Alternar idioma requer o reinício do aplicativo. Reiniciar agora? - + Restart Reiniciar - + Import K202 CSV Importar K202 CSV - + K202 file loaded successfully Arquivo K202 carregado com sucesso - + Import K204 CSV Importar K204 CSV - + K204 file loaded successfully Arquivo K204 carregado com sucesso - + Import Probat Recipe Importar Probat Recipe - + Probat Pilot data imported successfully Dados do Probat Pilot importados com sucesso - + Import Probat Pilot failed A importação do Probat Pilot falhou - - + + {0} imported {0} importado - + an error occurred on importing {0} ocorreu um erro ao importar {0} - + Import Cropster XLS Importar Cropster XLS - + Import RoastLog URL Importar URL RoastLog - + Import RoastPATH URL Importar URL RoastPATH - + Import Giesen CSV Importar Giesen CSV - + Import Petroncini CSV Importar Petroncini CSV - + Import IKAWA URL Importar URL IKAWA - + Import IKAWA CSV Importar CSV IKAWA - + Import Loring CSV Importar CSV Loring - + Import Rubasse CSV Importar Rubasse CSV - + Import HH506RA CSV Importar HH506RA CSV - + HH506RA file loaded successfully Arquivo HH506RA importado com sucesso - + Save Graph as Salvar gráfico como - + {0} size({1},{2}) saved {0} tamanho({1}, {2}) gravado - + Save Graph as PDF Salvar Gráfico como PDF - + Save Graph as SVG Salvar Gráfico como SVG - + {0} saved {0} gravado - + Wheel {0} loaded Roda {0} carregada - + Invalid Wheel graph format Formato de gráfico roda inválido - + Buttons copied to Palette # Botões copiados para a Paleta # - + Palette #%i restored Paleta #%i restaurada - + Palette #%i empty Paleta #%i vazia - + Save Palettes Salvar paletas - + Palettes saved Paletas gravadas - + Palettes loaded Paletas carregadas - + Invalid palettes file format Formato de arquivo de paletas inválido - + Alarms loaded Alarmes carregados - + Fitting curves... Curvas de ajuste ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Aviso: o início do intervalo de análise de interesse é anterior ao início do ajuste da curva. Corrija isso na guia Configurar>Curvas>Analisar. - + Analysis earlier than Curve fit Análise antes do ajuste de curva - + Simulator stopped Simulador parado - + debug logging ON registro de depuração ATIVADO @@ -18781,45 +18819,6 @@ Perfil não tem [CARREGAR] ou [DESCARREGAR] Background profile not found Perfil modelo não encontrado - - - Scheduler started - Agendador iniciado - - - - Scheduler stopped - Agendador parado - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Os assados concluídos não ajustarão a programação enquanto a janela de programação estiver fechada - - - - - 1 batch - 1 lote - - - - - - - {} batches - {} lotes - - - - Updating completed roast properties failed - Falha ao atualizar propriedades de torra concluídas - - - - Fetching completed roast properties failed - Falha ao buscar propriedades de torra concluídas - Event # {0} recorded at BT = {1} Time = {2} Evento # {0} gravado em BT = {1} Tempo = {2} @@ -19477,51 +19476,6 @@ Continuar? Plus - - - debug logging ON - registro de depuração ATIVADO - - - - debug logging OFF - registro de depuração DESLIGADO - - - - 1 day left - falta 1 dia - - - - {} days left - faltam {} dias - - - - Paid until - Pago até - - - - Please visit our {0}shop{1} to extend your subscription - Visite nossa {0}loja{1} para estender sua assinatura - - - - Do you want to extend your subscription? - Quer estender sua assinatura? - - - - Your subscription ends on - Sua assinatura termina em - - - - Your subscription ended on - Sua assinatura terminou em - Roast successfully upload to {} @@ -19711,6 +19665,51 @@ Continuar? Remember Lembrar + + + debug logging ON + registro de depuração ATIVADO + + + + debug logging OFF + registro de depuração DESLIGADO + + + + 1 day left + falta 1 dia + + + + {} days left + faltam {} dias + + + + Paid until + Pago até + + + + Please visit our {0}shop{1} to extend your subscription + Visite nossa {0}loja{1} para estender sua assinatura + + + + Do you want to extend your subscription? + Quer estender sua assinatura? + + + + Your subscription ends on + Sua assinatura termina em + + + + Your subscription ended on + Sua assinatura terminou em + ({} of {} done) ({} de {} concluído) @@ -19917,10 +19916,10 @@ Continuar? - - - - + + + + Roaster Scope Visor de Torra @@ -20299,6 +20298,16 @@ Continuar? Tab + + + To-Do + Pendência + + + + Completed + Concluído + @@ -20331,7 +20340,7 @@ Continuar? Definir RS - + Extra @@ -20380,32 +20389,32 @@ Continuar? - + ET/BT ET/BT - + Modbus Modbus - + S7 - + Scale Balança - + Color Cor - + WebSocket @@ -20442,17 +20451,17 @@ Continuar? Configurar - + Details Detalhes - + Loads Cargas - + Protocol Protocolo @@ -20537,16 +20546,6 @@ Continuar? LCDs LCDs - - - To-Do - Pendência - - - - Completed - Concluído - Done Feito @@ -20673,7 +20672,7 @@ Continuar? - + @@ -20693,7 +20692,7 @@ Continuar? Patamar HH:MM - + @@ -20703,7 +20702,7 @@ Continuar? - + @@ -20727,37 +20726,37 @@ Continuar? - + Device Dispositivo - + Comm Port Porta de Comunicação - + Baud Rate Taxa de Transmissão - + Byte Size Tamanho do Byte - + Parity Paridade - + Stopbits Bits de Parada - + Timeout Expiração @@ -20765,16 +20764,16 @@ Continuar? - - + + Time Tempo - - + + @@ -20783,8 +20782,8 @@ Continuar? - - + + @@ -20793,104 +20792,104 @@ Continuar? - + CHARGE CARREGAR - + DRY END FIM SECA - + FC START INÍCIO PC - + FC END FINAL PC - + SC START INÍCIO SC - + SC END FINAL SC - + DROP DESCARREGAR - + COOL CAFÉ RESFRIADO - + #{0} {1}{2} #{0} {1}{2} - + Power Potência - + Duration Duração - + CO2 - + Load Tamanho do Lote - + Source Fonte - + Kind Gentil - + Name Nome - + Weight Peso @@ -21891,7 +21890,7 @@ iniciado pelo PID - + @@ -21912,7 +21911,7 @@ iniciado pelo PID - + Show help Mostra ajuda @@ -22066,20 +22065,24 @@ tem que ser reduzido em 4 vezes. Execute a ação de amostragem de forma síncrona ({}) em cada intervalo de amostragem ou selecione um intervalo de tempo de repetição para executá-la de forma assíncrona durante a amostragem - + OFF Action String OFF String de ação - + ON Action String ON String de ação - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Atraso extra após a conexão em segundos antes de enviar solicitações (necessário para dispositivos Arduino reiniciando na conexão) + + + Extra delay in Milliseconds between MODBUS Serial commands Atraso extra em milissegundos entre os comandos MODBUS Serial @@ -22095,12 +22098,7 @@ tem que ser reduzido em 4 vezes. Escanear MODBUS - - Reset socket connection on error - Reinicializar a conexão do soquete em caso de erro - - - + Scan S7 Buscar S7 @@ -22116,7 +22114,7 @@ tem que ser reduzido em 4 vezes. Para fundos carregados com dispositivos extras apenas - + The maximum nominal batch size of the machine in kg O tamanho máximo do lote nominal da máquina em kg @@ -22550,32 +22548,32 @@ Currently in TEMP MODE Atualmente em TEMP MODE - + <b>Label</b>= <b>Rótulo</b>= - + <b>Description </b>= <b>Descrição </b>= - + <b>Type </b>= <b>Tipo </b>= - + <b>Value </b>= <b>Valor </b>= - + <b>Documentation </b>= <b>Documentação </b>= - + <b>Button# </b>= <b>Botão# </b>= @@ -22659,6 +22657,10 @@ Atualmente em TEMP MODE Sets button colors to grey scale and LCD colors to black and white Define as cores dos botões para escala de cinza e as cores do LCD para preto e branco + + Reset socket connection on error + Reinicializar a conexão do soquete em caso de erro + Action String Texto de ação diff --git a/src/translations/artisan_ru.qm b/src/translations/artisan_ru.qm index 1553183bc..7aac1d3f4 100644 Binary files a/src/translations/artisan_ru.qm and b/src/translations/artisan_ru.qm differ diff --git a/src/translations/artisan_ru.ts b/src/translations/artisan_ru.ts index b164051eb..b36af24d2 100644 --- a/src/translations/artisan_ru.ts +++ b/src/translations/artisan_ru.ts @@ -9,57 +9,57 @@ Спонсор релиза - + About О программе - + Core Developers Разработчики - + License Лицензия - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Не удалось получить информацию о последней версии. Проверьте подключение к Интернету, повторите попытку позже или проверьте вручную. - + A new release is available. Доступен новый выпуск. - + Show Change list Показать список изменений - + Download Release Скачать релиз - + You are using the latest release. Вы используете последнюю версию. - + You are using a beta continuous build. Вы используете бета-версию непрерывной сборки. - + You will see a notice here once a new official release is available. Вы увидите уведомление здесь, когда будет доступен новый официальный выпуск. - + Update status Обновить состояние @@ -226,14 +226,34 @@ Button + + + + + + + + + OK + Ок + + + + + + + + Cancel + Отменить + - - - - + + + + Restore Defaults @@ -261,7 +281,7 @@ - + @@ -289,7 +309,7 @@ - + @@ -347,17 +367,6 @@ Save Сохранить - - - - - - - - - OK - Ок - On @@ -570,15 +579,6 @@ Write PIDs Записать PIDы - - - - - - - Cancel - Отменить - Set ET PID to MM:SS time units @@ -597,8 +597,8 @@ - - + + @@ -618,7 +618,7 @@ - + @@ -658,7 +658,7 @@ Начинать - + Scan Сканировать @@ -743,9 +743,9 @@ обновить - - - + + + Save Defaults Сохранить настройки по умолчанию @@ -1430,12 +1430,12 @@ END Плавать - + START on CHARGE НАЧАТЬ НА ЗАРЯДКЕ - + OFF on DROP ВЫКЛ при КАДРЕ @@ -1507,61 +1507,61 @@ END Показывать всегда - + Heavy FC Высокая FC - + Low FC Низкая FC - + Light Cut Легкая стрижка - + Dark Cut Темный разрез - + Drops Падения - + Oily Жирный - + Uneven Неравномерное - + Tipping Чаевые - + Scorching Палящий - + Divots Дивоты @@ -2353,14 +2353,14 @@ END - + ET восточноевропейское время - + BT БТ @@ -2383,24 +2383,19 @@ END слова - + optimize оптимизировать - + fetch full blocks получить полные блоки - - reset - сброс настроек - - - + compression сжатие @@ -2586,6 +2581,10 @@ END Elec Элек + + reset + сброс настроек + Title Название @@ -2761,6 +2760,16 @@ END Contextual Menu + + + All batches prepared + Все партии подготовлены + + + + No batch prepared + Не подготовлена ​​партия + Add point @@ -2806,16 +2815,6 @@ END Edit Редактировать - - - All batches prepared - Все партии подготовлены - - - - No batch prepared - Не подготовлена ​​партия - Cancel selection Отменить выбор @@ -4173,20 +4172,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4279,42 +4278,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4383,10 +4382,10 @@ END - - - - + + + + @@ -4584,12 +4583,12 @@ END - - - - - - + + + + + + @@ -4598,17 +4597,17 @@ END Ошибка значения: - + Serial Exception: invalid comm port Исключение последовательного порта: неверный порт связи - + Serial Exception: timeout Последовательное исключение: тайм-аут - + Unable to move CHARGE to a value that does not exist Невозможно переместить CHARGE на несуществующее значение. @@ -4618,30 +4617,30 @@ END Связь Modbus возобновлена - + Modbus Error: failed to connect Ошибка Modbus: не удалось подключиться - - - - - - - - - + + + + + + + + + Modbus Error: Ошибка Modbus: - - - - - - + + + + + + Modbus Communication Error Ошибка связи Modbus @@ -4725,52 +4724,52 @@ END Исключение: {} недопустимый файл настроек. - - - - - + + + + + Error Ошибка - + Exception: WebLCDs not supported by this build Исключение: WebLCD не поддерживаются этой сборкой. - + Could not start WebLCDs. Selected port might be busy. Не удалось запустить WebLCD. Возможно, выбранный порт занят. - + Failed to save settings Не удалось сохранить настройки. - - + + Exception (probably due to an empty profile): Исключение (вероятно, из-за пустого профиля): - + Analyze: CHARGE event required, none found Анализ: требуется событие CHARGE, ничего не найдено - + Analyze: DROP event required, none found Анализ: требуется событие DROP, ничего не найдено - + Analyze: no background profile data available Анализ: данные о фоновом профиле отсутствуют. - + Analyze: background profile requires CHARGE and DROP events Анализ: фоновый профиль требует событий CHARGE и DROP. @@ -4845,6 +4844,12 @@ END Form Caption + + + + Custom Blend + Пользовательская смесь + Axes @@ -4979,12 +4984,12 @@ END Конфигурация Ports - + MODBUS Help Справка MODBUS - + S7 Help Справка S7 @@ -5004,23 +5009,17 @@ END Свойства обжарки - - - Custom Blend - Пользовательская смесь - - - + Energy Help Энергетическая помощь - + Tare Setup Установка тары - + Set Measure from Profile Установить измерение из профиля @@ -5242,27 +5241,27 @@ END Управление - + Registers Регистры - - + + Commands Команды - + PID ПИД-регулятор - + Serial Серийный @@ -5273,37 +5272,37 @@ END - + Input Вход - + Machine Машина - + Timeout Тайм-аут - + Nodes Узлы - + Messages Сообщения - + Flags Флаги - + Events События @@ -5315,14 +5314,14 @@ END - + Energy Энергия - + CO2 СО2 @@ -5582,14 +5581,14 @@ END HTML Report Template - + BBP Total Time Общее время ББП - + BBP Bottom Temp Нижняя температура BBP @@ -5606,849 +5605,849 @@ END - + Whole Color Весь цвет - - + + Profile Профиль - + Roast Batches Партии обжарки - - - + + + Batch Партия - - + + Date Дата - - - + + + Beans Бобы - - - + + + In В - - + + Out Вне - - - + + + Loss Потеря - - + + SUM СУММА - + Production Report Производственный отчет - - + + Time Время - - + + Weight In Вес - - + + CHARGE BT ЗАРЯДКА БТ - - + + FCs Time Время ФК - - + + FCs BT ФК БТ - - + + DROP Time Время сброса - - + + DROP BT ОТКАЗАТЬ БТ - + Dry Percent Сухой процент - + MAI Percent МАИ Процент - + Dev Percent Процент разработчиков - - + + AUC АУК - - + + Weight Loss Потеря веса - - + + Color Цвет - + Cupping Банки - + Roaster Ростер - + Capacity Емкость - + Operator Оператор - + Organization Организация - + Drum Speed Скорость барабана - + Ground Color Основной цвет - + Color System Цветовая система - + Screen Min Экран Мин. - + Screen Max Экран Макс - + Bean Temp Температура бобов - + CHARGE ET ЗАРЯД ET - + TP Time Время ТП - + TP ET ТП ЕТ - + TP BT ТП БТ - + DRY Time Время высыхания - + DRY ET СУХОЙ ЭТ. - + DRY BT СУХОЙ БТ - + FCs ET ФК ET - + FCe Time Время FCe - + FCe ET - + FCe BT ФКе БТ - + SCs Time СЦ Время - + SCs ET СЦ ЭТ - + SCs BT СЦ БТ - + SCe Time Время SCe - + SCe ET - + SCe BT - + DROP ET ОТПРАВИТЬ ЭТ. - + COOL Time Классное время - + COOL ET КРУТО ET - + COOL BT КРУТЫЙ БТ - + Total Time Общее время - + Dry Phase Time Время сухой фазы - + Mid Phase Time Время средней фазы - + Finish Phase Time Время завершения фазы - + Dry Phase RoR Сухая фаза RoR - + Mid Phase RoR Средняя фаза RoR - + Finish Phase RoR Завершение фазы RoR - + Dry Phase Delta BT Сухая фаза Дельта BT - + Mid Phase Delta BT Средняя фаза Дельта BT - + Finish Phase Delta BT Завершить фазу Delta BT - + Finish Phase Rise Завершить подъем фазы - + Total RoR Общий рентабельность инвестиций - + FCs RoR ФК РоР - + MET ВСТРЕТИЛИСЬ - + AUC Begin AUC Начало - + AUC Base База АУК - + Dry Phase AUC AUC сухой фазы - + Mid Phase AUC Средняя фаза AUC - + Finish Phase AUC Завершение фазы AUC - + Weight Out Вес вне - + Volume In Громкость входная - + Volume Out Выход громкости - + Volume Gain Увеличение объема - + Green Density Зеленая плотность - + Roasted Density Плотность обжарки - + Moisture Greens Влага зелени - + Moisture Roasted Жареный на влажной основе - + Moisture Loss Потеря влаги - + Organic Loss Органические потери - + Ambient Humidity Влажность окружающей среды - + Ambient Pressure Давление внешней среды - + Ambient Temperature Температура окружающей среды - - + + Roasting Notes Примечание по обжарке - - + + Cupping Notes Примечания к банкам - + Heavy FC Высокая FC - + Low FC Низкая FC - + Light Cut Легкая стрижка - + Dark Cut Темный разрез - + Drops Падения - + Oily Жирный - + Uneven Неравномерное - + Tipping Чаевые - + Scorching Палящий - + Divots Дивоты - + Mode Режим - + BTU Batch БТУ партия - + BTU Batch per green kg БТЕ Партия на кг зеленого цвета - + CO2 Batch Партия CO2 - + BTU Preheat БТЕ Предварительный нагрев - + CO2 Preheat CO2 Предварительный нагрев - + BTU BBP БТУ ББП - + CO2 BBP CO2 ББП - + BTU Cooling БТЕ Охлаждение - + CO2 Cooling CO2 Охлаждение - + BTU Roast БТЕ обжарки - + BTU Roast per green kg БТЕ жареного мяса на кг зелени - + CO2 Roast CO2 обжарка - + CO2 Batch per green kg Партия CO2 на кг зеленого цвета - + BTU LPG БТЕ СУГ - + BTU NG БТЕ НГ - + BTU ELEC БТУ ЭЛЕКТРО - + Efficiency Batch Пакетная эффективность - + Efficiency Roast Эффективность обжарки - + BBP Begin ББП Начало - + BBP Begin to Bottom Time BBP начинается с нижнего времени - + BBP Bottom to CHARGE Time BBP внизу, чтобы ЗАРЯДИТЬ время - + BBP Begin to Bottom RoR BBP начинается с нижнего уровня RoR - + BBP Bottom to CHARGE RoR Низ BBP для ЗАРЯДА RoR - + File Name Имя файла - + Roast Ranking Рейтинг обжарки - + Ranking Report Отчет о рейтинге - + AVG - + Roasting Report Доклад о обжарке - + Date: Дата: - + Beans: Бобы: - + Weight: Вес: - + Volume: Объем: - + Roaster: Ростер: - + Operator: Оператор: - + Organization: Организация: - + Cupping: Банкирование: - + Color: Цвет: - + Energy: Энергия: - + CO2: СО2: - + CHARGE: Загрузка бобов: - + Size: Размер: - + Density: Плотность: - + Moisture: Влага: - + Ambient: Внешний: - + TP: ТП: - + DRY: Сухой: - + FCs: ФК: - + FCe: ФКе: - + SCs: СЦ: - + SCe: - + DROP: Выброс бобов: - + COOL: Охлаждение бобов: - + MET: ВСТРЕТИЛ: - + CM: СМ: - + Drying: Сушка: - + Maillard: Майара: - + Finishing: Отделка: - + Cooling: Охлаждение: - + Background: Фон: - + Alarms: Сигналы тревоги: - + RoR: РоР: - + AUC: АУК: - + Events События @@ -11489,6 +11488,92 @@ When Keyboard Shortcuts are OFF adds a custom event Label + + + + + + + + + Weight + Вес + + + + + + + Beans + Кофейные бобы + + + + + + Density + Плотность + + + + + + Color + Цвет + + + + + + Moisture + Влага + + + + + + + Roasting Notes + Заметки по обжарке + + + + Score + Счет + + + + + Cupping Score + Рейтинг чашек + + + + + + + Cupping Notes + Примечания к банкам + + + + + + + + Roasted + Жареный + + + + + + + + + Green + Зеленый + @@ -11593,7 +11678,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11612,7 +11697,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11628,7 +11713,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11647,7 +11732,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11674,7 +11759,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11706,7 +11791,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + DRY Сухость @@ -11723,7 +11808,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCs ФК @@ -11731,7 +11816,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + FCe ФКе @@ -11739,7 +11824,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCs СК @@ -11747,7 +11832,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + SCe @@ -11760,7 +11845,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11775,10 +11860,10 @@ When Keyboard Shortcuts are OFF adds a custom event /мин - - - - + + + + @@ -11786,8 +11871,8 @@ When Keyboard Shortcuts are OFF adds a custom event ВКЛ - - + + @@ -11801,8 +11886,8 @@ When Keyboard Shortcuts are OFF adds a custom event Цикл - - + + Input Вход @@ -11836,7 +11921,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + @@ -11853,8 +11938,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Mode @@ -11916,7 +12001,7 @@ When Keyboard Shortcuts are OFF adds a custom event - + Label @@ -12041,21 +12126,21 @@ When Keyboard Shortcuts are OFF adds a custom event SV макс - + P п - + I я - + D @@ -12117,13 +12202,6 @@ When Keyboard Shortcuts are OFF adds a custom event Markers Маркеры - - - - - Color - Цвет - Text Color @@ -12154,9 +12232,9 @@ When Keyboard Shortcuts are OFF adds a custom event Размер - - + + @@ -12194,8 +12272,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Event @@ -12208,7 +12286,7 @@ When Keyboard Shortcuts are OFF adds a custom event Действие - + Command Команда @@ -12220,7 +12298,7 @@ When Keyboard Shortcuts are OFF adds a custom event Смещение - + Factor @@ -12237,14 +12315,14 @@ When Keyboard Shortcuts are OFF adds a custom event Темп - + Unit Ед. изм - + Source Источник @@ -12255,10 +12333,10 @@ When Keyboard Shortcuts are OFF adds a custom event Кластер - - - + + + OFF @@ -12309,15 +12387,15 @@ When Keyboard Shortcuts are OFF adds a custom event Регистрация - - + + Area Область - - + + DB# БД № @@ -12325,54 +12403,54 @@ When Keyboard Shortcuts are OFF adds a custom event - + Start Старт - - + + Comm Port Коммуникационный порт - - + + Baud Rate Скорость передачи информации - - + + Byte Size Размер в байтах - - + + Parity Равенство - - + + Stopbits Стоп-биты - - + + @@ -12409,8 +12487,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Type Тип @@ -12420,8 +12498,8 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Host сеть @@ -12432,20 +12510,20 @@ When Keyboard Shortcuts are OFF adds a custom event - - + + Port Порт - + SV Factor Фактор SV - + pid Factor pid-фактор @@ -12467,75 +12545,75 @@ When Keyboard Shortcuts are OFF adds a custom event Строгий - - + + Device Устройство - + Rack Стойка - + Slot Слот - + Path Дорожка - + ID Я БЫ - + Connect Соединять - + Reconnect Повторно подключиться - - + + Request Запрос - + Message ID ID сообщения - + Machine ID ID машины - + Data Данные - + Message Сообщение - + Data Request Запрос данных - - + + Node Узел @@ -12597,17 +12675,6 @@ When Keyboard Shortcuts are OFF adds a custom event g г - - - - - - - - - Weight - Вес - @@ -12615,25 +12682,6 @@ When Keyboard Shortcuts are OFF adds a custom event Volume Объем - - - - - - - - Green - Зеленый - - - - - - - - Roasted - Жареный - @@ -12684,31 +12732,16 @@ When Keyboard Shortcuts are OFF adds a custom event Дата - + Batch Партия - - - - - - Beans - Кофейные бобы - % % - - - - - Density - Плотность - Screen @@ -12724,13 +12757,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ground Земля - - - - - Moisture - Влага - @@ -12743,22 +12769,6 @@ When Keyboard Shortcuts are OFF adds a custom event Ambient Conditions Условия окружающей среды - - - - - - Roasting Notes - Заметки по обжарке - - - - - - - Cupping Notes - Примечания к банкам - Ambient Source @@ -12780,140 +12790,140 @@ When Keyboard Shortcuts are OFF adds a custom event Смешивать - + Template Шаблон - + Results in Результаты в - + Rating Рейтинг - + Pressure % Давление % - + Electric Energy Mix: Смесь электрической энергии: - + Renewable Возобновляемый - - + + Pre-Heating Предварительный нагрев - - + + Between Batches Между партиями - - + + Cooling Охлаждение - + Between Batches after Pre-Heating Между партиями после предварительного нагрева - + (mm:ss) (мм: сс) - + Duration Продолжительность - + Measured Energy or Output % Измеренная энергия или выход% - - + + Preheat Разогреть - - + + BBP ББП - - - - + + + + Roast Жарить - - + + per kg green coffee за кг зеленого кофе - + Load Загрузка - + Organization Организация - + Operator Оператор - + Machine Машина - + Model Модель - + Heating Обогрев - + Drum Speed Скорость барабана - + organic material органический материал @@ -13237,12 +13247,6 @@ LCDs All Roaster Ростер - - - - Cupping Score - Рейтинг чашек - Max characters per line @@ -13322,7 +13326,7 @@ LCDs All Цвет края (RGBA) - + roasted жареные @@ -13469,22 +13473,22 @@ LCDs All - + ln() ln () - - + + x Икс - - + + Bkgnd БКНД @@ -13633,99 +13637,99 @@ LCDs All Загрузить бобы - + /m - + greens зеленые - - - + + + STOP ОСТАНАВЛИВАТЬСЯ - - + + OPEN ОТКРЫТЬ - - - + + + CLOSE ЗАКРЫВАТЬ - - + + AUTO АВТО - - - + + + MANUAL РУКОВОДСТВО - + STIRRER МЕШАЛКА - + FILL НАПОЛНЯТЬ - + RELEASE ВЫПУСКАТЬ - + HEATING ОБОГРЕВ - + COOLING ОХЛАЖДЕНИЕ - + RMSE BT RMSE БТ - + MSE BT МСЭ БТ - + RoR РоР - + @FCs @ФК - + Max+/Max- RoR Макс + / Макс- RoR @@ -14051,11 +14055,6 @@ LCDs All Aspect Ratio Соотношение сторон - - - Score - Счет - RPM Об / мин @@ -14345,6 +14344,12 @@ LCDs All Menu + + + + Schedule + План + @@ -14801,12 +14806,6 @@ LCDs All Sliders Слайдеры - - - - Schedule - План - Full Screen @@ -14923,6 +14922,53 @@ LCDs All Message + + + Scheduler started + Планировщик запущен + + + + Scheduler stopped + Планировщик остановлен + + + + + + + Warning + Предупреждение + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Завершенные обжарки не будут корректировать расписание, пока окно расписания закрыто. + + + + + 1 batch + 1 партия + + + + + + + {} batches + {} пакетов + + + + Updating completed roast properties failed + Не удалось обновить завершенные свойства обжарки. + + + + Fetching completed roast properties failed + Не удалось получить готовые свойства обжарки. + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15483,20 +15529,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied Отказано в доступе по Bluetooth - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Настройки последовательного порта: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15530,50 +15576,50 @@ Repeat Operation at the end: {0} Чтение фонового профиля... - + Event table copied to clipboard Таблица событий скопирована в буфер обмена - + The 0% value must be less than the 100% value. Значение 0% должно быть меньше значения 100%. - - + + Alarms from events #{0} created Тревоги из событий #{0} созданы - - + + No events found Нет найдено событие - + Event #{0} added Добавлено событие №{0} - + No profile found Профиль не найден - + Events #{0} deleted События #{0} удалены - + Event #{0} deleted Событие № {0} удалено - + Roast properties updated but profile not saved to disk Свойства обжарки обновляются, но профиль не сохраняется на диск @@ -15588,7 +15634,7 @@ Repeat Operation at the end: {0} MODBUS отключен - + Connected via MODBUS Подключен через MODBUS @@ -15755,27 +15801,19 @@ Repeat Operation at the end: {0} Sampling Выборка - - - - - - Warning - Предупреждение - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Плотный интервал выборки может привести к нестабильности на некоторых машинах. Мы рекомендуем не менее 1c. - + Incompatible variables found in %s Несовместимые переменные найдены в %s - + Assignment problem Проблема назначения @@ -15869,8 +15907,8 @@ Repeat Operation at the end: {0} следовать - - + + Save Statistics Сохранить статистику @@ -16032,19 +16070,19 @@ To keep it free and current please support us with your donation and subscribe t Artisan настроен для {0} - + Load theme {0}? Загрузить тему {0}? - + Adjust Theme Related Settings Настройка параметров, связанных с темой - + Loaded theme {0} Загруженная тема {0} @@ -16055,8 +16093,8 @@ To keep it free and current please support us with your donation and subscribe t Обнаружена цветовая пара, которую может быть трудно увидеть: - - + + Simulator started @{}x Симулятор запущен @{}x @@ -16107,14 +16145,14 @@ To keep it free and current please support us with your donation and subscribe t автоDROP выкл. - + PID set to OFF ПИД-регулятор выключен - + PID set to ON @@ -16334,7 +16372,7 @@ To keep it free and current please support us with your donation and subscribe t {0} сохранено. Началась новая обжарка - + Invalid artisan format @@ -16399,10 +16437,10 @@ It is advisable to save your current settings beforehand via menu Help >> Профиль сохранен - - - - + + + + @@ -16494,347 +16532,347 @@ It is advisable to save your current settings beforehand via menu Help >> Загрузить настройки отменено - - + + Statistics Saved Статистика сохранена - + No statistics found Статистика не найдена - + Excel Production Report exported to {0} Производственный отчет Excel экспортирован в {0} - + Ranking Report Отчет о рейтинге - + Ranking graphs are only generated up to {0} profiles Графики ранжирования создаются только для профилей до {0} - + Profile missing DRY event В профиле отсутствует событие DRY - + Profile missing phase events События пропущенной фазы профиля - + CSV Ranking Report exported to {0} Отчет о рейтинге в формате CSV экспортирован в {0} - + Excel Ranking Report exported to {0} Отчет о рейтинге Excel экспортирован в {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Весы Bluetooth не могут быть подключены, пока разрешение для Artisan на доступ Bluetooth отклонено - + Bluetooth access denied Доступ по Bluetooth запрещен - + Hottop control turned off Управление хоттопом отключено - + Hottop control turned on Включено управление хоттопом - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Чтобы управлять Hottop, вам нужно сначала активировать режим суперпользователя, щелкнув правой кнопкой мыши на ЖК-дисплее таймера! - - + + Settings not found Настройки не найдены - + artisan-settings ремесленные настройки - + Save Settings Сохранить настройки - + Settings saved Настройки сохранены - + artisan-theme ремесленник-тема - + Save Theme Сохранить тему - + Theme saved Тема сохранена - + Load Theme Загрузить тему - + Theme loaded Тема загружена - + Background profile removed Фоновый профиль удален - + Alarm Config Конфиг сигнализации - + Alarms are not available for device None Сигналы недоступны для устройства None - + Switching the language needs a restart. Restart now? Для переключения языка требуется перезагрузка. Перезагрузить сейчас? - + Restart Перезапуск - + Import K202 CSV Импорт K202 CSV - + K202 file loaded successfully Файл K202 успешно загружен - + Import K204 CSV Импорт K204 CSV - + K204 file loaded successfully Файл K204 успешно загружен - + Import Probat Recipe Импорт рецепта Probat - + Probat Pilot data imported successfully Данные Probat Pilot успешно импортированы - + Import Probat Pilot failed Не удалось импортировать пилотную версию Probat - - + + {0} imported {0} импортировано - + an error occurred on importing {0} произошла ошибка при импорте {0} - + Import Cropster XLS Импорт Cropster XLS - + Import RoastLog URL URL-адрес импорта RoastLog - + Import RoastPATH URL Импорт URL-адреса RoastPATH - + Import Giesen CSV Импорт Гизена в формате CSV - + Import Petroncini CSV Импорт Петрончини в формате CSV - + Import IKAWA URL Импорт URL-адреса IKAWA - + Import IKAWA CSV Импорт ИКАВА CSV - + Import Loring CSV Импорт Loring CSV - + Import Rubasse CSV Импорт Rubasse CSV - + Import HH506RA CSV Импорт HH506RA CSV - + HH506RA file loaded successfully Файл HH506RA успешно загружен - + Save Graph as Сохранить график как - + {0} size({1},{2}) saved Размер {0}({1},{2}) сохранен - + Save Graph as PDF Сохранить График как PDF - + Save Graph as SVG Сохранить график в SVG - + {0} saved {0} сохранено - + Wheel {0} loaded Колесо {0} загружено - + Invalid Wheel graph format Недопустимый формат графика колеса - + Buttons copied to Palette # Кнопки скопированы в палитру # - + Palette #%i restored Палитра #%i восстановлена - + Palette #%i empty Палитра #%i пуста - + Save Palettes Сохранение палитры - + Palettes saved Палитры сохраняются - + Palettes loaded Палитры загружаются - + Invalid palettes file format Недопустимый формат файла палитры - + Alarms loaded Сигнализация загружена - + Fitting curves... Подгонка кривых... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Предупреждение: начало интересующего интервала анализа предшествует началу подбора кривой. Исправьте это на вкладке Config>Curves>Analyze. - + Analysis earlier than Curve fit Анализ до подбора кривой - + Simulator stopped Симулятор остановлен - + debug logging ON Включение ведения журнала отладки @@ -17488,45 +17526,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Фон профиля не найден - - - Scheduler started - Планировщик запущен - - - - Scheduler stopped - Планировщик остановлен - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Завершенные обжарки не будут корректировать расписание, пока окно расписания закрыто. - - - - - 1 batch - 1 партия - - - - - - - {} batches - {} пакетов - - - - Updating completed roast properties failed - Не удалось обновить завершенные свойства обжарки. - - - - Fetching completed roast properties failed - Не удалось получить готовые свойства обжарки. - Event # {0} recorded at BT = {1} Time = {2} Событие № {0} записано в BT = {1} Время = {2} @@ -17832,51 +17831,6 @@ Continue? Plus - - - debug logging ON - Включение ведения журнала отладки - - - - debug logging OFF - Отладка отключена - - - - 1 day left - остался 1 день - - - - {} days left - Осталось {} дн. - - - - Paid until - Выплачено до - - - - Please visit our {0}shop{1} to extend your subscription - Посетите наш {0} магазин {1}, чтобы продлить подписку. - - - - Do you want to extend your subscription? - Хотите продлить подписку? - - - - Your subscription ends on - Ваша подписка заканчивается - - - - Your subscription ended on - Ваша подписка закончилась - Roast successfully upload to {} @@ -18066,6 +18020,51 @@ Continue? Remember Помнить + + + debug logging ON + Включение ведения журнала отладки + + + + debug logging OFF + Отладка отключена + + + + 1 day left + остался 1 день + + + + {} days left + Осталось {} дн. + + + + Paid until + Выплачено до + + + + Please visit our {0}shop{1} to extend your subscription + Посетите наш {0} магазин {1}, чтобы продлить подписку. + + + + Do you want to extend your subscription? + Хотите продлить подписку? + + + + Your subscription ends on + Ваша подписка заканчивается + + + + Your subscription ended on + Ваша подписка закончилась + ({} of {} done) ({} из {} выполнено) @@ -18224,10 +18223,10 @@ Continue? - - - - + + + + Roaster Scope Область обжарки @@ -18622,6 +18621,16 @@ Continue? Tab + + + To-Do + Делать + + + + Completed + Завершенный + @@ -18654,7 +18663,7 @@ Continue? Установить RS - + Extra @@ -18703,32 +18712,32 @@ Continue? - + ET/BT ET / BT - + Modbus Модбус - + S7 - + Scale Масштаб - + Color Цвет - + WebSocket Вебсокет @@ -18765,17 +18774,17 @@ Continue? Настраивать - + Details Подробности - + Loads Нагрузки - + Protocol Протокол @@ -18860,16 +18869,6 @@ Continue? LCDs ЖК-дисплеи - - - To-Do - Делать - - - - Completed - Завершенный - Done Сделанный @@ -19004,7 +19003,7 @@ Continue? - + @@ -19024,7 +19023,7 @@ Continue? Замочить ЧЧ: ММ - + @@ -19034,7 +19033,7 @@ Continue? - + @@ -19058,37 +19057,37 @@ Continue? - + Device Устройство - + Comm Port Коммуникационный порт - + Baud Rate Скорость передачи - + Byte Size Размер байта - + Parity Паритет - + Stopbits Стоп-биты - + Timeout Тайм-аут @@ -19096,16 +19095,16 @@ Continue? - - + + Time Время - - + + @@ -19114,8 +19113,8 @@ Continue? - - + + @@ -19124,104 +19123,104 @@ Continue? - + CHARGE ЗАГРУЗКА БОБОВ - + DRY END КОНЕЦ СУШКИ - + FC START FC СТАРТ - + FC END FC КОНЕЦ - + SC START SC СТАРТ - + SC END SC КОНЕЦ - + DROP СБРОС БОБОВ - + COOL ОХЛАЖДЕНИЕ - + #{0} {1}{2} # {0} {1} {2} - + Power Мощность - + Duration Продолжительность - + CO2 СО2 - + Load Загрузка - + Source Источник - + Kind Своего рода - + Name Название - + Weight Вес @@ -20166,7 +20165,7 @@ initiated by the PID - + @@ -20187,7 +20186,7 @@ initiated by the PID - + Show help Показать справку @@ -20341,20 +20340,24 @@ has to be reduced by 4 times. Запускайте действие выборки синхронно ({}) в каждом интервале выборки или выберите повторяющийся временной интервал, чтобы выполнять его асинхронно во время выборки. - + OFF Action String ВЫКЛ Строка действия - + ON Action String Строка действия ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Дополнительная задержка после подключения в секундах перед отправкой запросов (необходима для перезапуска устройств Arduino при подключении) + + + Extra delay in Milliseconds between MODBUS Serial commands Дополнительная задержка в миллисекундах между командами MODBUS Serial @@ -20370,12 +20373,7 @@ has to be reduced by 4 times. Сканировать MODBUS - - Reset socket connection on error - Сбросить подключение к сокету при ошибке - - - + Scan S7 Сканирование S7 @@ -20391,7 +20389,7 @@ has to be reduced by 4 times. Только для загруженных фонов с дополнительными устройствами - + The maximum nominal batch size of the machine in kg Максимальный номинальный размер партии машины в кг @@ -20825,32 +20823,32 @@ Currently in TEMP MODE В настоящее время в ТЕМПЕРАТУРНОМ РЕЖИМЕ - + <b>Label</b>= <b>Ярлык</b>= - + <b>Description </b>= <b>Описание </b>= - + <b>Type </b>= <b>Тип </b>= - + <b>Value </b>= <b>Значение </b>= - + <b>Documentation </b>= <b>Документация </b>= - + <b>Button# </b>= <b>Кнопка# </b>= @@ -20934,6 +20932,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white Устанавливает цвета кнопок в оттенки серого, а цвета ЖК-дисплея — в черно-белые. + + Reset socket connection on error + Сбросить подключение к сокету при ошибке + Action String Строка действия diff --git a/src/translations/artisan_sk.qm b/src/translations/artisan_sk.qm index b6369cd44..9d5664552 100644 Binary files a/src/translations/artisan_sk.qm and b/src/translations/artisan_sk.qm differ diff --git a/src/translations/artisan_sk.ts b/src/translations/artisan_sk.ts index e3aafa2d8..cba9db3c2 100644 --- a/src/translations/artisan_sk.ts +++ b/src/translations/artisan_sk.ts @@ -9,57 +9,57 @@ Uvoľnite sponzora - + About O - + Core Developers Hlavní vývojári - + License Licencia - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Pri načítaní informácií o najnovšej verzii sa vyskytol problém. Skontrolujte svoje internetové pripojenie, skúste to znova neskôr alebo skontrolujte manuálne. - + A new release is available. K dispozícii je nové vydanie. - + Show Change list Zobraziť zoznam zmien - + Download Release Stiahnutie vydania - + You are using the latest release. Používate najnovšie vydanie. - + You are using a beta continuous build. Používate nepretržité zostavovanie verzie beta. - + You will see a notice here once a new official release is available. Až bude k dispozícii nové oficiálne vydanie, uvidíte tu oznámenie. - + Update status Aktualizovať stav @@ -211,14 +211,34 @@ Button + + + + + + + + + OK + Ok + + + + + + + + Cancel + Zrušiť + - - - - + + + + Restore Defaults @@ -246,7 +266,7 @@ - + @@ -274,7 +294,7 @@ - + @@ -332,17 +352,6 @@ Save Uložiť - - - - - - - - - OK - Ok - On @@ -555,15 +564,6 @@ Write PIDs Napíšte PID - - - - - - - Cancel - Zrušiť - Set ET PID to MM:SS time units @@ -582,8 +582,8 @@ - - + + @@ -603,7 +603,7 @@ - + @@ -643,7 +643,7 @@ Štart - + Scan Skenovať @@ -728,9 +728,9 @@ aktualizovať - - - + + + Save Defaults Uložiť predvolené hodnoty @@ -1379,12 +1379,12 @@ KONIEC Plavák - + START on CHARGE ZAČNITE NABÍJAŤ - + OFF on DROP VYPNUTÉ pri poklese @@ -1456,61 +1456,61 @@ KONIEC Zobraziť vždy - + Heavy FC Ťažký FC - + Low FC Nízka FC - + Light Cut Ľahký rez - + Dark Cut Tmavý rez - + Drops Kvapky - + Oily Mastný - + Uneven Nerovnomerne - + Tipping Sklápací - + Scorching Spaľujúci - + Divots Divoty @@ -2274,14 +2274,14 @@ KONIEC - + ET - + BT @@ -2304,24 +2304,19 @@ KONIEC slov - + optimize optimalizovať - + fetch full blocks načítať celé bloky - - reset - resetovať - - - + compression kompresia @@ -2507,6 +2502,10 @@ KONIEC Elec + + reset + resetovať + Title Názov @@ -2586,6 +2585,16 @@ KONIEC Contextual Menu + + + All batches prepared + Všetky šarže pripravené + + + + No batch prepared + Nie je pripravená žiadna dávka + Add point @@ -2631,16 +2640,6 @@ KONIEC Edit Upraviť - - - All batches prepared - Všetky šarže pripravené - - - - No batch prepared - Nie je pripravená žiadna dávka - Countries @@ -3975,20 +3974,20 @@ KONIEC Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4081,42 +4080,42 @@ KONIEC - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4185,10 +4184,10 @@ KONIEC - - - - + + + + @@ -4386,12 +4385,12 @@ KONIEC - - - - - - + + + + + + @@ -4400,17 +4399,17 @@ KONIEC Chyba hodnoty: - + Serial Exception: invalid comm port Sériová výnimka: neplatný komunikačný port - + Serial Exception: timeout Sériová výnimka: časový limit - + Unable to move CHARGE to a value that does not exist Nie je možné presunúť CHARGE na hodnotu, ktorá neexistuje @@ -4420,30 +4419,30 @@ KONIEC Komunikácia Modbus obnovená - + Modbus Error: failed to connect Chyba Modbus: nepodarilo sa pripojiť - - - - - - - - - + + + + + + + + + Modbus Error: Chyba Modbus: - - - - - - + + + + + + Modbus Communication Error Chyba komunikácie Modbus @@ -4527,52 +4526,52 @@ KONIEC Výnimka: {} nie je platný súbor nastavení - - - - - + + + + + Error Chyba - + Exception: WebLCDs not supported by this build Výnimka: WebLCD nie sú podporované touto zostavou - + Could not start WebLCDs. Selected port might be busy. Nepodarilo sa spustiť WebLCD. Vybraný port môže byť zaneprázdnený. - + Failed to save settings Nastavenia sa nepodarilo uložiť - - + + Exception (probably due to an empty profile): Výnimka (pravdepodobne kvôli prázdnemu profilu): - + Analyze: CHARGE event required, none found Analýza: Vyžaduje sa udalosť CHARGE, žiadna sa nenašla - + Analyze: DROP event required, none found Analýza: Vyžaduje sa udalosť DROP, žiadna sa nenašla - + Analyze: no background profile data available Analyzovať: nie sú k dispozícii žiadne údaje profilu na pozadí - + Analyze: background profile requires CHARGE and DROP events Analýza: profil na pozadí vyžaduje udalosti CHARGE a DROP @@ -4612,6 +4611,12 @@ KONIEC Form Caption + + + + Custom Blend + Vlastná zmes + Axes @@ -4746,12 +4751,12 @@ KONIEC Konfigurácia portov - + MODBUS Help Pomocník MODBUS - + S7 Help Pomocník S7 @@ -4771,23 +4776,17 @@ KONIEC Vlastnosti pečienky - - - Custom Blend - Vlastná zmes - - - + Energy Help Energetická pomoc - + Tare Setup Nastavenie tarovania - + Set Measure from Profile Nastaviť mieru z profilu @@ -4997,27 +4996,27 @@ KONIEC Zvládanie - + Registers Registre - - + + Commands Príkazy - + PID - + Serial Sériové @@ -5028,37 +5027,37 @@ KONIEC - + Input Vstup - + Machine Stroj - + Timeout Čas vypršal - + Nodes Uzly - + Messages Správy - + Flags Vlajky - + Events Diania @@ -5070,14 +5069,14 @@ KONIEC - + Energy Energie - + CO2 @@ -5313,14 +5312,14 @@ KONIEC HTML Report Template - + BBP Total Time Celkový čas BBP - + BBP Bottom Temp Spodná teplota BBP @@ -5337,849 +5336,849 @@ KONIEC - + Whole Color Celá farba - - + + Profile Profil - + Roast Batches Pečené dávky - - - + + + Batch Šarža - - + + Date Dátum - - - + + + Beans Fazuľa - - - + + + In - - + + Out Von - - - + + + Loss Strata - - + + SUM - + Production Report Správa o výrobe - - + + Time Čas - - + + Weight In Hmotnosť In - - + + CHARGE BT NABÍJAŤ BT - - + + FCs Time Čas FC - - + + FCs BT - - + + DROP Time Čas DROP - - + + DROP BT - + Dry Percent Suché percento - + MAI Percent Percento MAI - + Dev Percent - - + + AUC - - + + Weight Loss Strata váhy - - + + Color Farba - + Cupping Bankovanie - + Roaster Pražiareň - + Capacity Kapacita - + Operator Prevádzkovateľ - + Organization Organizácia - + Drum Speed Rýchlosť bubna - + Ground Color Základná farba - + Color System Systém farieb - + Screen Min Obrazovka min - + Screen Max Obrazovka Max - + Bean Temp - + CHARGE ET - + TP Time Čas TP - + TP ET - + TP BT - + DRY Time SUCHÝ čas - + DRY ET - + DRY BT - + FCs ET - + FCe Time FCe čas - + FCe ET - + FCe BT - + SCs Time Čas SC - + SCs ET SC ET - + SCs BT SC BT - + SCe Time Čas SCe - + SCe ET - + SCe BT - + DROP ET - + COOL Time COOL čas - + COOL ET - + COOL BT - + Total Time Celkový čas - + Dry Phase Time Čas suchej fázy - + Mid Phase Time Stredná fáza - + Finish Phase Time Čas dokončenia fázy - + Dry Phase RoR Suchá fáza RoR - + Mid Phase RoR Stredná fáza RoR - + Finish Phase RoR Dokončiť fázu RoR - + Dry Phase Delta BT Suchá fáza Delta BT - + Mid Phase Delta BT Stredná fáza Delta BT - + Finish Phase Delta BT - + Finish Phase Rise - + Total RoR Celková RoR - + FCs RoR - + MET - + AUC Begin Začiatok AUC - + AUC Base Základňa AUC - + Dry Phase AUC AUC suchej fázy - + Mid Phase AUC Stredná fáza AUC - + Finish Phase AUC AUC koncovej fázy - + Weight Out Hmotnosť Out - + Volume In - + Volume Out - + Volume Gain Zosilnenie objemu - + Green Density Zelená hustota - + Roasted Density Pražená hustota - + Moisture Greens Vlhké zelené - + Moisture Roasted Vlhkosť pražená - + Moisture Loss Strata vlhkosti - + Organic Loss Organické straty - + Ambient Humidity Okolitá vlhkosť - + Ambient Pressure Okolitý tlak - + Ambient Temperature Teplota okolia - - + + Roasting Notes Poznámky k praženiu - - + + Cupping Notes Bankové poznámky - + Heavy FC Ťažký FC - + Low FC Nízka FC - + Light Cut Ľahký rez - + Dark Cut Tmavý rez - + Drops Kvapky - + Oily Mastný - + Uneven Nerovnomerne - + Tipping Sklápací - + Scorching Spaľujúci - + Divots Divoty - + Mode Režim - + BTU Batch Dávka BTU - + BTU Batch per green kg BTU Dávka na zelený kg - + CO2 Batch Dávka CO2 - + BTU Preheat Predhrievanie BTU - + CO2 Preheat Predhrievanie CO2 - + BTU BBP - + CO2 BBP - + BTU Cooling BTU chladenie - + CO2 Cooling Chladenie CO2 - + BTU Roast BTU pečienka - + BTU Roast per green kg BTU praženie na zelený kg - + CO2 Roast Opekanie CO2 - + CO2 Batch per green kg Dávka CO2 na zelený kg - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Dávka účinnosti - + Efficiency Roast Účinnosť pečenia - + BBP Begin Začiatok BBP - + BBP Begin to Bottom Time - + BBP Bottom to CHARGE Time BBP Dolný čas do CHARGE - + BBP Begin to Bottom RoR - + BBP Bottom to CHARGE RoR BBP Spodná do CHARGE RoR - + File Name Názov súboru - + Roast Ranking Rebríček pečienok - + Ranking Report Správa o hodnotení - + AVG - + Roasting Report Správa o pražení - + Date: Dátum: - + Beans: fazuľa: - + Weight: Hmotnosť: - + Volume: Objem: - + Roaster: Pražič: - + Operator: operátor: - + Organization: Organizácia: - + Cupping: Baňkovanie: - + Color: Farba: - + Energy: Energia: - + CO2: - + CHARGE: NABÍJAŤ: - + Size: Veľkosť: - + Density: Hustota: - + Moisture: vlhkosť: - + Ambient: Okolité prostredie: - + TP: - + DRY: SUCHÉ: - + FCs: FC: - + FCe: - + SCs: SC: - + SCe: - + DROP: POKLES: - + COOL: - + MET: - + CM: - + Drying: Sušenie: - + Maillard: - + Finishing: Dokončenie: - + Cooling: Chladenie: - + Background: Pozadie: - + Alarms: Budíky: - + RoR: - + AUC: - + Events Diania @@ -11204,6 +11203,92 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Label + + + + + + + + + Weight + Váha + + + + + + + Beans + Fazuľa + + + + + + Density + Hustota + + + + + + Color + Farba + + + + + + Moisture + Vlhkosť + + + + + + + Roasting Notes + Poznámky k praženiu + + + + Score + skóre + + + + + Cupping Score + Pohárové skóre + + + + + + + Cupping Notes + Bankové poznámky + + + + + + + + Roasted + Pečené + + + + + + + + + Green + zelená + @@ -11308,7 +11393,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11327,7 +11412,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11343,7 +11428,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11362,7 +11447,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11389,7 +11474,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11421,7 +11506,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + DRY SUCHÉ @@ -11438,7 +11523,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + FCs FC @@ -11446,7 +11531,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + FCe @@ -11454,7 +11539,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + SCs SC @@ -11462,7 +11547,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + SCe @@ -11475,7 +11560,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11490,10 +11575,10 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť / min - - - - + + + + @@ -11501,8 +11586,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť ZAP - - + + @@ -11516,8 +11601,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Cyklus - - + + Input Vstup @@ -11551,7 +11636,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + @@ -11568,8 +11653,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - - + + Mode @@ -11631,7 +11716,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + Label @@ -11756,21 +11841,21 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + P - + I Ja - + D @@ -11832,13 +11917,6 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Markers Značkovače - - - - - Color - Farba - Text Color @@ -11869,9 +11947,9 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Veľkosť - - + + @@ -11909,8 +11987,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - - + + Event @@ -11923,7 +12001,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Akcia - + Command Velenie @@ -11935,7 +12013,7 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Ofset - + Factor @@ -11952,14 +12030,14 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Tepl - + Unit Jednotka - + Source Zdroj @@ -11970,10 +12048,10 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Klaster - - - + + + OFF @@ -12024,15 +12102,15 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Registrovať - - + + Area Oblasť - - + + DB# DB # @@ -12040,54 +12118,54 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - + Start Štart - - + + Comm Port Komunikačný port - - + + Baud Rate Prenosová rýchlosť - - + + Byte Size Veľkosť bajtu - - + + Parity Parita - - + + Stopbits Stopky - - + + @@ -12124,8 +12202,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - - + + Type Typ @@ -12135,8 +12213,8 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - - + + Host Hostiteľ @@ -12147,20 +12225,20 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť - - + + Port Prístav - + SV Factor SV faktor - + pid Factor pid faktor @@ -12182,75 +12260,75 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Prísne - - + + Device Zariadenie - + Rack - + Slot - + Path Cesta - + ID - + Connect Pripojte sa - + Reconnect Znova sa pripojte - - + + Request Žiadosť - + Message ID ID správy - + Machine ID ID stroja - + Data Údaje - + Message Správa - + Data Request Žiadosť o údaje - - + + Node Uzol @@ -12312,17 +12390,6 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť g - - - - - - - - - Weight - Váha - @@ -12330,25 +12397,6 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Volume Objem - - - - - - - - Green - zelená - - - - - - - - Roasted - Pečené - @@ -12399,31 +12447,16 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Dátum - + Batch Šarža - - - - - - Beans - Fazuľa - % - - - - - Density - Hustota - Screen @@ -12439,13 +12472,6 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Ground Uzemnenie - - - - - Moisture - Vlhkosť - @@ -12458,22 +12484,6 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Ambient Conditions Okolité podmienky - - - - - - Roasting Notes - Poznámky k praženiu - - - - - - - Cupping Notes - Bankové poznámky - Ambient Source @@ -12495,140 +12505,140 @@ Keď sú klávesové skratky VYPNUTÉ, pridá sa vlastná udalosť Zmes - + Template Šablóna - + Results in Výsledky v - + Rating Hodnotenie - + Pressure % Tlak% - + Electric Energy Mix: Mix elektrickej energie: - + Renewable Obnoviteľné - - + + Pre-Heating Predhrievanie - - + + Between Batches Medzi dávkami - - + + Cooling Chladenie - + Between Batches after Pre-Heating Medzi dávkami po predhriatí - + (mm:ss) (mm: ss) - + Duration Trvanie - + Measured Energy or Output % Nameraná energia alebo výstup% - - + + Preheat Predhrejte - - + + BBP - - - - + + + + Roast Praženicu - - + + per kg green coffee na kg zelenej kávy - + Load Naložiť - + Organization Organizácia - + Operator Prevádzkovateľ - + Machine Stroj - + Model - + Heating Kúrenie - + Drum Speed Rýchlosť bubna - + organic material organický materiál @@ -12952,12 +12962,6 @@ LCD všetky Roaster Pražiareň - - - - Cupping Score - Pohárové skóre - Max characters per line @@ -13037,7 +13041,7 @@ LCD všetky Farba okraja (RGBA) - + roasted pražené @@ -13184,22 +13188,22 @@ LCD všetky - + ln() ln () - - + + x X - - + + Bkgnd @@ -13348,99 +13352,99 @@ LCD všetky Nabite fazuľu - + /m / m - + greens zelené - - - + + + STOP - - + + OPEN OTVORENÉ - - - + + + CLOSE ZAVRIEŤ - - + + AUTO AUTOMATICKY - - - + + + MANUAL MANUÁLNY - + STIRRER MIEŠAŤ - + FILL VYPLNIŤ - + RELEASE UVOĽNIŤ - + HEATING KÚRENIE - + COOLING CHLADENIE - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -13766,11 +13770,6 @@ LCD všetky Aspect Ratio Pomer strán - - - Score - skóre - Coarse Hrubé @@ -13963,6 +13962,12 @@ LCD všetky Menu + + + + Schedule + Plán + @@ -14419,12 +14424,6 @@ LCD všetky Sliders Posúvače - - - - Schedule - Plán - Full Screen @@ -14529,6 +14528,53 @@ LCD všetky Message + + + Scheduler started + Plánovač sa spustil + + + + Scheduler stopped + Plánovač sa zastavil + + + + + + + Warning + POZOR + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Dokončené pečenie neupravia plán, kým je okno plánu zatvorené + + + + + 1 batch + 1 várka + + + + + + + {} batches + {} šarží + + + + Updating completed roast properties failed + Aktualizácia dokončených vlastností praženia zlyhala + + + + Fetching completed roast properties failed + Načítanie dokončených vlastností pečenia zlyhalo + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15089,20 +15135,20 @@ Opakujte operáciu na konci: {0} - + Bluetootooth access denied Prístup cez Bluetooth bol odmietnutý - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Nastavenia sériového portu: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15136,50 +15182,50 @@ Opakujte operáciu na konci: {0} Číta sa profil na pozadí... - + Event table copied to clipboard Tabuľka udalostí bola skopírovaná do schránky - + The 0% value must be less than the 100% value. Hodnota 0 % musí byť menšia ako hodnota 100 %. - - + + Alarms from events #{0} created Boli vytvorené budíky z udalostí č. {0} - - + + No events found Nenašli sa žiadne udalosti - + Event #{0} added Udalosť č. {0} bola pridaná - + No profile found Nenašiel sa žiadny profil - + Events #{0} deleted Udalosti č. {0} boli odstránené - + Event #{0} deleted Udalosť č. {0} bola odstránená - + Roast properties updated but profile not saved to disk Vlastnosti praženia boli aktualizované, ale profil sa neuložil na disk @@ -15194,7 +15240,7 @@ Opakujte operáciu na konci: {0} MODBUS je odpojený - + Connected via MODBUS Pripojené cez MODBUS @@ -15361,27 +15407,19 @@ Opakujte operáciu na konci: {0} Sampling Vzorkovanie - - - - - - Warning - POZOR - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Krátky interval vzorkovania môže na niektorých strojoch viesť k nestabilite. Odporúčame minimálne 1s. - + Incompatible variables found in %s V %s sa našli nekompatibilné premenné - + Assignment problem Problém s priradením @@ -15475,8 +15513,8 @@ Opakujte operáciu na konci: {0} nasledovať - - + + Save Statistics Uložiť štatistiku @@ -15638,19 +15676,19 @@ Ak chcete, aby bol bezplatný a aktuálny, podporte nás svojím darom a prihlá Artisan nakonfigurovaný pre {0} - + Load theme {0}? Načítať motív {0}? - + Adjust Theme Related Settings Upravte nastavenia súvisiace s témou - + Loaded theme {0} Načítaný motív {0} @@ -15661,8 +15699,8 @@ Ak chcete, aby bol bezplatný a aktuálny, podporte nás svojím darom a prihlá Zistil sa pár farieb, ktorý môže byť ťažko viditeľný: - - + + Simulator started @{}x Simulátor sa spustil @{}x @@ -15713,14 +15751,14 @@ Ak chcete, aby bol bezplatný a aktuálny, podporte nás svojím darom a prihlá autoDROP vypnuté - + PID set to OFF PID nastavený na OFF - + PID set to ON @@ -15940,7 +15978,7 @@ Ak chcete, aby bol bezplatný a aktuálny, podporte nás svojím darom a prihlá {0} bol uložený. Začalo sa nové pečenie - + Invalid artisan format @@ -16005,10 +16043,10 @@ Odporúča sa vopred uložiť vaše aktuálne nastavenia prostredníctvom ponuky Profil bol uložený - - - - + + + + @@ -16100,347 +16138,347 @@ Odporúča sa vopred uložiť vaše aktuálne nastavenia prostredníctvom ponuky Načítanie nastavení bolo zrušené - - + + Statistics Saved Štatistika bola uložená - + No statistics found Nenašli sa žiadne štatistiky - + Excel Production Report exported to {0} Správa o produkcii programu Excel bola exportovaná do {0} - + Ranking Report Správa o hodnotení - + Ranking graphs are only generated up to {0} profiles Hodnotiace grafy sa generujú len do {0} profilov - + Profile missing DRY event V profile chýba udalosť DRY - + Profile missing phase events V profile chýbajú udalosti fázy - + CSV Ranking Report exported to {0} Prehľad hodnotenia CSV bol exportovaný do {0} - + Excel Ranking Report exported to {0} Prehľad hodnotenia Excelu bol exportovaný do {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Váhu Bluetooth nie je možné pripojiť, kým je zamietnuté povolenie pre Artisan na prístup k Bluetooth - + Bluetooth access denied Prístup cez Bluetooth bol odmietnutý - + Hottop control turned off Ovládanie horúcej dosky je vypnuté - + Hottop control turned on Ovládanie horúcej dosky je zapnuté - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Ak chcete ovládať hottop, musíte najskôr aktivovať režim superužívateľa kliknutím pravým tlačidlom myši na LCD časovača! - - + + Settings not found Nastavenia sa nenašli - + artisan-settings remeselníckych nastavení - + Save Settings Uložiť nastavenia - + Settings saved Nastavenia boli uložené - + artisan-theme remeselnícky motív - + Save Theme Uložiť tému - + Theme saved Téma bola uložená - + Load Theme Načítať tému - + Theme loaded Téma načítaná - + Background profile removed Profil na pozadí bol odstránený - + Alarm Config - + Alarms are not available for device None Alarmy nie sú dostupné pre zariadenie Žiadne - + Switching the language needs a restart. Restart now? Prepnutie jazyka vyžaduje reštart. Reštartuj teraz? - + Restart Reštart - + Import K202 CSV Importovať K202 CSV - + K202 file loaded successfully Súbor K202 sa úspešne načítal - + Import K204 CSV Importovať K204 CSV - + K204 file loaded successfully Súbor K204 sa úspešne načítal - + Import Probat Recipe Importujte recept Probat - + Probat Pilot data imported successfully Údaje Probat Pilot boli úspešne importované - + Import Probat Pilot failed Import Probat Pilot zlyhal - - + + {0} imported Importované: {0} - + an error occurred on importing {0} pri importovaní {0} sa vyskytla chyba - + Import Cropster XLS Importujte Cropster XLS - + Import RoastLog URL Importujte webovú adresu RoastLog - + Import RoastPATH URL Importovať adresu URL RoastPATH - + Import Giesen CSV Importovať Giesen CSV - + Import Petroncini CSV - + Import IKAWA URL Importujte adresu URL IKAWA - + Import IKAWA CSV - + Import Loring CSV Importovať Loring CSV - + Import Rubasse CSV Importovať súbor Rubasse CSV - + Import HH506RA CSV Importovať HH506RA CSV - + HH506RA file loaded successfully Súbor HH506RA sa úspešne načítal - + Save Graph as Uložiť graf ako - + {0} size({1},{2}) saved Veľkosť {0} ({1},{2}) bola uložená - + Save Graph as PDF Uložiť graf ako PDF - + Save Graph as SVG Uložiť graf ako SVG - + {0} saved {0} uložené - + Wheel {0} loaded Koleso {0} je načítané - + Invalid Wheel graph format Neplatný formát grafu kolesa - + Buttons copied to Palette # Tlačidlá skopírované do palety # - + Palette #%i restored Paleta #%i bola obnovená - + Palette #%i empty Paleta #%i je prázdna - + Save Palettes Uložiť palety - + Palettes saved Palety uložené - + Palettes loaded Palety naložené - + Invalid palettes file format Neplatný formát súboru paliet - + Alarms loaded Budíky načítané - + Fitting curves... Priliehavé krivky... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Upozornenie: Začiatok požadovaného intervalu analýzy je skôr ako začiatok prekladania krivky. Opravte to na karte Konfigurácia>Krivky>Analýza. - + Analysis earlier than Curve fit Analýza skôr ako preloženie krivky - + Simulator stopped Simulátor sa zastavil - + debug logging ON ladenie sa prihlasuje @@ -17094,45 +17132,6 @@ V profile chýba [CHARGE] alebo [DROP] Background profile not found Profil na pozadí sa nenašiel - - - Scheduler started - Plánovač sa spustil - - - - Scheduler stopped - Plánovač sa zastavil - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Dokončené pečenie neupravia plán, kým je okno plánu zatvorené - - - - - 1 batch - 1 várka - - - - - - - {} batches - {} šarží - - - - Updating completed roast properties failed - Aktualizácia dokončených vlastností praženia zlyhala - - - - Fetching completed roast properties failed - Načítanie dokončených vlastností pečenia zlyhalo - Event # {0} recorded at BT = {1} Time = {2} Udalosť č. {0} zaznamenaná o BT = {1} Čas = {2} @@ -17204,51 +17203,6 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Plus - - - debug logging ON - ladenie sa prihlasuje - - - - debug logging OFF - ladenie sa odhlasuje - - - - 1 day left - ostáva 1 deň - - - - {} days left - {} Zostávajúce dni - - - - Paid until - Platené do - - - - Please visit our {0}shop{1} to extend your subscription - Predplatné si môžete predĺžiť v našom {0} obchode {1} - - - - Do you want to extend your subscription? - Chcete si predĺžiť predplatné? - - - - Your subscription ends on - Vaše predplatné končí dňa - - - - Your subscription ended on - Vaše predplatné sa skončilo dňa - Roast successfully upload to {} @@ -17438,6 +17392,51 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Remember Pamätaj + + + debug logging ON + ladenie sa prihlasuje + + + + debug logging OFF + ladenie sa odhlasuje + + + + 1 day left + ostáva 1 deň + + + + {} days left + {} Zostávajúce dni + + + + Paid until + Platené do + + + + Please visit our {0}shop{1} to extend your subscription + Predplatné si môžete predĺžiť v našom {0} obchode {1} + + + + Do you want to extend your subscription? + Chcete si predĺžiť predplatné? + + + + Your subscription ends on + Vaše predplatné končí dňa + + + + Your subscription ended on + Vaše predplatné sa skončilo dňa + ({} of {} done) (dokončené: {} z {}) @@ -17558,10 +17557,10 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - - - - + + + + Roaster Scope @@ -17933,6 +17932,16 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Tab + + + To-Do + Robiť + + + + Completed + Dokončené + @@ -17965,7 +17974,7 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Sada RS - + Extra @@ -18014,32 +18023,32 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - + ET/BT ET / BT - + Modbus - + S7 - + Scale Škála - + Color Farba - + WebSocket @@ -18076,17 +18085,17 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Nastaviť - + Details Detaily - + Loads Bremená - + Protocol Protokol @@ -18171,16 +18180,6 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl LCDs LCD - - - To-Do - Robiť - - - - Completed - Dokončené - Done hotový @@ -18303,7 +18302,7 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - + @@ -18323,7 +18322,7 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl Namočte HH: MM - + @@ -18333,7 +18332,7 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - + @@ -18357,37 +18356,37 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - + Device Zariadenie - + Comm Port Komunikačný port - + Baud Rate Prenosová rýchlosť - + Byte Size Veľkosť bajtu - + Parity Parita - + Stopbits Stopky - + Timeout Čas vypršal @@ -18395,16 +18394,16 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - - + + Time Čas - - + + @@ -18413,8 +18412,8 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - - + + @@ -18423,104 +18422,104 @@ Ak chcete, aby bola bezplatná a aktuálna, podporte nás svojím darom a prihl - + CHARGE NABÍJAŤ - + DRY END SUCHÝ KONIEC - + FC START FC ŠTART - + FC END KONIEC FC - + SC START SC ŠTART - + SC END SC KONIEC - + DROP POKLES - + COOL - + #{0} {1}{2} # {0} {1} {2} - + Power Moc - + Duration Trvanie - + CO2 - + Load Naložiť - + Source Zdroj - + Kind Milý - + Name názov - + Weight Váha @@ -19399,7 +19398,7 @@ iniciovaný PID - + @@ -19420,7 +19419,7 @@ iniciovaný PID - + Show help Ukážte pomoc @@ -19574,20 +19573,24 @@ musí byť znížená 4-krát. Spustite akciu vzorkovania synchrónne ({}) v každom intervale vzorkovania alebo vyberte časový interval opakovania, aby sa spustila asynchrónne počas vzorkovania - + OFF Action String OFF Akčný reťazec - + ON Action String - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Extra oneskorenie po pripojení v sekundách pred odoslaním požiadaviek (potrebné pri reštartovaní zariadení Arduino pri pripojení) + + + Extra delay in Milliseconds between MODBUS Serial commands Extra oneskorenie v milisekundách medzi sériovými príkazmi MODBUS @@ -19603,12 +19606,7 @@ musí byť znížená 4-krát. Skenujte MODBUS - - Reset socket connection on error - Pri chybe resetujte pripojenie zásuvky - - - + Scan S7 Skenujte S7 @@ -19624,7 +19622,7 @@ musí byť znížená 4-krát. Len pre načítané pozadia s ďalšími zariadeniami - + The maximum nominal batch size of the machine in kg Maximálna menovitá veľkosť dávky stroja v kg @@ -20058,32 +20056,32 @@ Currently in TEMP MODE Momentálne v TEMP REŽIME - + <b>Label</b>= <b>Štítok</b>= - + <b>Description </b>= <b>Popis </b>= - + <b>Type </b>= <b>Typ </b>= - + <b>Value </b>= <b>Hodnota </b>= - + <b>Documentation </b>= <b>Dokumentácia </b>= - + <b>Button# </b>= <b>Tlačidlo # </b>= @@ -20167,6 +20165,10 @@ Momentálne v TEMP REŽIME Sets button colors to grey scale and LCD colors to black and white Nastaví farby tlačidiel na sivú škálu a farby LCD na čiernobiele + + Reset socket connection on error + Pri chybe resetujte pripojenie zásuvky + Action String Akčný reťazec diff --git a/src/translations/artisan_sv.qm b/src/translations/artisan_sv.qm index 64ee5e16c..7e9089625 100644 Binary files a/src/translations/artisan_sv.qm and b/src/translations/artisan_sv.qm differ diff --git a/src/translations/artisan_sv.ts b/src/translations/artisan_sv.ts index 252e41041..b733e5598 100644 --- a/src/translations/artisan_sv.ts +++ b/src/translations/artisan_sv.ts @@ -9,57 +9,57 @@ Släpp sponsor - + About Handla om - + Core Developers Kärnutvecklare - + License Licens - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Det gick inte att hämta den senaste versionen. Kontrollera din internetanslutning, försök igen senare eller kontrollera manuellt. - + A new release is available. En ny version är tillgänglig. - + Show Change list Visa ändringslista - + Download Release Ladda ner version - + You are using the latest release. Du använder den senaste versionen. - + You are using a beta continuous build. Du använder en kontinuerlig betaversion. - + You will see a notice here once a new official release is available. Du kommer att se ett meddelande här när en ny officiell release är tillgänglig. - + Update status Uppdatera status @@ -199,14 +199,34 @@ Button + + + + + + + + + OK + + + + + + + + + Cancel + Avbryt + - - - - + + + + Restore Defaults @@ -234,7 +254,7 @@ - + @@ -262,7 +282,7 @@ - + @@ -320,17 +340,6 @@ Save Spara - - - - - - - - - OK - - On @@ -543,15 +552,6 @@ Write PIDs Skriv PID - - - - - - - Cancel - Avbryt - Set ET PID to MM:SS time units @@ -570,8 +570,8 @@ - - + + @@ -591,7 +591,7 @@ - + @@ -631,7 +631,7 @@ - + Scan Skanna @@ -716,9 +716,9 @@ uppdatering - - - + + + Save Defaults Spara standardinställningar @@ -1363,12 +1363,12 @@ SLUTET Flyta - + START on CHARGE Börja med CHARGE - + OFF on DROP AV på DROP @@ -1440,61 +1440,61 @@ SLUTET Visa alltid - + Heavy FC Tungt FC - + Low FC Låg FC - + Light Cut Lätt klippt - + Dark Cut - + Drops Droppar - + Oily Oljig - + Uneven Ojämn - + Tipping Tippning - + Scorching Brännhet - + Divots @@ -2250,14 +2250,14 @@ SLUTET - + ET - + BT @@ -2280,24 +2280,19 @@ SLUTET ord - + optimize optimera - + fetch full blocks hämta hela block - - reset - återställa - - - + compression kompression @@ -2483,6 +2478,10 @@ SLUTET Elec + + reset + återställa + Title Titel @@ -2566,6 +2565,16 @@ SLUTET Contextual Menu + + + All batches prepared + Alla partier förberedda + + + + No batch prepared + Ingen sats förberedd + Add point @@ -2611,16 +2620,6 @@ SLUTET Edit Redigera - - - All batches prepared - Alla partier förberedda - - - - No batch prepared - Ingen sats förberedd - Countries @@ -3955,20 +3954,20 @@ SLUTET Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4061,42 +4060,42 @@ SLUTET - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4165,10 +4164,10 @@ SLUTET - - - - + + + + @@ -4366,12 +4365,12 @@ SLUTET - - - - - - + + + + + + @@ -4380,17 +4379,17 @@ SLUTET Värdefel: - + Serial Exception: invalid comm port Seriellt undantag: ogiltig komm.port - + Serial Exception: timeout Seriellt undantag: timeout - + Unable to move CHARGE to a value that does not exist Det går inte att flytta CHARGE till ett värde som inte finns @@ -4400,30 +4399,30 @@ SLUTET Modbus-kommunikation återupptas - + Modbus Error: failed to connect Modbus-fel: kunde inte ansluta - - - - - - - - - + + + + + + + + + Modbus Error: Modbus-fel: - - - - - - + + + + + + Modbus Communication Error Modbus-kommunikationsfel @@ -4507,52 +4506,52 @@ SLUTET Undantag: {} är inte en giltig inställningsfil - - - - - + + + + + Error Fel - + Exception: WebLCDs not supported by this build Undantag: WebLCD:er stöds inte av denna version - + Could not start WebLCDs. Selected port might be busy. Kunde inte starta WebLCD:er. Den valda porten kan vara upptagen. - + Failed to save settings Det gick inte att spara inställningarna - - + + Exception (probably due to an empty profile): Undantag (troligen på grund av en tom profil): - + Analyze: CHARGE event required, none found Analysera: CHARGE-händelse krävs, ingen hittades - + Analyze: DROP event required, none found Analysera: DROP-händelse krävs, ingen hittades - + Analyze: no background profile data available Analysera: ingen bakgrundsprofilinformation tillgänglig - + Analyze: background profile requires CHARGE and DROP events Analysera: bakgrundsprofil kräver CHARGE och DROP-händelser @@ -4592,6 +4591,12 @@ SLUTET Form Caption + + + + Custom Blend + Anpassad blandning + Axes @@ -4726,12 +4731,12 @@ SLUTET Portkonfiguration - + MODBUS Help MODBUS Hjälp - + S7 Help S7 Hjälp @@ -4751,23 +4756,17 @@ SLUTET Stekt egenskaper - - - Custom Blend - Anpassad blandning - - - + Energy Help Energihjälp - + Tare Setup Tara-inställning - + Set Measure from Profile Ställ in mått från profil @@ -4977,27 +4976,27 @@ SLUTET Förvaltning - + Registers Register - - + + Commands Kommandon - + PID - + Serial Serie @@ -5008,37 +5007,37 @@ SLUTET - + Input Inmatning - + Machine Maskin - + Timeout Paus - + Nodes Knutpunkter - + Messages Meddelanden - + Flags Flaggor - + Events evenemang @@ -5050,14 +5049,14 @@ SLUTET - + Energy Energi - + CO2 @@ -5293,14 +5292,14 @@ SLUTET HTML Report Template - + BBP Total Time BBP total tid - + BBP Bottom Temp BBP Bottentemp @@ -5317,849 +5316,849 @@ SLUTET - + Whole Color Hel färg - - + + Profile Profil - + Roast Batches Stekt partier - - - + + + Batch Omgång - - + + Date Datum - - - + + + Beans Bönor - - - + + + In I - - + + Out Ut - - - + + + Loss Förlust - - + + SUM BELOPP - + Production Report Produktionsrapport - - + + Time Tid - - + + Weight In Vikt i - - + + CHARGE BT LADDA BT - - + + FCs Time FCs tid - - + + FCs BT - - + + DROP Time DROP-tid - - + + DROP BT SLIPP BT - + Dry Percent Torr procent - + MAI Percent MAI Procent - + Dev Percent Dev Procent - - + + AUC - - + + Weight Loss Viktminskning - - + + Color Färg - + Cupping Koppning - + Roaster - + Capacity Kapacitet - + Operator Operatör - + Organization Organisation - + Drum Speed Trumhastighet - + Ground Color Grundfärg - + Color System Färgsystem - + Screen Min Skärm Min - + Screen Max Skärm Max - + Bean Temp Böntemp - + CHARGE ET - + TP Time TP-tid - + TP ET - + TP BT - + DRY Time TORRTID - + DRY ET TORR ET - + DRY BT TORR BT - + FCs ET - + FCe Time FCe-tid - + FCe ET - + FCe BT - + SCs Time SCs tid - + SCs ET - + SCs BT - + SCe Time SCe tid - + SCe ET - + SCe BT - + DROP ET DROPPA ET - + COOL Time KYLTID - + COOL ET - + COOL BT KYLA BT - + Total Time Total tid - + Dry Phase Time Torr fas tid - + Mid Phase Time Midfas tid - + Finish Phase Time Avsluta fas tid - + Dry Phase RoR Torr fas RoR - + Mid Phase RoR Mittfas RoR - + Finish Phase RoR Avsluta fas RoR - + Dry Phase Delta BT Torrfas Delta BT - + Mid Phase Delta BT Mellanfas Delta BT - + Finish Phase Delta BT Avsluta fas Delta BT - + Finish Phase Rise Avsluta fassteg - + Total RoR Totalt RoR - + FCs RoR - + MET TRÄFFADE - + AUC Begin AUC Börja - + AUC Base AUC-bas - + Dry Phase AUC AUC för torr fas - + Mid Phase AUC Midfas AUC - + Finish Phase AUC Avsluta fas AUC - + Weight Out Vikt ut - + Volume In Volym in - + Volume Out Volym ut - + Volume Gain Volymökning - + Green Density Grön densitet - + Roasted Density Rostad densitet - + Moisture Greens Fuktgrönsaker - + Moisture Roasted Rostad fukt - + Moisture Loss Fuktförlust - + Organic Loss Organiskt förlust - + Ambient Humidity Omgivande luftfuktighet - + Ambient Pressure Omgivande tryck - + Ambient Temperature Omgivningstemperatur - - + + Roasting Notes Rostade anteckningar - - + + Cupping Notes Koppningsanteckningar - + Heavy FC Tungt FC - + Low FC Låg FC - + Light Cut Lätt klippt - + Dark Cut - + Drops Droppar - + Oily Oljig - + Uneven Ojämn - + Tipping Tippning - + Scorching Brännhet - + Divots - + Mode Läge - + BTU Batch BTU-batch - + BTU Batch per green kg BTU Batch per grönt kg - + CO2 Batch CO2-batch - + BTU Preheat BTU-förvärmning - + CO2 Preheat CO2 Förvärm - + BTU BBP - + CO2 BBP - + BTU Cooling BTU-kylning - + CO2 Cooling CO2-kylning - + BTU Roast - + BTU Roast per green kg BTU Stekt per grönt kg - + CO2 Roast CO2-rostning - + CO2 Batch per green kg CO2 Batch per grön kg - + BTU LPG BTU gasol - + BTU NG - + BTU ELEC - + Efficiency Batch Effektivitetsbatch - + Efficiency Roast Effektivitet Roast - + BBP Begin BBP Börja - + BBP Begin to Bottom Time BBP början till botten tid - + BBP Bottom to CHARGE Time BBP Botten till CHARGE Time - + BBP Begin to Bottom RoR BBP Börja till Botten RoR - + BBP Bottom to CHARGE RoR BBP Botten till CHARGE RoR - + File Name Filnamn - + Roast Ranking Stek Ranking - + Ranking Report Rankningsrapport - + AVG - + Roasting Report Rostningsrapport - + Date: Datum: - + Beans: Bönor: - + Weight: Vikt: - + Volume: Volym: - + Roaster: - + Operator: Operatör: - + Organization: Organisation: - + Cupping: Koppning: - + Color: Färg: - + Energy: Energi: - + CO2: - + CHARGE: AVGIFT: - + Size: Storlek: - + Density: Densitet: - + Moisture: Fukt: - + Ambient: Omgivande: - + TP: - + DRY: TORR: - + FCs: FC: - + FCe: - + SCs: SC: er: - + SCe: - + DROP: SLÄPPA: - + COOL: HÄFTIGT: - + MET: TRÄFFADE: - + CM: CENTIMETER: - + Drying: Torkning: - + Maillard: - + Finishing: Efterbehandling: - + Cooling: Kyl: - + Background: Bakgrund: - + Alarms: Larm: - + RoR: - + AUC: - + Events evenemang @@ -11203,6 +11202,92 @@ När kortkommandon är AV läggs en anpassad händelse till Label + + + + + + + + + Weight + Vikt + + + + + + + Beans + Bönor + + + + + + Density + Densitet + + + + + + Color + Färg + + + + + + Moisture + Fukt + + + + + + + Roasting Notes + Rostade anteckningar + + + + Score + Göra + + + + + Cupping Score + Cupning poäng + + + + + + + Cupping Notes + Koppningsanteckningar + + + + + + + + Roasted + Rostad + + + + + + + + + Green + Grön + @@ -11307,7 +11392,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11326,7 +11411,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11342,7 +11427,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11361,7 +11446,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11388,7 +11473,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11420,7 +11505,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + DRY TORR @@ -11437,7 +11522,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + FCs @@ -11445,7 +11530,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + FCe @@ -11453,7 +11538,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + SCs @@ -11461,7 +11546,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + SCe @@ -11474,7 +11559,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11489,10 +11574,10 @@ När kortkommandon är AV läggs en anpassad händelse till / min - - - - + + + + @@ -11500,8 +11585,8 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + @@ -11515,8 +11600,8 @@ När kortkommandon är AV läggs en anpassad händelse till Cykel - - + + Input Inmatning @@ -11550,7 +11635,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + @@ -11567,8 +11652,8 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + Mode @@ -11630,7 +11715,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + Label @@ -11755,21 +11840,21 @@ När kortkommandon är AV läggs en anpassad händelse till - + P - + I Jag - + D @@ -11831,13 +11916,6 @@ När kortkommandon är AV läggs en anpassad händelse till Markers Markörer - - - - - Color - Färg - Text Color @@ -11868,9 +11946,9 @@ När kortkommandon är AV läggs en anpassad händelse till Storlek - - + + @@ -11908,8 +11986,8 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + Event @@ -11922,7 +12000,7 @@ När kortkommandon är AV läggs en anpassad händelse till Handling - + Command Kommando @@ -11934,7 +12012,7 @@ När kortkommandon är AV läggs en anpassad händelse till - + Factor @@ -11951,14 +12029,14 @@ När kortkommandon är AV läggs en anpassad händelse till - + Unit Enhet - + Source Källa @@ -11969,10 +12047,10 @@ När kortkommandon är AV läggs en anpassad händelse till Klunga - - - + + + OFF @@ -12023,15 +12101,15 @@ När kortkommandon är AV läggs en anpassad händelse till Registrera - - + + Area Område - - + + DB# DB # @@ -12039,54 +12117,54 @@ När kortkommandon är AV läggs en anpassad händelse till - + Start - - + + Comm Port - - + + Baud Rate Överföringshastighet - - + + Byte Size Byte storlek - - + + Parity Paritet - - + + Stopbits - - + + @@ -12123,8 +12201,8 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + Type Typ @@ -12134,8 +12212,8 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + Host Nätverk @@ -12146,20 +12224,20 @@ När kortkommandon är AV läggs en anpassad händelse till - - + + Port Hamn - + SV Factor SV-faktor - + pid Factor pid faktor @@ -12181,75 +12259,75 @@ När kortkommandon är AV läggs en anpassad händelse till Sträng - - + + Device Enhet - + Rack Kuggstång - + Slot Spår - + Path Väg - + ID - + Connect Ansluta - + Reconnect Anslut igen - - + + Request Begäran - + Message ID Meddelande-ID - + Machine ID Maskin-ID - + Data - + Message Meddelande - + Data Request Dataförfrågan - - + + Node Nod @@ -12311,17 +12389,6 @@ När kortkommandon är AV läggs en anpassad händelse till g - - - - - - - - - Weight - Vikt - @@ -12329,25 +12396,6 @@ När kortkommandon är AV läggs en anpassad händelse till Volume Volym - - - - - - - - Green - Grön - - - - - - - - Roasted - Rostad - @@ -12398,31 +12446,16 @@ När kortkommandon är AV läggs en anpassad händelse till Datum - + Batch Omgång - - - - - - Beans - Bönor - % - - - - - Density - Densitet - Screen @@ -12438,13 +12471,6 @@ När kortkommandon är AV läggs en anpassad händelse till Ground Jord - - - - - Moisture - Fukt - @@ -12457,22 +12483,6 @@ När kortkommandon är AV läggs en anpassad händelse till Ambient Conditions Omgivande förhållanden - - - - - - Roasting Notes - Rostade anteckningar - - - - - - - Cupping Notes - Koppningsanteckningar - Ambient Source @@ -12494,140 +12504,140 @@ När kortkommandon är AV läggs en anpassad händelse till Blandning - + Template Mall - + Results in Resulterar i - + Rating Betyg - + Pressure % Tryck% - + Electric Energy Mix: Elektrisk energimix: - + Renewable Förnybar - - + + Pre-Heating Förvärmning - - + + Between Batches Mellan partier - - + + Cooling Kyl - + Between Batches after Pre-Heating Mellan partier efter förvärmning - + (mm:ss) (mm: ss) - + Duration Varaktighet - + Measured Energy or Output % Uppmätt energi eller effekt% - - + + Preheat Förvärma - - + + BBP - - - - + + + + Roast Rosta - - + + per kg green coffee per kg grönt kaffe - + Load Ladda - + Organization Organisation - + Operator Operatör - + Machine Maskin - + Model Modell - + Heating Uppvärmning - + Drum Speed Trumhastighet - + organic material organiskt material @@ -12951,12 +12961,6 @@ LCD-skärmar Alla Roaster - - - - Cupping Score - Cupning poäng - Max characters per line @@ -13036,7 +13040,7 @@ LCD-skärmar Alla Kantfärg (RGBA) - + roasted rostad @@ -13183,22 +13187,22 @@ LCD-skärmar Alla - + ln() ln () - - + + x - - + + Bkgnd @@ -13347,99 +13351,99 @@ LCD-skärmar Alla Ladda bönorna - + /m / m - + greens gröna - - - + + + STOP SLUTA - - + + OPEN ÖPPEN - - - + + + CLOSE STÄNGA - - + + AUTO AUTO - - - + + + MANUAL MANUELL - + STIRRER RÖRARE - + FILL FYLLA - + RELEASE SLÄPP - + HEATING UPPVÄRMNING - + COOLING KYL - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Max + / Max- RoR @@ -13765,11 +13769,6 @@ LCD-skärmar Alla Aspect Ratio Bildförhållande - - - Score - Göra - Coarse Grov @@ -13962,6 +13961,12 @@ LCD-skärmar Alla Menu + + + + Schedule + Planen + @@ -14418,12 +14423,6 @@ LCD-skärmar Alla Sliders Skjutreglage - - - - Schedule - Planen - Full Screen @@ -14548,6 +14547,53 @@ LCD-skärmar Alla Message + + + Scheduler started + Schemaläggaren startade + + + + Scheduler stopped + Schemaläggaren stannade + + + + + + + Warning + Varning + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Färdiga stekar kommer inte att justera schemat medan schemafönstret är stängt + + + + + 1 batch + 1 sats + + + + + + + {} batches + {} partier + + + + Updating completed roast properties failed + Det gick inte att uppdatera färdiga rostegenskaper + + + + Fetching completed roast properties failed + Det gick inte att hämta färdiga stekegenskaper + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15108,20 +15154,20 @@ Upprepa operationen i slutet: {0} - + Bluetootooth access denied Bluetooth-åtkomst nekad - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Serieportinställningar: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15155,50 +15201,50 @@ Upprepa operationen i slutet: {0} Läser bakgrundsprofil... - + Event table copied to clipboard Händelsetabell kopierad till urklipp - + The 0% value must be less than the 100% value. Värdet på 0 % måste vara mindre än värdet på 100 %. - - + + Alarms from events #{0} created Larm från händelser #{0} skapade - - + + No events found Inga händelser hittades - + Event #{0} added Händelse #{0} har lagts till - + No profile found Ingen profil hittades - + Events #{0} deleted Händelser #{0} raderade - + Event #{0} deleted Händelse #{0} raderad - + Roast properties updated but profile not saved to disk Grillegenskaper uppdaterade men profilen sparades inte på disken @@ -15213,7 +15259,7 @@ Upprepa operationen i slutet: {0} MODBUS frånkopplad - + Connected via MODBUS Ansluts via MODBUS @@ -15380,27 +15426,19 @@ Upprepa operationen i slutet: {0} Sampling Provtagning - - - - - - Warning - Varning - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Ett snävt provtagningsintervall kan leda till instabilitet på vissa maskiner. Vi föreslår minst 1s. - + Incompatible variables found in %s Inkompatibla variabler hittades i %s - + Assignment problem Uppdragsproblem @@ -15494,8 +15532,8 @@ Upprepa operationen i slutet: {0} följa efter - - + + Save Statistics Spara statistik @@ -15657,19 +15695,19 @@ För att hålla det gratis och aktuellt, stöd oss ​​med din donation och pr Hantverkare konfigurerad för {0} - + Load theme {0}? Ladda tema {0}? - + Adjust Theme Related Settings Justera temarelaterade inställningar - + Loaded theme {0} Laddat tema {0} @@ -15680,8 +15718,8 @@ För att hålla det gratis och aktuellt, stöd oss ​​med din donation och pr Hittade ett färgpar som kan vara svårt att se: - - + + Simulator started @{}x Simulatorn startade @{}x @@ -15732,14 +15770,14 @@ För att hålla det gratis och aktuellt, stöd oss ​​med din donation och pr autoDROP av - + PID set to OFF PID inställd på OFF - + PID set to ON @@ -15959,7 +15997,7 @@ För att hålla det gratis och aktuellt, stöd oss ​​med din donation och pr {0} har sparats. Ny stek har börjat - + Invalid artisan format @@ -16024,10 +16062,10 @@ Det är lämpligt att spara dina nuvarande inställningar i förväg via menyn H Profilen har sparats - - - - + + + + @@ -16119,347 +16157,347 @@ Det är lämpligt att spara dina nuvarande inställningar i förväg via menyn H Ladda inställningar avbröts - - + + Statistics Saved Statistik sparad - + No statistics found Ingen statistik hittades - + Excel Production Report exported to {0} Excel-produktionsrapport exporterad till {0} - + Ranking Report Rankningsrapport - + Ranking graphs are only generated up to {0} profiles Rankningsdiagram genereras endast upp till {0} profiler - + Profile missing DRY event Profil saknas DRY-händelse - + Profile missing phase events Fashändelser saknas i profil - + CSV Ranking Report exported to {0} CSV-rankningsrapport exporterad till {0} - + Excel Ranking Report exported to {0} Excel-rankningsrapport exporterad till {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Bluetooth-vågen kan inte anslutas medan tillstånd för Artisan att komma åt Bluetooth nekas - + Bluetooth access denied Bluetooth-åtkomst nekad - + Hottop control turned off Hottop-kontrollen avstängd - + Hottop control turned on Hottop-kontrollen är påslagen - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! För att styra en Hottop måste du först aktivera superanvändarläget via ett högerklick på timerns LCD! - - + + Settings not found Inställningarna hittades inte - + artisan-settings hantverksmiljöer - + Save Settings Spara inställningar - + Settings saved Inställningar Sparade - + artisan-theme hantverkar-tema - + Save Theme Spara tema - + Theme saved Temat sparat - + Load Theme Ladda tema - + Theme loaded Temat laddat - + Background profile removed Bakgrundsprofilen har tagits bort - + Alarm Config Larmkonfig - + Alarms are not available for device None Larm är inte tillgängliga för enheten Inga - + Switching the language needs a restart. Restart now? Byte av språk behöver en omstart. Starta om nu? - + Restart Omstart - + Import K202 CSV Importera K202 CSV - + K202 file loaded successfully K202-filen har laddats - + Import K204 CSV Importera K204 CSV - + K204 file loaded successfully K204-filen har laddats - + Import Probat Recipe Importera provrecept - + Probat Pilot data imported successfully Probat Pilot-data har importerats - + Import Probat Pilot failed Importera Probat Pilot misslyckades - - + + {0} imported {0} importerade - + an error occurred on importing {0} ett fel uppstod vid import av {0} - + Import Cropster XLS Importera Cropster XLS - + Import RoastLog URL Importera RoastLog URL - + Import RoastPATH URL Importera RoastPATH URL - + Import Giesen CSV Importera Giesen CSV - + Import Petroncini CSV Importera Petroncini CSV - + Import IKAWA URL Importera IKAWA URL - + Import IKAWA CSV Importera IKAWA CSV - + Import Loring CSV Importera Loring CSV - + Import Rubasse CSV Importera Rubasse CSV - + Import HH506RA CSV Importera HH506RA CSV - + HH506RA file loaded successfully HH506RA-filen har laddats - + Save Graph as Spara graf som - + {0} size({1},{2}) saved {0} storlek ({1},{2}) har sparats - + Save Graph as PDF Spara graf som PDF - + Save Graph as SVG Spara graf som SVG - + {0} saved {0} har sparats - + Wheel {0} loaded Hjul {0} laddat - + Invalid Wheel graph format Ogiltigt hjuldiagramformat - + Buttons copied to Palette # Knappar kopierade till palett # - + Palette #%i restored Palett #%i återställd - + Palette #%i empty Palett #%i tom - + Save Palettes Spara paletter - + Palettes saved Paletter sparade - + Palettes loaded Paletter laddade - + Invalid palettes file format Ogiltigt palettfilformat - + Alarms loaded Larm laddade - + Fitting curves... Passar kurvor... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Varning: Starten av analysintervallet av intresse är tidigare än början av kurvanpassningen. Korrigera detta på fliken Config>Curves>Analyze. - + Analysis earlier than Curve fit Analys tidigare än kurvanpassning - + Simulator stopped Simulatorn stannade - + debug logging ON felsökning loggning PÅ @@ -17113,45 +17151,6 @@ Profil saknar [CHARGE] eller [DROP] Background profile not found Bakgrundsprofilen hittades inte - - - Scheduler started - Schemaläggaren startade - - - - Scheduler stopped - Schemaläggaren stannade - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Färdiga stekar kommer inte att justera schemat medan schemafönstret är stängt - - - - - 1 batch - 1 sats - - - - - - - {} batches - {} partier - - - - Updating completed roast properties failed - Det gick inte att uppdatera färdiga rostegenskaper - - - - Fetching completed roast properties failed - Det gick inte att hämta färdiga stekegenskaper - Event # {0} recorded at BT = {1} Time = {2} Händelse # {0} inspelad vid BT = {1} Tid = {2} @@ -17246,51 +17245,6 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Plus - - - debug logging ON - felsökning loggning PÅ - - - - debug logging OFF - felsökning loggning AV - - - - 1 day left - 1 dag kvar - - - - {} days left - {} dagar kvar - - - - Paid until - Betalas till - - - - Please visit our {0}shop{1} to extend your subscription - Besök vår {0} butik {1} för att förlänga din prenumeration - - - - Do you want to extend your subscription? - Vill du förlänga ditt abonnemang? - - - - Your subscription ends on - Ditt abonnemang slutar den - - - - Your subscription ended on - Din prenumeration avslutades den - Roast successfully upload to {} @@ -17480,6 +17434,51 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Remember Kom ihåg + + + debug logging ON + felsökning loggning PÅ + + + + debug logging OFF + felsökning loggning AV + + + + 1 day left + 1 dag kvar + + + + {} days left + {} dagar kvar + + + + Paid until + Betalas till + + + + Please visit our {0}shop{1} to extend your subscription + Besök vår {0} butik {1} för att förlänga din prenumeration + + + + Do you want to extend your subscription? + Vill du förlänga ditt abonnemang? + + + + Your subscription ends on + Ditt abonnemang slutar den + + + + Your subscription ended on + Din prenumeration avslutades den + ({} of {} done) ({} av {} klar) @@ -17596,10 +17595,10 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - - - - + + + + Roaster Scope @@ -17978,6 +17977,16 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Tab + + + To-Do + Att göra + + + + Completed + Avslutad + @@ -18010,7 +18019,7 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Ställ in RS - + Extra @@ -18059,32 +18068,32 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - + ET/BT ET / BT - + Modbus - + S7 - + Scale Skala - + Color Färg - + WebSocket @@ -18121,17 +18130,17 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Uppstart - + Details Detaljer - + Loads Massor - + Protocol Protokoll @@ -18216,16 +18225,6 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer LCDs LCD-skärmar - - - To-Do - Att göra - - - - Completed - Avslutad - Done Gjort @@ -18348,7 +18347,7 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - + @@ -18368,7 +18367,7 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer Blötlägg HH: MM - + @@ -18378,7 +18377,7 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - + @@ -18402,37 +18401,37 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - + Device Enhet - + Comm Port - + Baud Rate Överföringshastighet - + Byte Size Byte storlek - + Parity Paritet - + Stopbits - + Timeout Paus @@ -18440,16 +18439,16 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - - + + Time Tid - - + + @@ -18458,8 +18457,8 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - - + + @@ -18468,104 +18467,104 @@ För att hålla det gratis och aktuellt, stöd oss med din donation och prenumer - + CHARGE AVGIFT - + DRY END TORR SLUT - + FC START - + FC END FC SLUT - + SC START - + SC END SC SLUT - + DROP SLÄPPA - + COOL HÄFTIGT - + #{0} {1}{2} # {0} {1} {2} - + Power Kraft - + Duration Varaktighet - + CO2 - + Load Ladda - + Source Källa - + Kind Snäll - + Name namn - + Weight Vikt @@ -19494,7 +19493,7 @@ initierad av PID - + @@ -19515,7 +19514,7 @@ initierad av PID - + Show help Visa hjälp @@ -19669,20 +19668,24 @@ måste minskas med fyra gånger. Kör samplingsåtgärden synkront ({}) varje samplingsintervall eller välj ett upprepande tidsintervall för att köra det asynkront under samplingen - + OFF Action String AV Åtgärdsträng - + ON Action String PÅ Action-sträng - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Extra fördröjning efter anslutning i sekunder innan förfrågningar skickas (behövs av Arduino-enheter som startar om vid anslutning) + + + Extra delay in Milliseconds between MODBUS Serial commands Extra fördröjning i millisekunder mellan MODBUS Seriella kommandon @@ -19698,12 +19701,7 @@ måste minskas med fyra gånger. Skanna MODBUS - - Reset socket connection on error - Återställ uttagsanslutningen vid fel - - - + Scan S7 Skanna S7 @@ -19719,7 +19717,7 @@ måste minskas med fyra gånger. Endast för laddade bakgrunder med extra enheter - + The maximum nominal batch size of the machine in kg Maskinens maximala nominella satsstorlek i kg @@ -20153,32 +20151,32 @@ Currently in TEMP MODE För närvarande i TEMP-LÄGE - + <b>Label</b>= <b> Etikett </b> = - + <b>Description </b>= <b> Beskrivning </b> = - + <b>Type </b>= <b> Skriv </b> = - + <b>Value </b>= <b> Värde </b> = - + <b>Documentation </b>= <b> Dokumentation </b> = - + <b>Button# </b>= <b> Knapp # </b> = @@ -20262,6 +20260,10 @@ För närvarande i TEMP-LÄGE Sets button colors to grey scale and LCD colors to black and white Ställer in knappfärger till gråskala och LCD-färger till svartvitt + + Reset socket connection on error + Återställ uttagsanslutningen vid fel + Action String Åtgärdssträng diff --git a/src/translations/artisan_th.qm b/src/translations/artisan_th.qm index 1c3c00407..39b1d1d06 100644 Binary files a/src/translations/artisan_th.qm and b/src/translations/artisan_th.qm differ diff --git a/src/translations/artisan_th.ts b/src/translations/artisan_th.ts index f2bca8371..9d3573683 100644 --- a/src/translations/artisan_th.ts +++ b/src/translations/artisan_th.ts @@ -9,57 +9,57 @@ ปล่อยสปอนเซอร์ - + About เกี่ยวกับ - + Core Developers ผู้พัฒนาหลัก - + License ใบอนุญาต - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. เกิดปัญหาในการเรียกข้อมูลเวอร์ชันล่าสุด โปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของคุณลองอีกครั้งในภายหลังหรือตรวจสอบด้วยตนเอง - + A new release is available. รุ่นใหม่พร้อมใช้งานแล้ว - + Show Change list แสดงรายการเปลี่ยนแปลง - + Download Release ดาวน์โหลดรีลีส - + You are using the latest release. คุณกำลังใช้รุ่นล่าสุด - + You are using a beta continuous build. คุณกำลังใช้รุ่นเบต้าแบบต่อเนื่อง - + You will see a notice here once a new official release is available. คุณจะเห็นประกาศที่นี่เมื่อมีรุ่นใหม่อย่างเป็นทางการ - + Update status อัปเดตสถานะ @@ -215,14 +215,34 @@ Button + + + + + + + + + OK + ตกลง + + + + + + + + Cancel + ปฏิเสธ + - - - - + + + + Restore Defaults @@ -250,7 +270,7 @@ - + @@ -278,7 +298,7 @@ - + @@ -336,17 +356,6 @@ Save บันทึก - - - - - - - - - OK - ตกลง - On @@ -559,15 +568,6 @@ Write PIDs เขียน PIDs - - - - - - - Cancel - ปฏิเสธ - Set ET PID to MM:SS time units @@ -586,8 +586,8 @@ - - + + @@ -607,7 +607,7 @@ - + @@ -647,7 +647,7 @@ เริ่ม - + Scan สแกน @@ -732,9 +732,9 @@ อัพเดท - - - + + + Save Defaults บันทึกค่าเริ่มต้น @@ -1466,12 +1466,12 @@ END ลอย - + START on CHARGE เริ่มที่ CHARGE - + OFF on DROP ปิดบน DROP @@ -1543,61 +1543,61 @@ END แสดงเสมอ - + Heavy FC แคร๊กแรก รุนแรง - + Low FC แคร๊กแรก เบา - + Light Cut เส้นกลางสีอ่อน - + Dark Cut เส้นกลางสีเข้ม - + Drops หยุด - + Oily น้ำมัน - + Uneven ไม่สม่ำเสมอ - + Tipping ทิปปิ้ง - + Scorching ผิวไหม้ - + Divots รอยที่ผิว @@ -2409,14 +2409,14 @@ END - + ET อุณหภูมิอากาศ(ET) - + BT อุณหภูมิเมล็ด(BT) @@ -2439,24 +2439,19 @@ END คำ - + optimize เพิ่มประสิทธิภาพ - + fetch full blocks ดึงบล็อกเต็ม - - reset - รีเซ็ต - - - + compression การบีบอัด @@ -2642,6 +2637,10 @@ END Elec อิเล็ก + + reset + รีเซ็ต + Title หัวข้อ @@ -2737,6 +2736,16 @@ END Contextual Menu + + + All batches prepared + เตรียมไว้ทุกชุดแล้ว + + + + No batch prepared + ไม่ได้เตรียมแบทช์ไว้ + Add point @@ -2782,16 +2791,6 @@ END Edit แก้ไข - - - All batches prepared - เตรียมไว้ทุกชุดแล้ว - - - - No batch prepared - ไม่ได้เตรียมแบทช์ไว้ - Countries @@ -4137,20 +4136,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4243,42 +4242,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4347,10 +4346,10 @@ END - - - - + + + + @@ -4548,12 +4547,12 @@ END - - - - - - + + + + + + @@ -4562,17 +4561,17 @@ END ข้อผิดพลาดของค่า: - + Serial Exception: invalid comm port ข้อยกเว้นแบบอนุกรม: พอร์ตสื่อสารไม่ถูกต้อง - + Serial Exception: timeout ข้อยกเว้นแบบอนุกรม: หมดเวลา - + Unable to move CHARGE to a value that does not exist ไม่สามารถย้าย CHARGE เป็นค่าที่ไม่มีอยู่ @@ -4582,30 +4581,30 @@ END การสื่อสาร Modbus ดำเนินต่อ - + Modbus Error: failed to connect ข้อผิดพลาด Modbus: ล้มเหลวในการเชื่อมต่อ - - - - - - - - - + + + + + + + + + Modbus Error: ข้อผิดพลาด Modbus: - - - - - - + + + + + + Modbus Communication Error ข้อผิดพลาดในการสื่อสาร Modbus @@ -4689,52 +4688,52 @@ END ข้อยกเว้น: {} ไม่ใช่ไฟล์การตั้งค่าที่ถูกต้อง - - - - - + + + + + Error ข้อผิดพลาด - + Exception: WebLCDs not supported by this build ข้อยกเว้น: WebLCD ไม่รองรับโดย build นี้ - + Could not start WebLCDs. Selected port might be busy. ไม่สามารถเริ่ม WebLCD ได้ พอร์ตที่เลือกอาจไม่ว่าง - + Failed to save settings บันทึกการตั้งค่าไม่สำเร็จ - - + + Exception (probably due to an empty profile): ข้อยกเว้น (อาจเป็นเพราะโปรไฟล์ว่างเปล่า): - + Analyze: CHARGE event required, none found วิเคราะห์: ต้องมีเหตุการณ์ CHARGE ไม่พบ - + Analyze: DROP event required, none found วิเคราะห์: ต้องการเหตุการณ์ DROP ไม่พบ - + Analyze: no background profile data available วิเคราะห์: ไม่มีข้อมูลโปรไฟล์เบื้องหลัง - + Analyze: background profile requires CHARGE and DROP events วิเคราะห์: โปรไฟล์พื้นหลังต้องมีเหตุการณ์ CHARGE และ DROP @@ -4774,6 +4773,12 @@ END Form Caption + + + + Custom Blend + ผสมผสานแบบกำหนดเอง + Axes @@ -4908,12 +4913,12 @@ END การกำหนดค่าพอร์ต - + MODBUS Help MODBUS ช่วยเหลือ - + S7 Help วิธีใช้ S7 @@ -4933,23 +4938,17 @@ END คุณสมบัติการคั่ว - - - Custom Blend - ผสมผสานแบบกำหนดเอง - - - + Energy Help ความช่วยเหลือด้านพลังงาน - + Tare Setup Tare Setup - + Set Measure from Profile ตั้งค่าการวัดจากโปรไฟล์ @@ -5175,27 +5174,27 @@ END การจัดการ - + Registers รีจิสเตอร์ - - + + Commands คำสั่ง - + PID PID - + Serial ซีเรียล(Serial) @@ -5206,37 +5205,37 @@ END - + Input อินพุต - + Machine เครื่อง - + Timeout หมดเวลา - + Nodes โหนด - + Messages ข้อความ - + Flags ธง - + Events เหตุการณ์ (Events) @@ -5248,14 +5247,14 @@ END - + Energy พลังงาน - + CO2 คาร์บอนไดออกไซด์ @@ -5503,14 +5502,14 @@ END HTML Report Template - + BBP Total Time BBP เวลารวม - + BBP Bottom Temp อุณหภูมิด้านล่าง BBP @@ -5527,849 +5526,849 @@ END - + Whole Color สีเมล็ดกาแฟ - - + + Profile โปรไฟล์ (Profile) - + Roast Batches จำนวนการคั่ว (Roast Batches) - - - + + + Batch ชุด (Batch) - - + + Date วันที่ (Date) - - - + + + Beans เมล็ดกาแฟ (ฺBeans) - - - + + + In ใน (In) - - + + Out นอก (Out) - - - + + + Loss สูญเสีย (Loss) - - + + SUM รวม (SUM) - + Production Report รายงานการผลิต (Production Report) - - + + Time เวลา (Time) - - + + Weight In น้ำหนักใน - - + + CHARGE BT ค่าธรรมเนียม BT - - + + FCs Time FCs เวลา - - + + FCs BT เอฟซี บีที - - + + DROP Time ปล่อยเวลา - - + + DROP BT วาง BT - + Dry Percent เปอร์เซ็นต์แห้ง - + MAI Percent เอ็มเอไอ เปอร์เซ็นต์ - + Dev Percent เปอร์เซ็นต์การพัฒนา - - + + AUC AUC - - + + Weight Loss ลดน้ำหนัก - - + + Color สี(Color) - + Cupping ครอบแก้ว - + Roaster เครื่องคั่ว - + Capacity ความจุ - + Operator โอเปอเรเตอร์ - + Organization องค์กร - + Drum Speed ความเร็วกลอง - + Ground Color สีผงกาแฟ - + Color System ระบบสี - + Screen Min หน้าจอขั้นต่ำ - + Screen Max หน้าจอแม็กซ์ - + Bean Temp อุณหภูมิถั่ว - + CHARGE ET ค่าใช้จ่ายET - + TP Time เวลาทีพี - + TP ET ทีพี อีที - + TP BT ทีพี บีที - + DRY Time เวลาแห้ง - + DRY ET แห้ง ET - + DRY BT แห้ง BT - + FCs ET เอฟซี อีที - + FCe Time เอฟซีไทม์ - + FCe ET เอฟซี อีที - + FCe BT เอฟซี บีที - + SCs Time SCs เวลา - + SCs ET - + SCs BT เอสซีบีที - + SCe Time เอสซีไทม์ - + SCe ET เอสซีอีที - + SCe BT เอสซี บีที - + DROP ET วาง ET - + COOL Time เวลาเย็น - + COOL ET เย็น ET - + COOL BT เย็น BT - + Total Time เวลารวม - + Dry Phase Time เวลาเฟสแห้ง - + Mid Phase Time เวลากลางเฟส - + Finish Phase Time สิ้นสุดระยะเวลา - + Dry Phase RoR เฟสแห้ง RoR - + Mid Phase RoR ระยะกลาง RoR - + Finish Phase RoR เสร็จสิ้นเฟส RoR - + Dry Phase Delta BT เดลต้าเฟสแห้ง BT - + Mid Phase Delta BT มิดเฟสเดลต้าบีที - + Finish Phase Delta BT เสร็จสิ้นเฟส Delta BT - + Finish Phase Rise เสร็จสิ้นระยะเพิ่มขึ้น - + Total RoR รวม RoR - + FCs RoR เอฟซี RoR - + MET MET - + AUC Begin AUC เริ่มต้น - + AUC Base ฐาน AUC - + Dry Phase AUC เฟสแห้งAUC - + Mid Phase AUC AUC ระยะกลาง - + Finish Phase AUC เสร็จสิ้นระยะ AUC - + Weight Out น้ำหนักออก - + Volume In ปริมาณใน - + Volume Out ปริมาณออก - + Volume Gain ปริมาณกำไร - + Green Density ความหนาแน่นของสีเขียว - + Roasted Density คั่วเข้ม - + Moisture Greens ความชื้นของสารกาแฟ - + Moisture Roasted มอยส์เจอร์คั่ว - + Moisture Loss การสูญเสียความชื้น - + Organic Loss การสูญเสียอินทรีย์ - + Ambient Humidity ความชื้นแวดล้อม - + Ambient Pressure ความดันบรรยากาศ - + Ambient Temperature อุณหภูมิโดยรอบ - - + + Roasting Notes บันทึกการคั่ว (Roasting Notes) - - + + Cupping Notes บันทึกการคัปปิ้ง (Cupping Notes) - + Heavy FC แคร๊กแรก รุนแรง - + Low FC แคร๊กแรก เบา - + Light Cut เส้นกลางสีอ่อน - + Dark Cut เส้นกลางสีเข้ม - + Drops หยุด - + Oily น้ำมัน - + Uneven ไม่สม่ำเสมอ - + Tipping ทิปปิ้ง - + Scorching ผิวไหม้ - + Divots รอยที่ผิว - + Mode โหมด - + BTU Batch บีทียู แบทช์ - + BTU Batch per green kg BTU BTU ต่อกิโลกรัมสีเขียว - + CO2 Batch แบทช์ CO2 - + BTU Preheat บีทียู อุ่นก่อน - + CO2 Preheat CO2 อุ่น - + BTU BBP บีทียู บีบีพี - + CO2 BBP CO2 บีบีพี - + BTU Cooling บีทียู คูลลิ่ง - + CO2 Cooling CO2 คูลลิ่ง - + BTU Roast บีทียู โรสต์ - + BTU Roast per green kg บีทียูคั่วต่อสีเขียวกก. - + CO2 Roast CO2 ย่าง - + CO2 Batch per green kg CO2 Batch ต่อสีเขียวกก. - + BTU LPG บีทียูแอลพีจี - + BTU NG บีทียู NG - + BTU ELEC บีทียูอีเล็ค - + Efficiency Batch ชุดประสิทธิภาพ - + Efficiency Roast คั่วอย่างมีประสิทธิภาพ - + BBP Begin บีบีพี เริ่มต้น - + BBP Begin to Bottom Time BBP เริ่มต้นถึงเวลาต่ำสุด - + BBP Bottom to CHARGE Time BBP ล่างถึงเวลาชาร์จ - + BBP Begin to Bottom RoR BBP เริ่มต้นที่ล่างสุด RoR - + BBP Bottom to CHARGE RoR BBP ล่างถึง CHARGE RoR - + File Name ชื่อไฟล์ - + Roast Ranking จัดอันดับการคั่ว (Roast Ranking) - + Ranking Report รายงานอันดับ - + AVG ค่าเฉลี่ย (AVG) - + Roasting Report รายงานการคั่ว (Roasting Report) - + Date: วันที่ (Date) : - + Beans: เมล็ดกาแฟ (Beans): - + Weight: น้ำหนัก (Weight): - + Volume: ปริมาณ (Volume): - + Roaster: เครื่องคั่ว(Roaster): - + Operator: ผู้คั่ว (Operator): - + Organization: องค์กร: - + Cupping: คัปปิ้ง (Cupping): - + Color: สี (Color): - + Energy: พลังงาน: - + CO2: คาร์บอนไดออกไซด์: - + CHARGE: อุณหภูมิที่ใส่เมล็ด (CHARGE): - + Size: ขนาด (Size): - + Density: ความหนาแน่น (Density): - + Moisture: ความชื้นสารกาแฟ (Moisture): - + Ambient: อุณหภูมิห้อง (Ambient): - + TP: จุดกลับตัว (TP): - + DRY: ช่วงการอบ (DRY): - + FCs: เริ่ม แคร๊กแรก (FCs): - + FCe: จบ แคร๊กแรก (FCe): - + SCs: เริ่ม แคร๊กสอง (SCs): - + SCe: จบ แคร๊กสอง (SCe): - + DROP: หยุด (DROP): - + COOL: ทำให้เย็น (COOL): - + MET: อุณหภูมิอากาศสูงที่สุด (MET): - + CM: CM: - + Drying: ระยะการอบ (Drying): - + Maillard: ระยะเมลลาร์ด (Maillard): - + Finishing: ระยะช่วงพัฒนา (Finishing): - + Cooling: ระยะทำให้เย็น (Cooling): - + Background: พื้นหลัง (Background): - + Alarms: นาฬิกาปลุก: - + RoR: อัตราการเปลี่ยนแปลงอุณหภูมิ(RoR): - + AUC: AUC: - + Events เหตุการณ์ (Events) @@ -11977,6 +11976,92 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว Label + + + + + + + + + Weight + น้ำหนัก + + + + + + + Beans + เมล็ด + + + + + + Density + ความหนาแน่น + + + + + + Color + สี + + + + + + Moisture + ความชื้น + + + + + + + Roasting Notes + จดบันทึกการคั่ว + + + + Score + คะแนน + + + + + Cupping Score + คะแนนป้อง + + + + + + + Cupping Notes + จดบันทึกการชิม + + + + + + + + Roasted + กาแฟคั่ว + + + + + + + + + Green + สีเขียว + @@ -12081,7 +12166,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12100,7 +12185,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12116,7 +12201,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12135,7 +12220,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12162,7 +12247,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12194,7 +12279,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + DRY DRY @@ -12211,7 +12296,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + FCs FCs @@ -12219,7 +12304,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + FCe เอฟซี @@ -12227,7 +12312,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + SCs วท @@ -12235,7 +12320,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + SCe วท @@ -12248,7 +12333,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12263,10 +12348,10 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว /min - - - - + + + + @@ -12274,8 +12359,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว เปิด - - + + @@ -12289,8 +12374,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว วงจร - - + + Input อินพุต @@ -12324,7 +12409,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + @@ -12341,8 +12426,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - - + + Mode @@ -12404,7 +12489,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + Label @@ -12529,21 +12614,21 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว SV max - + P - + I ผม - + D @@ -12605,13 +12690,6 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว Markers เครื่องหมาย - - - - - Color - สี - Text Color @@ -12642,9 +12720,9 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว ขนาด - - + + @@ -12682,8 +12760,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - - + + Event @@ -12696,7 +12774,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว การกระทำ - + Command คำสั่ง @@ -12708,7 +12786,7 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว ชดเชย - + Factor @@ -12725,14 +12803,14 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว อุณหภูมิ - + Unit หน่วย - + Source แหล่ง @@ -12743,10 +12821,10 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว กลุ่มก้อน - - - + + + OFF @@ -12797,15 +12875,15 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว ลงทะเบียน - - + + Area พื้นที่ - - + + DB# DB # @@ -12813,54 +12891,54 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - + Start เริ่ม - - + + Comm Port Comm พอร์ต - - + + Baud Rate อัตราบอด - - + + Byte Size ขนาดไบต์ - - + + Parity ความเท่าเทียมกัน - - + + Stopbits หยุด - - + + @@ -12897,8 +12975,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - - + + Type ประเภท @@ -12908,8 +12986,8 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - - + + Host เครือข่าย @@ -12920,20 +12998,20 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว - - + + Port พอร์ท - + SV Factor ปัจจัย SV - + pid Factor ปัจจัย pid @@ -12955,75 +13033,75 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว เข้มงวด - - + + Device อุปกรณ์ - + Rack ชั้นวาง - + Slot สล็อต - + Path เส้นทาง - + ID ไอดี - + Connect เชื่อมต่อ - + Reconnect เชื่อมต่อใหม่ - - + + Request ขอ - + Message ID รหัสข้อความ - + Machine ID รหัสเครื่อง - + Data ข้อมูล - + Message ข้อความ - + Data Request ขอข้อมูล - - + + Node โหนด @@ -13085,17 +13163,6 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว g กรัม - - - - - - - - - Weight - น้ำหนัก - @@ -13103,25 +13170,6 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว Volume ปริมาตร - - - - - - - - Green - สีเขียว - - - - - - - - Roasted - กาแฟคั่ว - @@ -13172,31 +13220,16 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว วันที่ - + Batch ชุด - - - - - - Beans - เมล็ด - % % - - - - - Density - ความหนาแน่น - Screen @@ -13212,13 +13245,6 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว Ground พื้น - - - - - Moisture - ความชื้น - @@ -13231,22 +13257,6 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว Ambient Conditions สภาวะแวดล้อม - - - - - - Roasting Notes - จดบันทึกการคั่ว - - - - - - - Cupping Notes - จดบันทึกการชิม - Ambient Source @@ -13268,140 +13278,140 @@ Artisan จะเริ่มโปรแกรมในแต่ละช่ว ผสมผสาน - + Template เทมเพลต - + Results in ผลลัพธ์ใน - + Rating คะแนน - + Pressure % ความดัน % - + Electric Energy Mix: การผสมผสานพลังงานไฟฟ้า: - + Renewable ทดแทนได้ - - + + Pre-Heating ก่อนการทำความร้อน - - + + Between Batches ระหว่างแบทช์ - - + + Cooling คูลลิ่ง - + Between Batches after Pre-Heating ระหว่างแบทช์หลังจากทำความร้อนล่วงหน้า - + (mm:ss) (มม.: เอสเอส) - + Duration ระยะเวลา - + Measured Energy or Output % พลังงานที่วัดได้หรือ% เอาท์พุท - - + + Preheat เปิดเตา - - + + BBP บี.พี - - - - + + + + Roast การคั่ว - - + + per kg green coffee กาแฟเขียวต่อกิโลกรัม - + Load โหลด (Load) - + Organization องค์กร - + Operator ผู้คุมเครื่อง - + Machine เครื่อง - + Model รุ่น - + Heating เครื่องทำความร้อน - + Drum Speed ความเร็วกลอง - + organic material วัสดุอินทรีย์ @@ -13725,12 +13735,6 @@ LCD ทั้งหมด Roaster เครื่องคั่ว - - - - Cupping Score - คะแนนป้อง - Max characters per line @@ -13810,7 +13814,7 @@ LCD ทั้งหมด สีขอบ (RGBA) - + roasted greens @@ -13957,22 +13961,22 @@ LCD ทั้งหมด - + ln() ln () - - + + x - - + + Bkgnd บขส @@ -14121,99 +14125,99 @@ LCD ทั้งหมด ใส่เมล็ด - + /m /m - + greens greens - - - + + + STOP หยุด - - + + OPEN เปิด - - - + + + CLOSE ปิด - - + + AUTO อัตโนมัติ - - - + + + MANUAL คู่มือ - + STIRRER เครื่องกวน - + FILL เติม - + RELEASE ปล่อย - + HEATING ความร้อน - + COOLING คูลลิ่ง - + RMSE BT RMSE บีที - + MSE BT เอ็มเอสบีที - + RoR RoR - + @FCs @เอฟซี - + Max+/Max- RoR สูงสุด + / Max- RoR @@ -14539,11 +14543,6 @@ LCD ทั้งหมด Aspect Ratio อัตราส่วน - - - Score - คะแนน - RPM รอบต่อนาที @@ -14885,6 +14884,12 @@ LCD ทั้งหมด Menu + + + + Schedule + วางแผน + @@ -15341,12 +15346,6 @@ LCD ทั้งหมด Sliders แถบเลื่อน - - - - Schedule - วางแผน - Full Screen @@ -15499,6 +15498,53 @@ LCD ทั้งหมด Message + + + Scheduler started + เริ่มวางกำหนดการแล้ว + + + + Scheduler stopped + ตัวกำหนดเวลาหยุดทำงานแล้ว + + + + + + + Warning + คำเตือน + + + + Completed roasts will not adjust the schedule while the schedule window is closed + การคั่วที่เสร็จสิ้นแล้วจะไม่ปรับตารางเวลาในขณะที่หน้าต่างตารางเวลาปิดอยู่ + + + + + 1 batch + 1 ชุด + + + + + + + {} batches + {} ชุด + + + + Updating completed roast properties failed + การอัปเดตคุณสมบัติการย่างที่เสร็จสมบูรณ์ล้มเหลว + + + + Fetching completed roast properties failed + การเรียกคุณสมบัติการย่างที่เสร็จสมบูรณ์ล้มเหลว + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16059,20 +16105,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied การเข้าถึงบลูทูธถูกปฏิเสธ - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} การตั้งค่าพอร์ตอนุกรม: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16106,50 +16152,50 @@ Repeat Operation at the end: {0} กำลังอ่านโปรไฟล์เบื้องหลัง... - + Event table copied to clipboard คัดลอกตารางกิจกรรมไปยังคลิปบอร์ดแล้ว - + The 0% value must be less than the 100% value. ค่า 0% ต้องน้อยกว่าค่า 100% - - + + Alarms from events #{0} created สัญญาณเตือนจากเหตุการณ์ #{0} สร้างแล้ว - - + + No events found ไม่พบกิจกรรม - + Event #{0} added เพิ่มกิจกรรม #{0} แล้ว - + No profile found ไม่พบรายละเอียด - + Events #{0} deleted กิจกรรม #{0} ถูกลบ - + Event #{0} deleted กิจกรรม #{0} ถูกลบ - + Roast properties updated but profile not saved to disk อัปเดตคุณสมบัติ Roast แล้ว แต่ไม่ได้บันทึกโปรไฟล์ลงในดิสก์ @@ -16164,7 +16210,7 @@ Repeat Operation at the end: {0} MODBUS ถูกตัดการเชื่อมต่อ - + Connected via MODBUS เชื่อมต่อผ่าน MODBUS @@ -16331,27 +16377,19 @@ Repeat Operation at the end: {0} Sampling การสุ่มตัวอย่าง - - - - - - Warning - คำเตือน - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. ช่วงเวลาสุ่มตัวอย่างที่แคบอาจทำให้เครื่องบางเครื่องไม่เสถียร เราขอแนะนำอย่างน้อย 1 วินาที - + Incompatible variables found in %s พบตัวแปรที่เข้ากันไม่ได้ใน %s - + Assignment problem ปัญหาการมอบหมาย @@ -16445,8 +16483,8 @@ Repeat Operation at the end: {0} ทำตาม - - + + Save Statistics บันทึกสถิติ @@ -16608,19 +16646,19 @@ To keep it free and current please support us with your donation and subscribe t ช่างฝีมือกำหนดค่าสำหรับ {0} - + Load theme {0}? โหลดธีม {0}? - + Adjust Theme Related Settings ปรับการตั้งค่าที่เกี่ยวข้องกับธีม - + Loaded theme {0} โหลดธีมแล้ว {0} @@ -16631,8 +16669,8 @@ To keep it free and current please support us with your donation and subscribe t ตรวจพบคู่สีที่อาจมองเห็นได้ยาก: - - + + Simulator started @{}x เครื่องจำลองเริ่ม @{}x @@ -16683,14 +16721,14 @@ To keep it free and current please support us with your donation and subscribe t ปิดอัตโนมัติDROP - + PID set to OFF ตั้งค่า PID เป็น OFF - + PID set to ON @@ -16910,7 +16948,7 @@ To keep it free and current please support us with your donation and subscribe t บันทึก {0} แล้ว เริ่มย่างใหม่แล้ว - + Invalid artisan format @@ -16975,10 +17013,10 @@ It is advisable to save your current settings beforehand via menu Help >> บันทึกโปรไฟล์แล้ว - - - - + + + + @@ -17070,347 +17108,347 @@ It is advisable to save your current settings beforehand via menu Help >> ยกเลิกการตั้งค่าการโหลด - - + + Statistics Saved สถิติที่บันทึกไว้ - + No statistics found ไม่พบสถิติ - + Excel Production Report exported to {0} รายงานการผลิต Excel ส่งออกไปที่ {0} - + Ranking Report รายงานอันดับ - + Ranking graphs are only generated up to {0} profiles กราฟอันดับสร้างได้ไม่เกิน {0} โปรไฟล์ - + Profile missing DRY event โปรไฟล์ไม่มีกิจกรรม DRY - + Profile missing phase events โปรไฟล์ไม่มีเหตุการณ์ในเฟส - + CSV Ranking Report exported to {0} รายงานการจัดอันดับ CSV ส่งออกไปที่ {0} - + Excel Ranking Report exported to {0} รายงานการจัดอันดับของ Excel ส่งออกไปที่ {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied ไม่สามารถเชื่อมต่อสเกลบลูทูธได้ในขณะที่ไม่อนุญาตให้ Artisan เข้าถึงบลูทูธ - + Bluetooth access denied การเข้าถึงบลูทูธถูกปฏิเสธ - + Hottop control turned off การควบคุม Hottop ปิดอยู่ - + Hottop control turned on การควบคุม Hottop เปิดอยู่ - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! ในการควบคุม Hottop คุณต้องเปิดใช้งานโหมดผู้ใช้ขั้นสูงด้วยการคลิกขวาบน LCD จับเวลาก่อน! - - + + Settings not found ไม่พบการตั้งค่า - + artisan-settings ช่างฝีมือการตั้งค่า - + Save Settings บันทึกการตั้งค่า - + Settings saved การตั้งค่าที่บันทึกไว้ - + artisan-theme ธีมช่างฝีมือ - + Save Theme บันทึกธีม - + Theme saved บันทึกธีมแล้ว - + Load Theme โหลดธีม - + Theme loaded โหลดธีมแล้ว - + Background profile removed ลบโปรไฟล์พื้นหลังแล้ว - + Alarm Config การกำหนดค่านาฬิกาปลุก - + Alarms are not available for device None ไม่มีนาฬิกาปลุกสำหรับอุปกรณ์ไม่มี - + Switching the language needs a restart. Restart now? การเปลี่ยนภาษาจำเป็นต้องเริ่มต้นใหม่ เริ่มต้นใหม่เดี๋ยวนี้? - + Restart เริ่มต้นใหม่ - + Import K202 CSV นำเข้า K202 CSV - + K202 file loaded successfully โหลดไฟล์ K202 สำเร็จ - + Import K204 CSV นำเข้า K204 CSV - + K204 file loaded successfully โหลดไฟล์ K204 สำเร็จ - + Import Probat Recipe นำเข้าสูตร Probat - + Probat Pilot data imported successfully นำเข้าข้อมูล Probat Pilot เรียบร้อยแล้ว - + Import Probat Pilot failed นำเข้า Probat Pilot ล้มเหลว - - + + {0} imported {0} นำเข้า - + an error occurred on importing {0} เกิดข้อผิดพลาดในการนำเข้า {0} - + Import Cropster XLS นำเข้า Cropster XLS - + Import RoastLog URL นำเข้า URL ของ RoastLog - + Import RoastPATH URL นำเข้า URL ของ RoastPATH - + Import Giesen CSV นำเข้า Giesen CSV - + Import Petroncini CSV นำเข้า Petrocini CSV - + Import IKAWA URL นำเข้า IKAWA URL - + Import IKAWA CSV นำเข้า IKAWA CSV - + Import Loring CSV นำเข้า Loring CSV - + Import Rubasse CSV นำเข้า Rubasse CSV - + Import HH506RA CSV นำเข้า HH506RA CSV - + HH506RA file loaded successfully โหลดไฟล์ HH506RA เรียบร้อยแล้ว - + Save Graph as บันทึกกราฟเป็น - + {0} size({1},{2}) saved บันทึกแล้ว {0} ขนาด({1},{2}) - + Save Graph as PDF บันทึกกราฟเป็น PDF - + Save Graph as SVG บันทึกกราฟเป็น SVG - + {0} saved {0} บันทึกแล้ว - + Wheel {0} loaded ล้อ {0} โหลดแล้ว - + Invalid Wheel graph format รูปแบบกราฟวงล้อไม่ถูกต้อง - + Buttons copied to Palette # คัดลอกปุ่มไปที่ Palette # - + Palette #%i restored จานสี #%i คืนค่าแล้ว - + Palette #%i empty จานสี #%i ว่างเปล่า - + Save Palettes บันทึกจานสี - + Palettes saved บันทึกจานสีแล้ว - + Palettes loaded โหลดจานสีแล้ว - + Invalid palettes file format รูปแบบไฟล์จานสีไม่ถูกต้อง - + Alarms loaded โหลดนาฬิกาปลุกแล้ว - + Fitting curves... เข้าโค้ง... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. คำเตือน: ช่วงเริ่มต้นของช่วงการวิเคราะห์ที่สนใจจะเร็วกว่าจุดเริ่มต้นของการปรับเส้นโค้ง แก้ไขปัญหานี้บนแท็บ Config>Curves>Analyze - + Analysis earlier than Curve fit วิเคราะห์ก่อน Curve fit - + Simulator stopped เครื่องจำลองหยุดลง - + debug logging ON ดีบักเข้าสู่ระบบ @@ -18064,45 +18102,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found ไม่พบโปรไฟล์พื้นหลัง - - - Scheduler started - เริ่มวางกำหนดการแล้ว - - - - Scheduler stopped - ตัวกำหนดเวลาหยุดทำงานแล้ว - - - - Completed roasts will not adjust the schedule while the schedule window is closed - การคั่วที่เสร็จสิ้นแล้วจะไม่ปรับตารางเวลาในขณะที่หน้าต่างตารางเวลาปิดอยู่ - - - - - 1 batch - 1 ชุด - - - - - - - {} batches - {} ชุด - - - - Updating completed roast properties failed - การอัปเดตคุณสมบัติการย่างที่เสร็จสมบูรณ์ล้มเหลว - - - - Fetching completed roast properties failed - การเรียกคุณสมบัติการย่างที่เสร็จสมบูรณ์ล้มเหลว - Event # {0} recorded at BT = {1} Time = {2} เหตุการณ์ # {0} บันทึกที่ BT = {1} เวลา = {2} @@ -18242,51 +18241,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - ดีบักเข้าสู่ระบบ - - - - debug logging OFF - ดีบักเข้าสู่ระบบปิด - - - - 1 day left - เหลืออีก 1 วัน - - - - {} days left - {} วันที่เหลือ - - - - Paid until - ชำระเงินจนถึง - - - - Please visit our {0}shop{1} to extend your subscription - โปรดไปที่ {0} ร้านค้า {1} ของเราเพื่อขยายการสมัครของคุณ - - - - Do you want to extend your subscription? - คุณต้องการขยายการสมัครของคุณหรือไม่? - - - - Your subscription ends on - การสมัครของคุณสิ้นสุดลงในวันที่ - - - - Your subscription ended on - การสมัครของคุณสิ้นสุดลงเมื่อ - Roast successfully upload to {} @@ -18476,6 +18430,51 @@ To keep it free and current please support us with your donation and subscribe t Remember จำไว้ + + + debug logging ON + ดีบักเข้าสู่ระบบ + + + + debug logging OFF + ดีบักเข้าสู่ระบบปิด + + + + 1 day left + เหลืออีก 1 วัน + + + + {} days left + {} วันที่เหลือ + + + + Paid until + ชำระเงินจนถึง + + + + Please visit our {0}shop{1} to extend your subscription + โปรดไปที่ {0} ร้านค้า {1} ของเราเพื่อขยายการสมัครของคุณ + + + + Do you want to extend your subscription? + คุณต้องการขยายการสมัครของคุณหรือไม่? + + + + Your subscription ends on + การสมัครของคุณสิ้นสุดลงในวันที่ + + + + Your subscription ended on + การสมัครของคุณสิ้นสุดลงเมื่อ + ({} of {} done) ({} จาก {} เสร็จแล้ว) @@ -18618,10 +18617,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope ขอบเขตการคั่ว @@ -19000,6 +18999,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + ทำ + + + + Completed + สมบูรณ์ + @@ -19032,7 +19041,7 @@ To keep it free and current please support us with your donation and subscribe t ตั้งค่า RS - + Extra @@ -19081,32 +19090,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT อุณหภูมิอากาศ/อุณหภูมิเมล็ด(ET/BT) - + Modbus Modbus - + S7 - + Scale ตราชั่ง - + Color สี - + WebSocket เว็บซ็อกเก็ต @@ -19143,17 +19152,17 @@ To keep it free and current please support us with your donation and subscribe t ติดตั้ง - + Details รายละเอียด - + Loads โหลด - + Protocol มาตรการ @@ -19238,16 +19247,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs จอแอลซีดี - - - To-Do - ทำ - - - - Completed - สมบูรณ์ - Done เสร็จแล้ว @@ -19386,7 +19385,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19406,7 +19405,7 @@ To keep it free and current please support us with your donation and subscribe t Soak HH:MM - + @@ -19416,7 +19415,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19440,37 +19439,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device อุปกรณ์ - + Comm Port Comm พอร์ต - + Baud Rate อัตราบอด - + Byte Size Byte Size - + Parity Parity - + Stopbits Stopbits - + Timeout หมดเวลา @@ -19478,16 +19477,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time เวลา - - + + @@ -19496,8 +19495,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -19506,104 +19505,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE ใส่เมล็ด - + DRY END จบ ช่วงการอบ - + FC START เริ่ม แกร๊กแรก - + FC END จบ แคร๊กแรก - + SC START เริ่ม แคร๊กสอง - + SC END จบ แคร๊กสอง - + DROP หยุด - + COOL ทำให้เย็น - + #{0} {1}{2} # {0} {1} {2} - + Power อำนาจ - + Duration ระยะเวลา - + CO2 - + Load โหลด (Load) - + Source แหล่งที่มา - + Kind ชนิด - + Name ชื่อ - + Weight น้ำหนัก @@ -20506,7 +20505,7 @@ initiated by the PID - + @@ -20527,7 +20526,7 @@ initiated by the PID - + Show help แสดงความช่วยเหลือ @@ -20681,20 +20680,24 @@ has to be reduced by 4 times. รันการดำเนินการสุ่มตัวอย่างพร้อมกัน ({}) ทุกช่วงเวลาการสุ่มตัวอย่าง หรือเลือกช่วงเวลาการทำซ้ำเพื่อรันแบบอะซิงโครนัสขณะสุ่มตัวอย่าง - + OFF Action String ปิด Action String - + ON Action String สตริงการดำเนินการ - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + ความล่าช้าพิเศษหลังจากเชื่อมต่อในไม่กี่วินาทีก่อนที่จะส่งคำขอ (จำเป็นสำหรับอุปกรณ์ Arduino ที่รีสตาร์ทเมื่อเชื่อมต่อ) + + + Extra delay in Milliseconds between MODBUS Serial commands การหน่วงเวลาพิเศษเป็นมิลลิวินาทีระหว่างคำสั่ง MODBUS Serial @@ -20710,12 +20713,7 @@ has to be reduced by 4 times. สแกน MODBUS - - Reset socket connection on error - รีเซ็ตการเชื่อมต่อซ็อกเก็ตเมื่อเกิดข้อผิดพลาด - - - + Scan S7 สแกน S7 @@ -20731,7 +20729,7 @@ has to be reduced by 4 times. สำหรับพื้นหลังที่โหลดด้วยอุปกรณ์พิเศษเท่านั้น - + The maximum nominal batch size of the machine in kg ขนาดแบทช์สูงสุดที่กำหนดของเครื่องในหน่วยกิโลกรัม @@ -21165,32 +21163,32 @@ Currently in TEMP MODE ขณะนี้อยู่ใน TEMP MODE - + <b>Label</b>= <b>ฉลาก</b>= - + <b>Description </b>= <b>คำอธิบาย </b>= - + <b>Type </b>= <b>ประเภท </b>= - + <b>Value </b>= <b>มูลค่า </b>= - + <b>Documentation </b>= <b>เอกสาร </b>= - + <b>Button# </b>= <b>ปุ่ม # </b>= @@ -21274,6 +21272,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white ตั้งค่าสีของปุ่มเป็นระดับสีเทาและสี LCD เป็นขาวดำ + + Reset socket connection on error + รีเซ็ตการเชื่อมต่อซ็อกเก็ตเมื่อเกิดข้อผิดพลาด + Action String แอคชั่นสตริง diff --git a/src/translations/artisan_tr.qm b/src/translations/artisan_tr.qm index f5cf88253..1fa43c3c8 100644 Binary files a/src/translations/artisan_tr.qm and b/src/translations/artisan_tr.qm differ diff --git a/src/translations/artisan_tr.ts b/src/translations/artisan_tr.ts index 343c728cb..fa4acad96 100644 --- a/src/translations/artisan_tr.ts +++ b/src/translations/artisan_tr.ts @@ -9,57 +9,57 @@ Yayın Sponsoru - + About Hakkında - + Core Developers Baş geliştirici - + License Lisans - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. En son sürüm bilgisi alınırken bir sorun oluştu. Lütfen İnternet bağlantınızı kontrol edin, daha sonra tekrar deneyin veya manuel olarak kontrol edin. - + A new release is available. Yeni bir sürüm mevcut. - + Show Change list Değişiklik listesini göster - + Download Release Sürümü İndir - + You are using the latest release. En son sürümü kullanıyorsunuz. - + You are using a beta continuous build. Sürekli bir beta sürümü kullanıyorsunuz. - + You will see a notice here once a new official release is available. Yeni bir resmi sürüm çıktığında burada bir bildirim göreceksiniz. - + Update status Güncelleme durumu @@ -223,14 +223,34 @@ Button + + + + + + + + + OK + ok + + + + + + + + Cancel + iptal + - - - - + + + + Restore Defaults @@ -258,7 +278,7 @@ - + @@ -286,7 +306,7 @@ - + @@ -344,17 +364,6 @@ Save kaydetmek - - - - - - - - - OK - ok - On @@ -567,15 +576,6 @@ Write PIDs PID'leri yazın - - - - - - - Cancel - iptal - Set ET PID to MM:SS time units @@ -594,8 +594,8 @@ - - + + @@ -615,7 +615,7 @@ - + @@ -655,7 +655,7 @@ Başlat - + Scan Tarama @@ -740,9 +740,9 @@ Güncelleme - - - + + + Save Defaults Varsayılanları Kaydet @@ -1497,12 +1497,12 @@ END Basmak - + START on CHARGE ŞARJ İLE BAŞLAYIN - + OFF on DROP DROP'ta KAPALI @@ -1574,61 +1574,61 @@ END Her Zaman Göster - + Heavy FC Güçlü FC - + Low FC Az FC - + Light Cut Açık kesme - + Dark Cut Koyu kesme - + Drops Damla damla - + Oily Yağımsı - + Uneven Ayrımlı - + Tipping Dökmek - + Scorching Yakmak - + Divots Çimen tabakası @@ -2440,14 +2440,14 @@ END - + ET ET - + BT BT @@ -2470,24 +2470,19 @@ END kelimeler - + optimize optimize etmek - + fetch full blocks tam blokları getir - - reset - Sıfırla - - - + compression sıkıştırma @@ -2673,6 +2668,10 @@ END Elec Elektrikli + + reset + Sıfırla + Title Başlık @@ -2868,6 +2867,16 @@ END Contextual Menu + + + All batches prepared + Tüm partiler hazırlandı + + + + No batch prepared + Toplu hazırlık yapılmadı + Add point @@ -2913,16 +2922,6 @@ END Edit Düzen - - - All batches prepared - Tüm partiler hazırlandı - - - - No batch prepared - Toplu hazırlık yapılmadı - Create Yaratmak @@ -4292,20 +4291,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4398,42 +4397,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4502,10 +4501,10 @@ END - - - - + + + + @@ -4703,12 +4702,12 @@ END - - - - - - + + + + + + @@ -4717,17 +4716,17 @@ END Numara eksiklik: - + Serial Exception: invalid comm port Serial istisnai durum: hatalı comm koneksiyon - + Serial Exception: timeout Serial istisnai durum: süresi geçmiş - + Unable to move CHARGE to a value that does not exist numarasız şarj olmaz @@ -4737,30 +4736,30 @@ END Modbus İletişimi Sürdürüldü - + Modbus Error: failed to connect Modbus Hatası: bağlanılamadı - - - - - - - - - + + + + + + + + + Modbus Error: Modbus eksiklik: - - - - - - + + + + + + Modbus Communication Error Modbus İletişim Hatası @@ -4844,52 +4843,52 @@ END İstisna: {} geçerli bir ayar dosyası değil - - - - - + + + + + Error eksiklik - + Exception: WebLCDs not supported by this build İstisna: WebLCD'ler bu yapı tarafından desteklenmiyor - + Could not start WebLCDs. Selected port might be busy. WebLCD'ler başlatılamadı. Seçilen bağlantı noktası meşgul olabilir. - + Failed to save settings Ayarlar kaydedilemedi - - + + Exception (probably due to an empty profile): İstisna (muhtemelen boş bir profil nedeniyle): - + Analyze: CHARGE event required, none found Analiz et: CHARGE olayı gerekli, hiçbiri bulunamadı - + Analyze: DROP event required, none found Analiz et: DROP olayı gerekli, hiçbiri bulunamadı - + Analyze: no background profile data available Analiz et: arka planda profil verisi yok - + Analyze: background profile requires CHARGE and DROP events Analiz et: arka plan profili, CHARGE ve DROP olaylarını gerektirir @@ -4984,6 +4983,12 @@ END Form Caption + + + + Custom Blend + Özel Karışım + Axes @@ -5118,12 +5123,12 @@ END koneksiyon - + MODBUS Help MODBUS Yardımı - + S7 Help S7 Yardımı @@ -5143,23 +5148,17 @@ END Kavurma tercihleri - - - Custom Blend - Özel Karışım - - - + Energy Help Enerji Yardımı - + Tare Setup Dara Kurulumu - + Set Measure from Profile Profilden Ölçü Ayarla @@ -5381,27 +5380,27 @@ END Yönetim - + Registers Kayıtlar - - + + Commands Komutlar - + PID PID - + Serial Seri @@ -5412,37 +5411,37 @@ END - + Input Giriş - + Machine makine - + Timeout Zaman aşımı - + Nodes Düğümler - + Messages Haberler - + Flags Bayraklar - + Events Etkinlikler @@ -5454,14 +5453,14 @@ END - + Energy Enerji - + CO2 @@ -5757,14 +5756,14 @@ END HTML Report Template - + BBP Total Time BBP Toplam Süre - + BBP Bottom Temp BBP Alt Sıcaklığı @@ -5781,849 +5780,849 @@ END - + Whole Color Tüm renk - - + + Profile Profil - + Roast Batches Kızartma Grupları - - - + + + Batch Toplu iş - - + + Date Tarih - - - + + + Beans Fasulye - - - + + + In İçinde - - + + Out Dışarı - - - + + + Loss Kayıp - - + + SUM TOPLAM - + Production Report Üretim Raporu - - + + Time Süre - - + + Weight In ağırlık - - + + CHARGE BT ŞARJ BT - - + + FCs Time FC Zamanı - - + + FCs BT FC'ler BT - - + + DROP Time BIRAKMA Zamanı - - + + DROP BT BT'yi DÜŞÜR - + Dry Percent Kuru Yüzde - + MAI Percent MAI Yüzdesi - + Dev Percent Gelişme Yüzdesi - - + + AUC EAA - - + + Weight Loss Kilo kaybı - - + + Color Renk - + Cupping çukurluğu - + Roaster Kavurmak aleti - + Capacity Kapasite - + Operator Şebeke - + Organization Organizasyon - + Drum Speed Tambur Hızı - + Ground Color Yer renk - + Color System Renk Sistemi - + Screen Min Ekran Min. - + Screen Max Ekran Maks - + Bean Temp Fasulye Sıcaklığı - + CHARGE ET ŞARJ ET - + TP Time TP Zamanı - + TP ET - + TP BT - + DRY Time Kuruma zamanı - + DRY ET KURU ET - + DRY BT KURU BT - + FCs ET FC'ler ET - + FCe Time FC Zamanı - + FCe ET - + FCe BT - + SCs Time SC Zamanı - + SCs ET SC'ler ET - + SCs BT SC'ler BT - + SCe Time SCe Zamanı - + SCe ET - + SCe BT - + DROP ET BIRAK ET - + COOL Time Rahat zaman - + COOL ET SOĞUK ET - + COOL BT HARİKA BT - + Total Time Toplam zaman - + Dry Phase Time Kuru Faz Süresi - + Mid Phase Time Orta Aşama Süresi - + Finish Phase Time Bitiş Aşaması Süresi - + Dry Phase RoR Kuru Faz RoR - + Mid Phase RoR Orta Faz RoR - + Finish Phase RoR Bitiş Aşaması RoR - + Dry Phase Delta BT Kuru Faz Delta BT - + Mid Phase Delta BT Orta Faz Delta BT - + Finish Phase Delta BT Bitiş Aşaması Delta BT - + Finish Phase Rise Bitiş Aşaması Yükselişi - + Total RoR Toplam RoR - + FCs RoR FC'ler RoR - + MET TANIŞMAK - + AUC Begin AUC Başlangıcı - + AUC Base EAA Tabanı - + Dry Phase AUC Kuru Faz EAA - + Mid Phase AUC Orta Aşama EAA - + Finish Phase AUC Bitiş Aşaması EAA - + Weight Out Ağırlık vermek - + Volume In Ses Girişi - + Volume Out Ses Çıkışı - + Volume Gain Ses Arttırma - + Green Density Yeşil Yoğunluk - + Roasted Density Kavrulmuş Yoğunluk - + Moisture Greens Kaydetmek şartlar - + Moisture Roasted Nem Kavrulmuş - + Moisture Loss Nem Kaybı - + Organic Loss Organik Kayıp - + Ambient Humidity Ortam nemi - + Ambient Pressure Ortam basıncı - + Ambient Temperature Ortam sıcaklığı - - + + Roasting Notes Kavurmak icin not - - + + Cupping Notes Fincan adeti icin not - + Heavy FC Güçlü FC - + Low FC Az FC - + Light Cut Açık kesme - + Dark Cut Koyu kesme - + Drops Damla damla - + Oily Yağımsı - + Uneven Ayrımlı - + Tipping Dökmek - + Scorching Yakmak - + Divots Çimen tabakası - + Mode mod - + BTU Batch BTU Grubu - + BTU Batch per green kg Yeşil kg başına BTU Yığın - + CO2 Batch CO2 Grubu - + BTU Preheat BTU Ön Isıtma - + CO2 Preheat CO2 Ön Isıtma - + BTU BBP - + CO2 BBP - + BTU Cooling BTU Soğutma - + CO2 Cooling CO2 Soğutma - + BTU Roast BTU Kızartma - + BTU Roast per green kg Yeşil kg başına BTU Kızartma - + CO2 Roast CO2 Kızartma - + CO2 Batch per green kg Yeşil kg başına CO2 Grubu - + BTU LPG - + BTU NG - + BTU ELEC BTÜ ELEKTRONİK - + Efficiency Batch Verimlilik Grubu - + Efficiency Roast Verimlilik Kızartma - + BBP Begin BBP Başlangıcı - + BBP Begin to Bottom Time BBP Başlangıçtan Dip Zamanına Kadar - + BBP Bottom to CHARGE Time BBP Dipten ŞARJ Süresine Kadar - + BBP Begin to Bottom RoR BBP En Düşük RoR'a Başlıyor - + BBP Bottom to CHARGE RoR BBP ŞARJ RoR'da Dipte - + File Name Dosya adı - + Roast Ranking Kızartma Sıralaması - + Ranking Report Sıralama Raporu - + AVG ortalama - + Roasting Report Kavurma raporu - + Date: Tarih: - + Beans: Fasulye: - + Weight: Ağırlıkı: - + Volume: Hacim: - + Roaster: Kavurmak makinesi: - + Operator: İ=Işçi: - + Organization: Organizasyon: - + Cupping: Fincan adeti: - + Color: Renk: - + Energy: Enerji: - + CO2: - + CHARGE: Ücret: - + Size: Büyüklükü: - + Density: Yoğunluk: - + Moisture: Nem: - + Ambient: ortam: - + TP: - + DRY: Kuru: - + FCs: FC's: - + FCe: FCe: - + SCs: SCs: - + SCe: SCe: - + DROP: Damla: - + COOL: Serinletmek: - + MET: TANIŞMAK: - + CM: SANTİMETRE: - + Drying: Kurutmak: - + Maillard: Maillard: - + Finishing: Bitiricilik: - + Cooling: Soğutmak: - + Background: Arka fon: - + Alarms: Alarmlar: - + RoR: RoR: - + AUC: EAA: - + Events Olaylar @@ -12224,6 +12223,92 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Label + + + + + + + + + Weight + Ağırlık + + + + + + + Beans + Fasulye + + + + + + Density + Yoğunluk + + + + + + Color + Renk + + + + + + Moisture + Nem + + + + + + + Roasting Notes + Kavurmak not + + + + Score + Gol + + + + + Cupping Score + Kupa Puanı + + + + + + + Cupping Notes + Fincan adeti not + + + + + + + + Roasted + Kavrulmuş + + + + + + + + + Green + Yeşil + @@ -12328,7 +12413,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12347,7 +12432,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12363,7 +12448,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12382,7 +12467,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12409,7 +12494,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12441,7 +12526,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + DRY KURU @@ -12458,7 +12543,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCs FC'ler @@ -12466,7 +12551,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + FCe @@ -12474,7 +12559,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCs SC'ler @@ -12482,7 +12567,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + SCe @@ -12495,7 +12580,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12510,10 +12595,10 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog / dk - - - - + + + + @@ -12521,8 +12606,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + @@ -12536,8 +12621,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Döngü - - + + Input Giriş @@ -12571,7 +12656,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + @@ -12588,8 +12673,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Mode @@ -12651,7 +12736,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Label @@ -12776,21 +12861,21 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog SV maks - + P P - + I I - + D @@ -12852,13 +12937,6 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Markers markör - - - - - Color - Renk - Text Color @@ -12889,9 +12967,9 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Büyüklük - - + + @@ -12929,8 +13007,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Event @@ -12943,7 +13021,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Hareket - + Command Kumanda @@ -12955,7 +13033,7 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Eşit kılmak - + Factor @@ -12972,14 +13050,14 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Geçici - + Unit Birim - + Source Kaynak @@ -12990,10 +13068,10 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Küme - - - + + + OFF @@ -13044,15 +13122,15 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Kaydetmek - - + + Area Alan - - + + DB# DB # @@ -13060,54 +13138,54 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - + Start - - + + Comm Port Comm koneksiyon - - + + Baud Rate Baud oran - - + + Byte Size Bayt büyüklük - - + + Parity Eşitlik - - + + Stopbits Stop bitler - - + + @@ -13144,8 +13222,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Type Cins @@ -13155,8 +13233,8 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Host @@ -13167,20 +13245,20 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog - - + + Port Liman - + SV Factor SV Faktörü - + pid Factor pid Faktörü @@ -13202,75 +13280,75 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Sıkı - - + + Device Alet - + Rack Raf - + Slot Yuva - + Path Yol - + ID İD - + Connect Bağlan - + Reconnect Yeniden bağlan - - + + Request İstek - + Message ID Mesaj Kimliği - + Machine ID makine kimliği - + Data Veri - + Message İleti - + Data Request Veri isteği - - + + Node Düğüm @@ -13332,17 +13410,6 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog g g - - - - - - - - - Weight - Ağırlık - @@ -13350,25 +13417,6 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Volume Hacim - - - - - - - - Green - Yeşil - - - - - - - - Roasted - Kavrulmuş - @@ -13419,31 +13467,16 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Tarih - + Batch Toplu iş - - - - - - Beans - Fasulye - % % - - - - - Density - Yoğunluk - Screen @@ -13459,13 +13492,6 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ground Zemin - - - - - Moisture - Nem - @@ -13478,22 +13504,6 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Ambient Conditions Çevre şartları - - - - - - Roasting Notes - Kavurmak not - - - - - - - Cupping Notes - Fincan adeti not - Ambient Source @@ -13515,140 +13525,140 @@ Kayıt 1380 Burundi KigandaMurambi 2020-04-25_113809.alog Harman - + Template Şablon - + Results in Sonuçlar - + Rating Değerlendirme - + Pressure % Basınç % - + Electric Energy Mix: Elektrik Enerjisi Karışımı: - + Renewable Yenilenebilir - - + + Pre-Heating Ön Isıtma - - + + Between Batches Partiler Arası - - + + Cooling Soğutmak - + Between Batches after Pre-Heating Ön Isıtmadan Sonra Partiler Arası - + (mm:ss) (mm: ss) - + Duration Süresi - + Measured Energy or Output % Ölçülen Enerji veya Çıktı% - - + + Preheat Ön ısıtma - - + + BBP - - - - + + + + Roast Kavur - - + + per kg green coffee kg başına yeşil kahve - + Load yüklemek - + Organization Organizasyon - + Operator işçi - + Machine makine - + Model Modeli - + Heating Isıtma - + Drum Speed Tambur Hızı - + organic material organik materyal @@ -13972,12 +13982,6 @@ LCD'ler Tümü Roaster Kavurmak aleti - - - - Cupping Score - Kupa Puanı - Max characters per line @@ -14057,7 +14061,7 @@ LCD'ler Tümü Kenar rengi (RGBA) - + roasted kavrulmuş @@ -14204,22 +14208,22 @@ LCD'ler Tümü - + ln() ln () - - + + x x - - + + Bkgnd arkaplan @@ -14368,99 +14372,99 @@ LCD'ler Tümü Fasulyeleri şarj edin - + /m / m - + greens yeşillik - - - + + + STOP DURMAK - - + + OPEN AÇIK - - - + + + CLOSE KAPALI - - + + AUTO OTO - - - + + + MANUAL MANUEL - + STIRRER KARIŞTIRICI - + FILL DOLDURMAK - + RELEASE SERBEST BIRAKMAK - + HEATING ISITMA - + COOLING SOĞUTMA - + RMSE BT - + MSE BT - + RoR - + @FCs @FC'ler - + Max+/Max- RoR Maks + / Maks- RoR @@ -14786,11 +14790,6 @@ LCD'ler Tümü Aspect Ratio Görünüş oran - - - Score - Gol - RPM devir @@ -15188,6 +15187,12 @@ LCD'ler Tümü Menu + + + + Schedule + Plan + @@ -15645,12 +15650,6 @@ LCD'ler Tümü Sliders Sürme düğmeler - - - - Schedule - Plan - Full Screen @@ -15796,6 +15795,53 @@ LCD'ler Tümü Message + + + Scheduler started + Planlayıcı başlatıldı + + + + Scheduler stopped + Zamanlayıcı durduruldu + + + + + + + Warning + Uyarı + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Tamamlanan kavurmalar, zamanlama penceresi kapalıyken zamanlamayı ayarlamaz + + + + + 1 batch + 1 parti + + + + + + + {} batches + {} grup + + + + Updating completed roast properties failed + Tamamlanan kızartma özellikleri güncellenemedi + + + + Fetching completed roast properties failed + Tamamlanan kızartma özellikleri getirilemedi + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16356,20 +16402,20 @@ Komando sondan tekrarlamak: {0} - + Bluetootooth access denied Bluetooth erişimi reddedildi - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Serial koneksiyon ayarlar: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16403,50 +16449,50 @@ Komando sondan tekrarlamak: {0} Arka plan profileri okumak... - + Event table copied to clipboard Olay tablosu panoya kopyalandı - + The 0% value must be less than the 100% value. %0 değeri, %100 değerinden küçük olmalıdır. - - + + Alarms from events #{0} created Oluşturulan {0} numaralı etkinliklerden alarmlar - - + + No events found Olaylar yok - + Event #{0} added Olay #{0} eklendi - + No profile found Profil bulunmadı - + Events #{0} deleted {0} numaralı etkinlikler silindi - + Event #{0} deleted Olay #{0} silindi - + Roast properties updated but profile not saved to disk Kavurma tercihleri yenileşti ama profiler kaydetmek olmadı @@ -16461,7 +16507,7 @@ Komando sondan tekrarlamak: {0} MODBUS bağlantısı kesildi - + Connected via MODBUS MODBUS üzerinden bağlandı @@ -16628,27 +16674,19 @@ Komando sondan tekrarlamak: {0} Sampling Örnekleme - - - - - - Warning - Uyarı - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Sıkı bir örnekleme aralığı, bazı makinelerde kararsızlığa neden olabilir. En az 1 sn öneriyoruz. - + Incompatible variables found in %s %s içinde uyumsuz değişkenler bulundu - + Assignment problem atama sorunu @@ -16742,8 +16780,8 @@ Komando sondan tekrarlamak: {0} takip etmek - - + + Save Statistics İstatistikleri Kaydet @@ -16905,19 +16943,19 @@ To keep it free and current please support us with your donation and subscribe t Artisan, {0} için yapılandırıldı - + Load theme {0}? {0} teması yüklensin mi? - + Adjust Theme Related Settings Temayla İlgili Ayarları Yapın - + Loaded theme {0} {0} teması yüklendi @@ -16928,8 +16966,8 @@ To keep it free and current please support us with your donation and subscribe t Görmesi zor olabilecek bir renk çifti algılandı: - - + + Simulator started @{}x Simülatör @{}x'te başladı @@ -16980,14 +17018,14 @@ To keep it free and current please support us with your donation and subscribe t autoDROP kapalı - + PID set to OFF PID kapalı konuma koyuldu - + PID set to ON @@ -17207,7 +17245,7 @@ To keep it free and current please support us with your donation and subscribe t {0} kaydet edildi. Yeni kavurma başladı - + Invalid artisan format @@ -17272,10 +17310,10 @@ Mevcut ayarlarınızı önceden Yardım >> Ayarları Kaydet menüsü arac Profili kaydedildi - - - - + + + + @@ -17367,347 +17405,347 @@ Mevcut ayarlarınızı önceden Yardım >> Ayarları Kaydet menüsü arac Yükleme Ayarları iptal edildi - - + + Statistics Saved İstatistikler Kaydedildi - + No statistics found İstatistik bulunamadı - + Excel Production Report exported to {0} Excel Üretim Raporu {0} olarak dışa aktarıldı - + Ranking Report Sıralama Raporu - + Ranking graphs are only generated up to {0} profiles Sıralama grafikleri yalnızca {0} profile kadar oluşturulur - + Profile missing DRY event Profilde DRY olayı eksik - + Profile missing phase events Profil eksik faz olayları - + CSV Ranking Report exported to {0} {0} için dışa aktarılan CSV Sıralaması Raporu - + Excel Ranking Report exported to {0} Excel Sıralaması Raporu {0} olarak dışa aktarıldı - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Artisan'ın Bluetooth'a erişmesine izin verilmezken Bluetooth terazisi bağlanamaz - + Bluetooth access denied Bluetooth erişimi reddedildi - + Hottop control turned off Hottop kontrolü kapatıldı - + Hottop control turned on Hottop kontrolü açık - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Bir Hottop'ı kontrol etmek için önce zamanlayıcı LCD'sine sağ tıklayarak süper kullanıcı modunu etkinleştirmeniz gerekir! - - + + Settings not found ayarlar bulunamadı - + artisan-settings esnaf ayarları - + Save Settings Ayarları kaydet - + Settings saved Ayarlar kaydedildi - + artisan-theme esnaf teması - + Save Theme Temayı Kaydet - + Theme saved Tema kaydedildi - + Load Theme Temayı Yükle - + Theme loaded Tema yüklendi - + Background profile removed Arka plan profili kaldırıldı - + Alarm Config Alarm ayarlar - + Alarms are not available for device None Alarmlar yok olan alet için yok - + Switching the language needs a restart. Restart now? Dili değiştirmek için yeniden başlatma gerekir. Şimdi yeniden başlat? - + Restart Tekrar başlat - + Import K202 CSV Dışalım K202 CSV - + K202 file loaded successfully K202 okundu - + Import K204 CSV Dışalım K204 CSV - + K204 file loaded successfully K204 okundu - + Import Probat Recipe Probat Tarifini İçe Aktar - + Probat Pilot data imported successfully Probat Pilot verileri başarıyla içe aktarıldı - + Import Probat Pilot failed Probat Pilotunu İçe Aktarma başarısız oldu - - + + {0} imported {0} içe aktarıldı - + an error occurred on importing {0} {0} içe aktarılırken bir hata oluştu - + Import Cropster XLS Cropster XLS'yi içe aktarın - + Import RoastLog URL RoastLog URL'sini İçe Aktar - + Import RoastPATH URL RoastPATH URL'sini içe aktar - + Import Giesen CSV Giesen CSV'sini içe aktar - + Import Petroncini CSV Petroncini CSV'sini içe aktarın - + Import IKAWA URL IKAWA URL'sini içe aktar - + Import IKAWA CSV IKAWA CSV'yi içe aktarın - + Import Loring CSV Loring CSV'sini içe aktarın - + Import Rubasse CSV Rubasse CSV'yi içe aktarın - + Import HH506RA CSV Dışalım HH506RA CSV - + HH506RA file loaded successfully HH506RA CSV okundu - + Save Graph as Grafiği farklı kaydet - + {0} size({1},{2}) saved {0} boy({1},{2}) kaydedili - + Save Graph as PDF - + Save Graph as SVG Grafiki SVG olarak kaydet - + {0} saved {0} kaydedili - + Wheel {0} loaded {0} tekerleği yüklendi - + Invalid Wheel graph format Hatalı grafik teker formatı - + Buttons copied to Palette # Palete kopyalanan düğmeler # - + Palette #%i restored Palet #%i geri yüklendi - + Palette #%i empty Palet #%i boş - + Save Palettes Paletleri kaydet - + Palettes saved Paletleri kaydedildi - + Palettes loaded Paletler yüklendi - + Invalid palettes file format Hatalı paletler dosya formatı - + Alarms loaded Alarmlar yüklendi - + Fitting curves... Uydurma eğriler... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Uyarı: İlgili analiz aralığının başlangıcı, eğri uydurmanın başlangıcından daha erkendir. Bunu Yapılandırma>Eğriler>Analiz Et sekmesinde düzeltin. - + Analysis earlier than Curve fit Eğri sığdırmadan önce analiz - + Simulator stopped Simülatör durduruldu - + debug logging ON hata ayıklama günlüğü AÇIK @@ -18360,45 +18398,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Arka plan profili bulunmadı - - - Scheduler started - Planlayıcı başlatıldı - - - - Scheduler stopped - Zamanlayıcı durduruldu - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Tamamlanan kavurmalar, zamanlama penceresi kapalıyken zamanlamayı ayarlamaz - - - - - 1 batch - 1 parti - - - - - - - {} batches - {} grup - - - - Updating completed roast properties failed - Tamamlanan kızartma özellikleri güncellenemedi - - - - Fetching completed roast properties failed - Tamamlanan kızartma özellikleri getirilemedi - Event # {0} recorded at BT = {1} Time = {2} Olay # {0} BT = {1} Time = {2} den sonra teybe çekildi @@ -18946,51 +18945,6 @@ Devam? Plus - - - debug logging ON - hata ayıklama günlüğü AÇIK - - - - debug logging OFF - hata ayıklama günlüğü KAPALI - - - - 1 day left - 1 gün kaldı - - - - {} days left - {} Kalan günler - - - - Paid until - Tarihine kadar ödendi - - - - Please visit our {0}shop{1} to extend your subscription - Aboneliğinizi uzatmak için lütfen {0} mağazamızı {1} ziyaret edin - - - - Do you want to extend your subscription? - Aboneliğinizi uzatmak istiyor musunuz? - - - - Your subscription ends on - Aboneliğiniz şu tarihte sona eriyor - - - - Your subscription ended on - Aboneliğiniz tarihinde sona erdi - Roast successfully upload to {} @@ -19180,6 +19134,51 @@ Devam? Remember Hatırlamak + + + debug logging ON + hata ayıklama günlüğü AÇIK + + + + debug logging OFF + hata ayıklama günlüğü KAPALI + + + + 1 day left + 1 gün kaldı + + + + {} days left + {} Kalan günler + + + + Paid until + Tarihine kadar ödendi + + + + Please visit our {0}shop{1} to extend your subscription + Aboneliğinizi uzatmak için lütfen {0} mağazamızı {1} ziyaret edin + + + + Do you want to extend your subscription? + Aboneliğinizi uzatmak istiyor musunuz? + + + + Your subscription ends on + Aboneliğiniz şu tarihte sona eriyor + + + + Your subscription ended on + Aboneliğiniz tarihinde sona erdi + ({} of {} done) ({} / {} tamamlandı) @@ -19346,10 +19345,10 @@ Devam? - - - - + + + + Roaster Scope Kavurma çerçevesi @@ -19752,6 +19751,16 @@ Devam? Tab + + + To-Do + Yapmak + + + + Completed + Tamamlanmış + @@ -19784,7 +19793,7 @@ Devam? RS yerleştir - + Extra @@ -19833,32 +19842,32 @@ Devam? - + ET/BT ET/ BT - + Modbus Modbus - + S7 - + Scale Büyütmek - + Color Renk - + WebSocket @@ -19895,17 +19904,17 @@ Devam? Kurulum - + Details Detaylar - + Loads Yükler - + Protocol Protokol @@ -19990,16 +19999,6 @@ Devam? LCDs LCD's - - - To-Do - Yapmak - - - - Completed - Tamamlanmış - Done Tamamlamak @@ -20126,7 +20125,7 @@ Devam? - + @@ -20146,7 +20145,7 @@ Devam? Yumuşatmak HH:MM - + @@ -20156,7 +20155,7 @@ Devam? - + @@ -20180,37 +20179,37 @@ Devam? - + Device Alet - + Comm Port Comm koneksiyon - + Baud Rate Baud oran - + Byte Size bayt büyüklük - + Parity Eşitlik - + Stopbits Stop bit - + Timeout Süresi dolmuş @@ -20218,16 +20217,16 @@ Devam? - - + + Time Saat - - + + @@ -20236,8 +20235,8 @@ Devam? - - + + @@ -20246,104 +20245,104 @@ Devam? - + CHARGE ŞARJ ETMEK - + DRY END Kurutmak son - + FC START FC start - + FC END FC bitiş - + SC START SC start - + SC END SC bitiş - + DROP Damla - + COOL Soğut - + #{0} {1}{2} # {0} {1} {2} - + Power Güç - + Duration Süresi - + CO2 - + Load yüklemek - + Source Kaynak - + Kind Tür - + Name İsim Soyisim - + Weight Ağırlık @@ -21339,7 +21338,7 @@ PID tarafından başlatılan - + @@ -21360,7 +21359,7 @@ PID tarafından başlatılan - + Show help Yardım göster @@ -21514,20 +21513,24 @@ Isıyı (veya gaz akışını) gaz basıncının %50'si kadar azaltmak için Örnekleme eylemini her örnekleme aralığında eşzamanlı olarak ({}) çalıştırın veya örnekleme sırasında eşzamansız olarak çalıştırmak için bir tekrarlama zaman aralığı seçin - + OFF Action String KAPALI Eylem Dizisi - + ON Action String AÇIK Eylem Dizisi - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + İstekleri göndermeden önce saniyeler içinde bağlantıdan sonra ekstra gecikme (bağlantı sırasında Arduino cihazlarının yeniden başlatılması için gereklidir) + + + Extra delay in Milliseconds between MODBUS Serial commands MODBUS Seri komutları arasında Milisaniye cinsinden ekstra gecikme @@ -21543,12 +21546,7 @@ Isıyı (veya gaz akışını) gaz basıncının %50'si kadar azaltmak için MODBUS'u tarayın - - Reset socket connection on error - Hata durumunda soket bağlantısını sıfırla - - - + Scan S7 S7'yi Tara @@ -21564,7 +21562,7 @@ Isıyı (veya gaz akışını) gaz basıncının %50'si kadar azaltmak için Yalnızca ekstra cihazlarla yüklü arka planlar için - + The maximum nominal batch size of the machine in kg Makinenin kg cinsinden maksimum nominal parti boyutu @@ -21996,32 +21994,32 @@ Currently in TEMP MODE Şu anda SICAKLIK MODUNDA - + <b>Label</b>= <b>Etiket</b>= - + <b>Description </b>= <b>Etiket</b>= - + <b>Type </b>= <b>Cins</b>= - + <b>Value </b>= <b>Sayı</b>= - + <b>Documentation </b>= <b>Doküman</b>= - + <b>Button# </b>= <b>Düğme</b>= @@ -22105,6 +22103,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white Düğme renklerini gri tonlamaya ve LCD renklerini siyah beyaza ayarlar + + Reset socket connection on error + Hata durumunda soket bağlantısını sıfırla + Action String Haraketin harfları diff --git a/src/translations/artisan_uk.qm b/src/translations/artisan_uk.qm index af887f899..eeded49d5 100644 Binary files a/src/translations/artisan_uk.qm and b/src/translations/artisan_uk.qm differ diff --git a/src/translations/artisan_uk.ts b/src/translations/artisan_uk.ts index d96652021..9afb71f37 100644 --- a/src/translations/artisan_uk.ts +++ b/src/translations/artisan_uk.ts @@ -9,57 +9,57 @@ Спонсор випуску - + About про - + Core Developers Основні розробники - + License Ліцензія - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Виникла проблема з отриманням інформації про останню версію. Перевірте підключення до Інтернету, спробуйте пізніше або перевірте вручну. - + A new release is available. Доступний новий випуск. - + Show Change list Показати список змін - + Download Release Завантажити випуск - + You are using the latest release. Ви використовуєте останню версію. - + You are using a beta continuous build. Ви використовуєте бета-версію безперервної збірки. - + You will see a notice here once a new official release is available. Ви побачите сповіщення тут, коли буде доступний новий офіційний випуск. - + Update status Оновити статус @@ -211,14 +211,34 @@ Button + + + + + + + + + OK + гаразд + + + + + + + + Cancel + Скасувати + - - - - + + + + Restore Defaults @@ -246,7 +266,7 @@ - + @@ -274,7 +294,7 @@ - + @@ -332,17 +352,6 @@ Save Зберегти - - - - - - - - - OK - гаразд - On @@ -555,15 +564,6 @@ Write PIDs Напишіть PID - - - - - - - Cancel - Скасувати - Set ET PID to MM:SS time units @@ -582,8 +582,8 @@ - - + + @@ -603,7 +603,7 @@ - + @@ -643,7 +643,7 @@ Почніть - + Scan Сканувати @@ -728,9 +728,9 @@ оновлення - - - + + + Save Defaults Зберегти параметри за замовчуванням @@ -1379,12 +1379,12 @@ END Поплавати - + START on CHARGE СТАРТ НА ЗАРЯДКУ - + OFF on DROP ВИМКНЕНО на DROP @@ -1456,61 +1456,61 @@ END Показувати завжди - + Heavy FC Важкий ФК - + Low FC Низький ФК - + Light Cut Легкий виріз - + Dark Cut Темний крій - + Drops Краплі - + Oily Жирний - + Uneven Нерівномірний - + Tipping Чайові - + Scorching Пекучий - + Divots Воронки @@ -2274,14 +2274,14 @@ END - + ET - + BT @@ -2304,24 +2304,19 @@ END слова - + optimize оптимізувати - + fetch full blocks отримати повні блоки - - reset - скинути - - - + compression стиснення @@ -2507,6 +2502,10 @@ END Elec Електр + + reset + скинути + Title Назва @@ -2570,6 +2569,16 @@ END Contextual Menu + + + All batches prepared + Всі партії готові + + + + No batch prepared + Партія не підготовлена + Add point @@ -2615,16 +2624,6 @@ END Edit Редагувати - - - All batches prepared - Всі партії готові - - - - No batch prepared - Партія не підготовлена - Countries @@ -3959,20 +3958,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4065,42 +4064,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4169,10 +4168,10 @@ END - - - - + + + + @@ -4370,12 +4369,12 @@ END - - - - - - + + + + + + @@ -4384,17 +4383,17 @@ END Помилка значення: - + Serial Exception: invalid comm port Виняток послідовного порту: недійсний порт зв’язку - + Serial Exception: timeout Послідовний виняток: час очікування - + Unable to move CHARGE to a value that does not exist Неможливо перемістити CHARGE до значення, якого не існує @@ -4404,30 +4403,30 @@ END Зв'язок Modbus відновлено - + Modbus Error: failed to connect Помилка Modbus: не вдалося підключитися - - - - - - - - - + + + + + + + + + Modbus Error: Помилка Modbus: - - - - - - + + + + + + Modbus Communication Error Помилка зв’язку Modbus @@ -4511,52 +4510,52 @@ END Виняток: {} недійсний файл налаштувань - - - - - + + + + + Error Помилка - + Exception: WebLCDs not supported by this build Виняток: WebLCD не підтримується цією збіркою - + Could not start WebLCDs. Selected port might be busy. Не вдалося запустити WebLCD. Вибраний порт може бути зайнятий. - + Failed to save settings Не вдалося зберегти налаштування - - + + Exception (probably due to an empty profile): Виняток (ймовірно, через порожній профіль): - + Analyze: CHARGE event required, none found Аналіз: потрібна подія CHARGE, не знайдено - + Analyze: DROP event required, none found Аналіз: потрібна подія DROP, нічого не знайдено - + Analyze: no background profile data available Проаналізувати: фонові дані профілю відсутні - + Analyze: background profile requires CHARGE and DROP events Аналіз: для фонового профілю потрібні події CHARGE і DROP @@ -4596,6 +4595,12 @@ END Form Caption + + + + Custom Blend + Спеціальна суміш + Axes @@ -4730,12 +4735,12 @@ END Конфігурація портів - + MODBUS Help Довідка MODBUS - + S7 Help S7 Довідка @@ -4755,23 +4760,17 @@ END Властивості смаження - - - Custom Blend - Спеціальна суміш - - - + Energy Help Енергетична допомога - + Tare Setup Налаштування тар - + Set Measure from Profile Встановити вимірювання з профілю @@ -4981,27 +4980,27 @@ END Менеджмент - + Registers Реєстри - - + + Commands Команди - + PID - + Serial Серійний @@ -5012,37 +5011,37 @@ END - + Input Вхідні дані - + Machine Машина - + Timeout Час вийшов - + Nodes Вузли - + Messages Повідомлення - + Flags Прапори - + Events Події @@ -5054,14 +5053,14 @@ END - + Energy Енергія - + CO2 @@ -5293,14 +5292,14 @@ END HTML Report Template - + BBP Total Time Загальний час BBP - + BBP Bottom Temp @@ -5317,849 +5316,849 @@ END - + Whole Color Цілий колір - - + + Profile Профіль - + Roast Batches Смажені партії - - - + + + Batch партія - - + + Date Дата - - - + + + Beans квасоля - - - + + + In в - - + + Out Вийти - - - + + + Loss Втрата - - + + SUM - + Production Report Звіт про виробництво - - + + Time час - - + + Weight In Вага в - - + + CHARGE BT ЗАРЯДИ BT - - + + FCs Time - - + + FCs BT - - + + DROP Time - - + + DROP BT ВІДПУСТИТИ BT - + Dry Percent Сухий відсоток - + MAI Percent MAI Відсоток - + Dev Percent Відсоток розробки - - + + AUC - - + + Weight Loss Втрата ваги - - + + Color колір - + Cupping Купування - + Roaster жаровня - + Capacity Ємність - + Operator Оператор - + Organization організація - + Drum Speed Швидкість барабана - + Ground Color Основний колір - + Color System Система кольорів - + Screen Min Екран Мін - + Screen Max Екран Макс - + Bean Temp Темп. бобів - + CHARGE ET ЗАРЯД ЕТ - + TP Time Час TP - + TP ET - + TP BT - + DRY Time Час СУХІ - + DRY ET СУХИЙ ЕТ - + DRY BT СУХИЙ БТ - + FCs ET - + FCe Time Час FCe - + FCe ET - + FCe BT - + SCs Time Час SC - + SCs ET - + SCs BT - + SCe Time Час SCe - + SCe ET - + SCe BT - + DROP ET КРАПЛЕННЯ ЕТ - + COOL Time - + COOL ET КРУТИ ЕТ - + COOL BT КРУТИ BT - + Total Time Загальний час - + Dry Phase Time Час сухої фази - + Mid Phase Time Час середньої фази - + Finish Phase Time Час фази завершення - + Dry Phase RoR Суха фаза RoR - + Mid Phase RoR Середня фаза RoR - + Finish Phase RoR Фінішна фаза RoR - + Dry Phase Delta BT Суха фаза Delta BT - + Mid Phase Delta BT Середня фаза Delta BT - + Finish Phase Delta BT Фінішна фаза Delta BT - + Finish Phase Rise Підйом фази завершення - + Total RoR Загальна норма прибутку - + FCs RoR - + MET МЕТ - + AUC Begin Початок AUC - + AUC Base База AUC - + Dry Phase AUC Суха фаза AUC - + Mid Phase AUC Середня фаза AUC - + Finish Phase AUC Фінішна фаза AUC - + Weight Out Зниження ваги - + Volume In Обсяг в - + Volume Out Вихід гучності - + Volume Gain Приріст гучності - + Green Density Зелена щільність - + Roasted Density Смажена Густота - + Moisture Greens Волога зелень - + Moisture Roasted Смажена волога - + Moisture Loss Втрата вологи - + Organic Loss Органічні втрати - + Ambient Humidity Вологість навколишнього середовища - + Ambient Pressure Тиск навколишнього середовища - + Ambient Temperature Температура навколишнього середовища - - + + Roasting Notes Примітки до смаження - - + + Cupping Notes Примітки до чашок - + Heavy FC Важкий ФК - + Low FC Низький FC - + Light Cut Легкий виріз - + Dark Cut Темний виріз - + Drops краплі - + Oily жирний - + Uneven Нерівний - + Tipping Чайові - + Scorching Пекучий - + Divots Дівоти - + Mode Режим - + BTU Batch BTU Пакет - + BTU Batch per green kg BTU Партія на зелений кг - + CO2 Batch Партія CO2 - + BTU Preheat BTU Попередній нагрів - + CO2 Preheat CO2 Попередній нагрів - + BTU BBP - + CO2 BBP - + BTU Cooling BTU Охолодження - + CO2 Cooling Охолодження CO2 - + BTU Roast Смаження BTU - + BTU Roast per green kg BTU Смаження на зелений кг - + CO2 Roast Смаження CO2 - + CO2 Batch per green kg Партія CO2 на зелений кг - + BTU LPG - + BTU NG - + BTU ELEC BTU ЕЛЕКТ - + Efficiency Batch Ефективність партії - + Efficiency Roast Ефективність Смаження - + BBP Begin Початок BBP - + BBP Begin to Bottom Time BBP від ​​початку до нижнього часу - + BBP Bottom to CHARGE Time BBP Нижній час до CHARGE - + BBP Begin to Bottom RoR - + BBP Bottom to CHARGE RoR - + File Name Ім'я файлу - + Roast Ranking Рейтинг смажених - + Ranking Report Рейтинговий звіт - + AVG СЕР - + Roasting Report Звіт про обсмажування - + Date: Дата: - + Beans: квасоля: - + Weight: вага: - + Volume: обсяг: - + Roaster: жаровня: - + Operator: Оператор: - + Organization: організація: - + Cupping: Купування: - + Color: колір: - + Energy: Енергія: - + CO2: - + CHARGE: ЗАРЯД: - + Size: розмір: - + Density: Щільність: - + Moisture: вологість: - + Ambient: Ембіент: - + TP: - + DRY: СУХИЙ: - + FCs: ФК: - + FCe: - + SCs: СК: - + SCe: - + DROP: КРАПЛЯ: - + COOL: КОЛО: - + MET: - + CM: СМ: - + Drying: Сушка: - + Maillard: Майлард: - + Finishing: Оздоблення: - + Cooling: Охолодження: - + Background: фон: - + Alarms: Сигналізація: - + RoR: - + AUC: - + Events Події @@ -11645,6 +11644,92 @@ Artisan запускатиме програму кожного зразково Label + + + + + + + + + Weight + Вага + + + + + + + Beans + Квасоля + + + + + + Density + Щільність + + + + + + Color + Колір + + + + + + Moisture + Вологість + + + + + + + Roasting Notes + Нотатки про смаження + + + + Score + Оцінка + + + + + Cupping Score + Оцінка купінгу + + + + + + + Cupping Notes + Примітки для купірування + + + + + + + + Roasted + Смажені + + + + + + + + + Green + Зелений + @@ -11749,7 +11834,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11768,7 +11853,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11784,7 +11869,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11803,7 +11888,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11830,7 +11915,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11862,7 +11947,7 @@ Artisan запускатиме програму кожного зразково - + DRY СУХИ @@ -11879,7 +11964,7 @@ Artisan запускатиме програму кожного зразково - + FCs ФК @@ -11887,7 +11972,7 @@ Artisan запускатиме програму кожного зразково - + FCe @@ -11895,7 +11980,7 @@ Artisan запускатиме програму кожного зразково - + SCs СК @@ -11903,7 +11988,7 @@ Artisan запускатиме програму кожного зразково - + SCe @@ -11916,7 +12001,7 @@ Artisan запускатиме програму кожного зразково - + @@ -11931,10 +12016,10 @@ Artisan запускатиме програму кожного зразково /хв - - - - + + + + @@ -11942,8 +12027,8 @@ Artisan запускатиме програму кожного зразково УВІМКНЕНО - - + + @@ -11957,8 +12042,8 @@ Artisan запускатиме програму кожного зразково Цикл - - + + Input Вхідні дані @@ -11992,7 +12077,7 @@ Artisan запускатиме програму кожного зразково - + @@ -12009,8 +12094,8 @@ Artisan запускатиме програму кожного зразково - - + + Mode @@ -12072,7 +12157,7 @@ Artisan запускатиме програму кожного зразково - + Label @@ -12197,21 +12282,21 @@ Artisan запускатиме програму кожного зразково SV макс - + P п - + I я - + D @@ -12273,13 +12358,6 @@ Artisan запускатиме програму кожного зразково Markers Маркери - - - - - Color - Колір - Text Color @@ -12310,9 +12388,9 @@ Artisan запускатиме програму кожного зразково Розмір - - + + @@ -12350,8 +12428,8 @@ Artisan запускатиме програму кожного зразково - - + + Event @@ -12364,7 +12442,7 @@ Artisan запускатиме програму кожного зразково Дія - + Command Команда @@ -12376,7 +12454,7 @@ Artisan запускатиме програму кожного зразково Зміщення - + Factor @@ -12393,14 +12471,14 @@ Artisan запускатиме програму кожного зразково Темп - + Unit одиниця - + Source Джерело @@ -12411,10 +12489,10 @@ Artisan запускатиме програму кожного зразково Кластер - - - + + + OFF @@ -12465,15 +12543,15 @@ Artisan запускатиме програму кожного зразково Реєстрація - - + + Area Площа - - + + DB# @@ -12481,54 +12559,54 @@ Artisan запускатиме програму кожного зразково - + Start Почніть - - + + Comm Port Кому порт - - + + Baud Rate Швидкість передачі даних - - + + Byte Size Розмір байтів - - + + Parity Паритет - - + + Stopbits Стопбіти - - + + @@ -12565,8 +12643,8 @@ Artisan запускатиме програму кожного зразково - - + + Type Тип @@ -12576,8 +12654,8 @@ Artisan запускатиме програму кожного зразково - - + + Host Ведучий @@ -12588,20 +12666,20 @@ Artisan запускатиме програму кожного зразково - - + + Port порт - + SV Factor Фактор СВ - + pid Factor pid фактор @@ -12623,75 +12701,75 @@ Artisan запускатиме програму кожного зразково Суворий - - + + Device Пристрій - + Rack Стійка - + Slot Слот - + Path Шлях - + ID - + Connect Підключити - + Reconnect Повторне підключення - - + + Request Запит - + Message ID Ідентифікатор повідомлення - + Machine ID Ідентифікатор машини - + Data Дані - + Message повідомлення - + Data Request Запит даних - - + + Node Вузол @@ -12753,17 +12831,6 @@ Artisan запускатиме програму кожного зразково g - - - - - - - - - Weight - Вага - @@ -12771,25 +12838,6 @@ Artisan запускатиме програму кожного зразково Volume Обсяг - - - - - - - - Green - Зелений - - - - - - - - Roasted - Смажені - @@ -12840,31 +12888,16 @@ Artisan запускатиме програму кожного зразково Дата - + Batch Партія - - - - - - Beans - Квасоля - % - - - - - Density - Щільність - Screen @@ -12880,13 +12913,6 @@ Artisan запускатиме програму кожного зразково Ground Земля - - - - - Moisture - Вологість - @@ -12899,22 +12925,6 @@ Artisan запускатиме програму кожного зразково Ambient Conditions Умови навколишнього середовища - - - - - - Roasting Notes - Нотатки про смаження - - - - - - - Cupping Notes - Примітки для купірування - Ambient Source @@ -12936,140 +12946,140 @@ Artisan запускатиме програму кожного зразково Змішайте - + Template Шаблон - + Results in Призводить до - + Rating Рейтинг - + Pressure % Тиск % - + Electric Energy Mix: Суміш електроенергії: - + Renewable Поновлюваний - - + + Pre-Heating Попередній підігрів - - + + Between Batches Між партіями - - + + Cooling Охолодження - + Between Batches after Pre-Heating Між партіями після попереднього нагрівання - + (mm:ss) (мм:сс) - + Duration Тривалість - + Measured Energy or Output % Виміряна енергія або вихідний % - - + + Preheat Розігрійте - - + + BBP - - - - + + + + Roast Смаження - - + + per kg green coffee за кг зеленої кави - + Load Завантажити - + Organization Організація - + Operator Оператор - + Machine Машина - + Model Модель - + Heating Опалення - + Drum Speed Швидкість барабана - + organic material органічний матеріал @@ -13393,12 +13403,6 @@ LCDs All Roaster жаровня - - - - Cupping Score - Оцінка купінгу - Max characters per line @@ -13478,7 +13482,7 @@ LCDs All Колір краю (RGBA) - + roasted смажені @@ -13625,22 +13629,22 @@ LCDs All - + ln() - - + + x - - + + Bkgnd @@ -13789,99 +13793,99 @@ LCDs All Зарядіть боби - + /m - + greens зелень - - - + + + STOP СТІЙ - - + + OPEN ВІДЧИНЕНО - - - + + + CLOSE ЗАКРИТИ - - + + AUTO АВТО - - - + + + MANUAL PУЧНИЙ - + STIRRER МІШАЛКА - + FILL ЗАПОВНИТИ - + RELEASE ЗВІЛЬНИТИ - + HEATING ОПАЛЕННЯ - + COOLING ОХОЛОДЖЕННЯ - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR Макс+/Макс- RoR @@ -14207,11 +14211,6 @@ LCDs All Aspect Ratio Співвідношення сторін - - - Score - Оцінка - Coarse Груба @@ -14337,6 +14336,12 @@ LCDs All Menu + + + + Schedule + План + @@ -14793,12 +14798,6 @@ LCDs All Sliders Повзунки - - - - Schedule - План - Full Screen @@ -14899,6 +14898,53 @@ LCDs All Message + + + Scheduler started + Планувальник запущено + + + + Scheduler stopped + Планувальник зупинено + + + + + + + Warning + УВАГА + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Завершені обсмажування не коригуватимуть розклад, поки вікно розкладу закрито + + + + + 1 batch + 1 партія + + + + + + + {} batches + {} партій + + + + Updating completed roast properties failed + Не вдалося оновити готові властивості смаження + + + + Fetching completed roast properties failed + Не вдалося отримати готові властивості смаження + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15459,20 +15505,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied У доступі через Bluetooth відмовлено - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Параметри послідовного порту: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15506,50 +15552,50 @@ Repeat Operation at the end: {0} Читання фонового профілю... - + Event table copied to clipboard Таблицю подій скопійовано в буфер обміну - + The 0% value must be less than the 100% value. Значення 0% має бути меншим за значення 100%. - - + + Alarms from events #{0} created Створено тривоги з подій №{0} - - + + No events found Подій не знайдено - + Event #{0} added Додано подію №{0} - + No profile found Профіль не знайдено - + Events #{0} deleted Події №{0} видалено - + Event #{0} deleted Подію №{0} видалено - + Roast properties updated but profile not saved to disk Властивості Roast оновлено, але профіль не збережено на диск @@ -15564,7 +15610,7 @@ Repeat Operation at the end: {0} MODBUS відключено - + Connected via MODBUS Підключено через MODBUS @@ -15731,27 +15777,19 @@ Repeat Operation at the end: {0} Sampling Відбір проб - - - - - - Warning - УВАГА - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Короткий інтервал вибірки може призвести до нестабільності на деяких машинах. Ми рекомендуємо мінімум 1 с. - + Incompatible variables found in %s У %s знайдено несумісні змінні - + Assignment problem Проблема присвоєння @@ -15845,8 +15883,8 @@ Repeat Operation at the end: {0} слідувати - - + + Save Statistics Зберегти статистику @@ -16008,19 +16046,19 @@ To keep it free and current please support us with your donation and subscribe t Artisan налаштовано для {0} - + Load theme {0}? Завантажити тему {0}? - + Adjust Theme Related Settings Налаштуйте параметри теми - + Loaded theme {0} Завантажено тему {0} @@ -16031,8 +16069,8 @@ To keep it free and current please support us with your donation and subscribe t Виявлено пару кольорів, яку важко побачити: - - + + Simulator started @{}x Симулятор запущено @{}x @@ -16083,14 +16121,14 @@ To keep it free and current please support us with your donation and subscribe t autoDrop вимкнено - + PID set to OFF ПІД встановлено на ВИМК - + PID set to ON @@ -16310,7 +16348,7 @@ To keep it free and current please support us with your donation and subscribe t {0} збережено. Розпочато нове обсмажування - + Invalid artisan format @@ -16375,10 +16413,10 @@ It is advisable to save your current settings beforehand via menu Help >> Профіль збережено - - - - + + + + @@ -16470,347 +16508,347 @@ It is advisable to save your current settings beforehand via menu Help >> Завантажити налаштування скасовано - - + + Statistics Saved Статистичні дані збережено - + No statistics found Немає статистики - + Excel Production Report exported to {0} Виробничий звіт Excel експортовано до {0} - + Ranking Report Рейтинговий звіт - + Ranking graphs are only generated up to {0} profiles Графіки рейтингу створюються лише для {0} профілів - + Profile missing DRY event У профілі відсутня подія DRY - + Profile missing phase events Профіль відсутніх фазових подій - + CSV Ranking Report exported to {0} Звіт про рейтинг CSV експортовано до {0} - + Excel Ranking Report exported to {0} Звіт про рейтинг Excel експортовано до {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Неможливо підключити ваги Bluetooth, поки Artisan не має доступу до Bluetooth - + Bluetooth access denied У доступі через Bluetooth відмовлено - + Hottop control turned off Керування гарячою поверхнею вимкнено - + Hottop control turned on Керування гарячою поверхнею ввімкнено - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Щоб керувати Hottop, вам потрібно спочатку активувати режим суперкористувача, клацнувши правою кнопкою миші на РК-дисплеї таймера! - - + + Settings not found Налаштування не знайдено - + artisan-settings артизан-налаштування - + Save Settings Зберегти налаштування - + Settings saved Налаштування збережено - + artisan-theme артизан-тема - + Save Theme Зберегти тему - + Theme saved Тему збережено - + Load Theme Завантажити тему - + Theme loaded Тему завантажено - + Background profile removed Фоновий профіль видалено - + Alarm Config Конфігурація будильника - + Alarms are not available for device None Будильники недоступні для пристрою. Немає - + Switching the language needs a restart. Restart now? Перемикання мови потребує перезапуску. Перезапустити зараз? - + Restart Перезапустіть - + Import K202 CSV Імпорт K202 CSV - + K202 file loaded successfully Файл K202 успішно завантажено - + Import K204 CSV Імпорт K204 CSV - + K204 file loaded successfully Файл K204 успішно завантажено - + Import Probat Recipe Імпортний пробат рецепт - + Probat Pilot data imported successfully Дані Probat Pilot успішно імпортовано - + Import Probat Pilot failed Помилка імпорту пробного тесту - - + + {0} imported {0} імпортовано - + an error occurred on importing {0} сталася помилка під час імпорту {0} - + Import Cropster XLS Імпорт Cropster XLS - + Import RoastLog URL Імпортуйте URL-адресу RoastLog - + Import RoastPATH URL Імпортуйте URL-адресу RoastPATH - + Import Giesen CSV Імпорт Giesen CSV - + Import Petroncini CSV Імпортуйте Petroncini CSV - + Import IKAWA URL Імпортуйте URL-адресу IKAWA - + Import IKAWA CSV Імпорт IKAWA CSV - + Import Loring CSV Імпорт Loring CSV - + Import Rubasse CSV Імпорт Rubasse CSV - + Import HH506RA CSV Імпорт HH506RA CSV - + HH506RA file loaded successfully Файл HH506RA успішно завантажено - + Save Graph as Зберегти графік як - + {0} size({1},{2}) saved Розмір {0} ({1}, {2}) збережено - + Save Graph as PDF Зберегти графік як PDF - + Save Graph as SVG Зберегти графік як SVG - + {0} saved {0} збережено - + Wheel {0} loaded Колесо {0} завантажено - + Invalid Wheel graph format Недійсний формат графіка колеса - + Buttons copied to Palette # Кнопки скопійовано до палітри # - + Palette #%i restored Палітру #%i відновлено - + Palette #%i empty Палітра #%i порожня - + Save Palettes Зберегти палітри - + Palettes saved Палітри збережені - + Palettes loaded Палітри завантажено - + Invalid palettes file format Недійсний формат файлу палітри - + Alarms loaded Сигналізації завантажено - + Fitting curves... Підгонка кривих... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Попередження. Початок інтервалу аналізу, що цікавить, раніше, ніж початок підгонки кривої. Виправте це на вкладці Config>Curves>Analyze. - + Analysis earlier than Curve fit Аналіз раніше, ніж підгонка кривої - + Simulator stopped Симулятор зупинено - + debug logging ON журнал налагодження УВІМКНЕНО @@ -17464,45 +17502,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found Фоновий профіль не знайдено - - - Scheduler started - Планувальник запущено - - - - Scheduler stopped - Планувальник зупинено - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Завершені обсмажування не коригуватимуть розклад, поки вікно розкладу закрито - - - - - 1 batch - 1 партія - - - - - - - {} batches - {} партій - - - - Updating completed roast properties failed - Не вдалося оновити готові властивості смаження - - - - Fetching completed roast properties failed - Не вдалося отримати готові властивості смаження - Event # {0} recorded at BT = {1} Time = {2} Подія № {0} записана на BT = {1} Час = {2} @@ -17618,51 +17617,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - ведення журналу налагодження УВІМКНЕНО - - - - debug logging OFF - налагодження журналу ВИМКНЕНО - - - - 1 day left - Залишився 1 день - - - - {} days left - {} Днів залишилось - - - - Paid until - Оплачено до - - - - Please visit our {0}shop{1} to extend your subscription - Щоб продовжити підписку, відвідайте наш {0}магазин{1} - - - - Do you want to extend your subscription? - Бажаєте продовжити підписку? - - - - Your subscription ends on - Ваша підписка закінчується - - - - Your subscription ended on - Ваша підписка закінчилася - Roast successfully upload to {} @@ -17852,6 +17806,51 @@ To keep it free and current please support us with your donation and subscribe t Remember Пам'ятайте + + + debug logging ON + ведення журналу налагодження УВІМКНЕНО + + + + debug logging OFF + налагодження журналу ВИМКНЕНО + + + + 1 day left + Залишився 1 день + + + + {} days left + {} Днів залишилось + + + + Paid until + Оплачено до + + + + Please visit our {0}shop{1} to extend your subscription + Щоб продовжити підписку, відвідайте наш {0}магазин{1} + + + + Do you want to extend your subscription? + Бажаєте продовжити підписку? + + + + Your subscription ends on + Ваша підписка закінчується + + + + Your subscription ended on + Ваша підписка закінчилася + ({} of {} done) (виконано {} з {}) @@ -17964,10 +17963,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope Область жаровні @@ -18339,6 +18338,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + Зробити + + + + Completed + Виконано + @@ -18371,7 +18380,7 @@ To keep it free and current please support us with your donation and subscribe t Встановіть RS - + Extra @@ -18420,32 +18429,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT - + Modbus - + S7 - + Scale Масштаб - + Color Колір - + WebSocket @@ -18482,17 +18491,17 @@ To keep it free and current please support us with your donation and subscribe t Налаштування - + Details Деталі - + Loads Навантаження - + Protocol протокол @@ -18577,16 +18586,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs РК-дисплеї - - - To-Do - Зробити - - - - Completed - Виконано - Done Готово @@ -18709,7 +18708,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -18729,7 +18728,7 @@ To keep it free and current please support us with your donation and subscribe t Замочити HH:MM - + @@ -18739,7 +18738,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -18763,37 +18762,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device Пристрій - + Comm Port Кому порт - + Baud Rate Швидкість передачі даних - + Byte Size Розмір байтів - + Parity Паритет - + Stopbits Стоп-біти - + Timeout Час вийшов @@ -18801,16 +18800,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time Час - - + + @@ -18819,8 +18818,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -18829,104 +18828,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE ЗАРЯДКУ - + DRY END СУХИЙ КІНЕЦЬ - + FC START ФК СТАРТ - + FC END ФК КІНЕЦЬ - + SC START СК СТАРТ - + SC END СК КІНЕЦЬ - + DROP КРАПІТЬ - + COOL КРУТО - + #{0} {1}{2} №{0} {1}{2} - + Power Потужність - + Duration Тривалість - + CO2 - + Load Завантажити - + Source Джерело - + Kind Добрий - + Name Ім'я - + Weight Вага @@ -19797,7 +19796,7 @@ initiated by the PID - + @@ -19818,7 +19817,7 @@ initiated by the PID - + Show help Показати допомогу @@ -19972,20 +19971,24 @@ has to be reduced by 4 times. Виконуйте дію вибірки синхронно ({}) з кожним інтервалом вибірки або виберіть часовий інтервал повторення, щоб виконувати її асинхронно під час вибірки - + OFF Action String ВИМК Рядок дії - + ON Action String Рядок дії ON - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Додаткова затримка після підключення в секундах перед надсиланням запитів (потрібна для пристроїв Arduino, які перезавантажуються під час підключення) + + + Extra delay in Milliseconds between MODBUS Serial commands Додаткова затримка в мілісекундах між послідовними командами MODBUS @@ -20001,12 +20004,7 @@ has to be reduced by 4 times. Сканування MODBUS - - Reset socket connection on error - Скинути з’єднання через сокет у разі помилки - - - + Scan S7 Сканувати S7 @@ -20022,7 +20020,7 @@ has to be reduced by 4 times. Лише для завантажених фонів із додатковими пристроями - + The maximum nominal batch size of the machine in kg Максимальний номінальний розмір партії машини в кг @@ -20456,32 +20454,32 @@ Currently in TEMP MODE Зараз у ТЕМПЕРАТУРНОМУ РЕЖИМІ - + <b>Label</b>= <b>Мітка</b>= - + <b>Description </b>= <b>Опис </b>= - + <b>Type </b>= <b>Тип </b>= - + <b>Value </b>= <b>Значення </b>= - + <b>Documentation </b>= <b>Документація </b>= - + <b>Button# </b>= <b>Кнопка № </b>= @@ -20565,6 +20563,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white Встановлює кольори кнопок у градації сірого, а кольори РК-дисплея – чорно-білі + + Reset socket connection on error + Скинути з’єднання через сокет у разі помилки + Action String Рядок дії diff --git a/src/translations/artisan_vi.qm b/src/translations/artisan_vi.qm index 68c71a384..582f09883 100644 Binary files a/src/translations/artisan_vi.qm and b/src/translations/artisan_vi.qm differ diff --git a/src/translations/artisan_vi.ts b/src/translations/artisan_vi.ts index 4d32fba1d..ac6b4e079 100644 --- a/src/translations/artisan_vi.ts +++ b/src/translations/artisan_vi.ts @@ -9,57 +9,57 @@ Nhà tài trợ phát hành - + About Giới Thiệu - + Core Developers Người phát triển - + License Bản Quyền - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. Đã xảy ra sự cố khi truy xuất thông tin phiên bản mới nhất. Vui lòng kiểm tra kết nối Internet của bạn, thử lại sau hoặc kiểm tra thủ công. - + A new release is available. Đã có phiên bản mới. - + Show Change list Danh sách các thay đổi - + Download Release Tải xuống các phiên bản - + You are using the latest release. Bạn đang sử dụng phiên bản mới nhất. - + You are using a beta continuous build. Bạn đang sử dụng phiên bản beta. - + You will see a notice here once a new official release is available. Bạn sẽ thấy thông báo ở đây sau khi có phiên bản mới chính thức. - + Update status Cập nhật trạng thái @@ -215,14 +215,34 @@ Button + + + + + + + + + OK + OK + + + + + + + + Cancel + Bỏ qua + - - - - + + + + Restore Defaults @@ -250,7 +270,7 @@ - + @@ -278,7 +298,7 @@ - + @@ -336,17 +356,6 @@ Save Lưu - - - - - - - - - OK - OK - On @@ -559,15 +568,6 @@ Write PIDs Ghi PIDs - - - - - - - Cancel - Bỏ qua - Set ET PID to MM:SS time units @@ -586,8 +586,8 @@ - - + + @@ -607,7 +607,7 @@ - + @@ -647,7 +647,7 @@ Bắt đầu - + Scan Quét @@ -732,9 +732,9 @@ cập nhật - - - + + + Save Defaults Lưu mặc định @@ -1413,12 +1413,12 @@ kết thúc Float - + START on CHARGE START khi Nạp Liệu - + OFF on DROP OFF on Xả @@ -1490,61 +1490,61 @@ kết thúc Luôn hiển thị - + Heavy FC FC Nặng - + Low FC FC Nhẹ - + Light Cut Cắt nhẹ - + Dark Cut Cắt đậm - + Drops Drops - + Oily Dầu - + Uneven Không đều - + Tipping Tipping - + Scorching Cháy quá nhiệt - + Divots Divots @@ -2312,14 +2312,14 @@ kết thúc - + ET ET - + BT BT @@ -2342,24 +2342,19 @@ kết thúc words - + optimize tối ưu hóa - + fetch full blocks fetch full blocks - - reset - cài lại - - - + compression nén @@ -2545,6 +2540,10 @@ kết thúc Elec + + reset + cài lại + Title Tiêu đề @@ -2636,6 +2635,16 @@ kết thúc Contextual Menu + + + All batches prepared + Tất cả các lô đã chuẩn bị + + + + No batch prepared + Không có lô nào được chuẩn bị + Add point @@ -2681,16 +2690,6 @@ kết thúc Edit Chỉnh sửa - - - All batches prepared - Tất cả các lô đã chuẩn bị - - - - No batch prepared - Không có lô nào được chuẩn bị - Countries @@ -4036,20 +4035,20 @@ kết thúc Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4142,42 +4141,42 @@ kết thúc - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4246,10 +4245,10 @@ kết thúc - - - - + + + + @@ -4447,12 +4446,12 @@ kết thúc - - - - - - + + + + + + @@ -4461,17 +4460,17 @@ kết thúc Giá trị bị lỗi: - + Serial Exception: invalid comm port Có lỗi từ Serial:cổng Com không đúng - + Serial Exception: timeout Có lỗi từ Serial:timeout - + Unable to move CHARGE to a value that does not exist Không thể chuyển CHARGE sang một giá trị không tồn tại @@ -4481,30 +4480,30 @@ kết thúc - + Modbus Error: failed to connect Lỗi Modbus: không kết nối được - - - - - - - - - + + + + + + + + + Modbus Error: - - - - - - + + + + + + Modbus Communication Error Giao tiếp Mobus bi lỗi @@ -4588,52 +4587,52 @@ kết thúc Lỗi:{} setting file không đúng - - - - - + + + + + Error Lỗi - + Exception: WebLCDs not supported by this build Ngoại lệ: WebLCD không được bản dựng này hỗ trợ - + Could not start WebLCDs. Selected port might be busy. Không thể khởi động WebLCD. Cổng được chọn có thể đang bận. - + Failed to save settings Không thể lưu cài đặt - - + + Exception (probably due to an empty profile): Lỗi (có thể profile rỗng): - + Analyze: CHARGE event required, none found - + Analyze: DROP event required, none found - + Analyze: no background profile data available - + Analyze: background profile requires CHARGE and DROP events @@ -4673,6 +4672,12 @@ kết thúc Form Caption + + + + Custom Blend + Pha trộn tùy chỉnh + Axes @@ -4807,12 +4812,12 @@ kết thúc Cấu hình các cổng - + MODBUS Help MODBUS trợ giúp - + S7 Help S7 trợ giúp @@ -4832,23 +4837,17 @@ kết thúc Thông số mẻ rang - - - Custom Blend - Pha trộn tùy chỉnh - - - + Energy Help Trợ giúp năng lượng - + Tare Setup Tare Setup - + Set Measure from Profile Đặt số đo từ hồ sơ @@ -5058,27 +5057,27 @@ kết thúc Sự quản lý - + Registers Registers - - + + Commands Bộ lệnh - + PID PID - + Serial Serial @@ -5089,37 +5088,37 @@ kết thúc UDP / TCP - + Input Input - + Machine Machine - + Timeout Timeout - + Nodes Nodes - + Messages Các thông báo - + Flags Flags - + Events Events @@ -5131,14 +5130,14 @@ kết thúc - + Energy Năng lượng - + CO2 @@ -5374,14 +5373,14 @@ kết thúc HTML Report Template - + BBP Total Time Tổng thời gian BBP - + BBP Bottom Temp Nhiệt độ đáy BBP @@ -5398,849 +5397,849 @@ kết thúc - + Whole Color Màu sắc tổng quát - - + + Profile Profile - + Roast Batches Các mẻ rang - - - + + + Batch Lô hàng - - + + Date Ngày tháng - - - + + + Beans Hạt - - - + + + In In - - + + Out Out - - - + + + Loss Hao hụt - - + + SUM Tổng - + Production Report Báo cáo sản xuất - - + + Time Thời gian - - + + Weight In Khối lượng đầu vào - - + + CHARGE BT Nạp Liệu BT - - + + FCs Time FCs Time - - + + FCs BT FCs BT - - + + DROP Time Xả Time - - + + DROP BT Xả BT - + Dry Percent Dry Percent - + MAI Percent MAI Phần trăm - + Dev Percent Dev phần trăm - - + + AUC AUC - - + + Weight Loss Khối lượng hao hụt - - + + Color Màu Sắc - + Cupping Cupping - + Roaster Người rang - + Capacity Dung tích - + Operator Người thợ - + Organization Cơ quan - + Drum Speed Tốc độ trống - + Ground Color Ground Color - + Color System Màu Sắc hệ thống - + Screen Min Màn hình Min - + Screen Max Màn hình Max - + Bean Temp Nhiệt độ hạt - + CHARGE ET Nạp Liệu ET - + TP Time TP Time - + TP ET TP ET - + TP BT TP BT - + DRY Time DRY Time - + DRY ET DRY ET - + DRY BT DRY BT - + FCs ET FCs ET - + FCe Time FCe Time - + FCe ET FCe ET - + FCe BT FCe BT - + SCs Time SCs Time - + SCs ET SCs ET - + SCs BT SCs BT - + SCe Time SCe Time - + SCe ET SCE BT - + SCe BT - + DROP ET Xả ET - + COOL Time Thời gian Làm Nguội - + COOL ET Làm Nguội ET - + COOL BT Làm Nguội BT - + Total Time Tổng thời gian - + Dry Phase Time Dry Phase Time - + Mid Phase Time Mid Phase RoR - + Finish Phase Time Finish Phase Time - + Dry Phase RoR Dry Phase RoR - + Mid Phase RoR Mid Phase RoR - + Finish Phase RoR Finish Phase RoR - + Dry Phase Delta BT BT đồng bằng pha khô - + Mid Phase Delta BT BT Delta pha giữa - + Finish Phase Delta BT Kết thúc giai đoạn Delta BT - + Finish Phase Rise Kết thúc giai đoạn tăng - + Total RoR Tổng RoR - + FCs RoR FCs RoR - + MET MET - + AUC Begin AUC Begin - + AUC Base AUC Base - + Dry Phase AUC Giai đoạn khô AUC - + Mid Phase AUC Mid Phase AUC - + Finish Phase AUC Finish Phase AUC - + Weight Out Khối lượng đầu ra - + Volume In Thể tích đầu vào - + Volume Out Thể tích đầu ra - + Volume Gain Thể tích tăng - + Green Density Tỉ trọng hạt xanh - + Roasted Density Tỉ trong sau khi rang - + Moisture Greens Độ ẩm hạt xanh - + Moisture Roasted Độ ẩm sau khi rang - + Moisture Loss Độ ẩm hao hụt - + Organic Loss Organic hao hụt - + Ambient Humidity Độ ẩm môi trường - + Ambient Pressure Áp suất môi trường - + Ambient Temperature Nhiệt độ môi trường - - + + Roasting Notes Ghi chú mẻ rang - - + + Cupping Notes Cupping Notes - + Heavy FC Heavy FC - + Low FC Low FC - + Light Cut Light Cut - + Dark Cut Dark Cut - + Drops Drops - + Oily Dầu - + Uneven Uneven - + Tipping Tipping - + Scorching Cháy sém - + Divots Divots - + Mode Mode - + BTU Batch Lô BTU - + BTU Batch per green kg BTU Batch cho mỗi kg xanh - + CO2 Batch Lô CO2 - + BTU Preheat Làm nóng trước BTU - + CO2 Preheat Làm nóng sơ bộ CO2 - + BTU BBP - + CO2 BBP - + BTU Cooling Làm mát BTU - + CO2 Cooling Làm mát bằng CO2 - + BTU Roast BTU nướng - + BTU Roast per green kg BTU Rang mỗi kg xanh - + CO2 Roast Rang CO2 - + CO2 Batch per green kg Lô CO2 trên mỗi kg xanh - + BTU LPG - + BTU NG - + BTU ELEC - + Efficiency Batch Hiệu quả hàng loạt - + Efficiency Roast Roast hiệu quả - + BBP Begin BBP Bắt đầu - + BBP Begin to Bottom Time BBP Bắt đầu Thời gian Đáy - + BBP Bottom to CHARGE Time BBP Đáy để SẠC Thời Gian - + BBP Begin to Bottom RoR BBP Bắt đầu chạm đáy RoR - + BBP Bottom to CHARGE RoR BBP Đáy để CHARGE RoR - + File Name Tên tệp - + Roast Ranking Xếp hạng mẻ rang - + Ranking Report Báo cáo xếp hạng - + AVG AVG - + Roasting Report Mẻ rang Report - + Date: Ngày tháng: - + Beans: Hạt: - + Weight: Khối lượng: - + Volume: Thể tích: - + Roaster: Người rang: - + Operator: Người thợ: - + Organization: Cơ quan: - + Cupping: Cupping: - + Color: Màu Sắc: - + Energy: Năng lượng: - + CO2: - + CHARGE: Nạp Liệu: - + Size: Kich thước: - + Density: Tỉ trọng: - + Moisture: Độ ẩm: - + Ambient: Môi trường xung quanh: - + TP: TP: - + DRY: DRY: - + FCs: FCs: - + FCe: FCe: - + SCs: SCs: - + SCe: SCe: - + DROP: Xả: - + COOL: Làm Nguội: - + MET: MET: - + CM: CM: - + Drying: Sấy: - + Maillard: Maillard: - + Finishing: Hoàn tất: - + Cooling: Làm Nguội: - + Background: Background: - + Alarms: Báo Hiệu: - + RoR: RoR: - + AUC: AUC: - + Events Events @@ -11830,6 +11829,92 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Label + + + + + + + + + Weight + Trọng lượng + + + + + + + Beans + Hạt + + + + + + Density + Tỉ trọng + + + + + + Color + Màu sắc + + + + + + Moisture + Độ ẩm + + + + + + + Roasting Notes + Mẻ rang notes + + + + Score + Điểm + + + + + Cupping Score + Điểm giác hơi + + + + + + + Cupping Notes + Cupping Notes + + + + + + + + Roasted + Đã Rang + + + + + + + + + Green + Hạt thô + @@ -11934,7 +12019,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -11953,7 +12038,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -11969,7 +12054,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -11988,7 +12073,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -12015,7 +12100,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -12047,7 +12132,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + DRY DRY @@ -12064,7 +12149,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + FCs FCs @@ -12072,7 +12157,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + FCe FCe @@ -12080,7 +12165,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + SCs SCs @@ -12088,7 +12173,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + SCe SCe @@ -12101,7 +12186,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -12116,10 +12201,10 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu /phút - - - - + + + + @@ -12127,8 +12212,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu ON - - + + @@ -12142,8 +12227,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Chu kỳ - - + + Input Input @@ -12177,7 +12262,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + @@ -12194,8 +12279,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - - + + Mode @@ -12257,7 +12342,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + Label @@ -12382,21 +12467,21 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu SV max - + P P - + I I - + D @@ -12458,13 +12543,6 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Markers Markers - - - - - Color - Màu sắc - Text Color @@ -12495,9 +12573,9 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Kích thước - - + + @@ -12535,8 +12613,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - - + + Event @@ -12549,7 +12627,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Action - + Command Command @@ -12561,7 +12639,7 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Offset - + Factor @@ -12578,14 +12656,14 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Nhiệp độ - + Unit Đơn vị - + Source Nguồn @@ -12596,10 +12674,10 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Cụm - - - + + + OFF @@ -12650,15 +12728,15 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Register - - + + Area Area - - + + DB# DB# @@ -12666,54 +12744,54 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - + Start Start - - + + Comm Port Comm Port - - + + Baud Rate Baud Rate - - + + Byte Size Byte Size - - + + Parity Parity - - + + Stopbits Stopbits - - + + @@ -12750,8 +12828,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - - + + Type Type @@ -12761,8 +12839,8 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - - + + Host Host @@ -12773,20 +12851,20 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu - - + + Port Port - + SV Factor SV Hệ số - + pid Factor pid hệ số @@ -12808,75 +12886,75 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Nghiêm ngặt - - + + Device Thiết bị - + Rack Rack - + Slot Slot - + Path Path - + ID ID - + Connect Kết nối - + Reconnect Kết nối lại - - + + Request Yêu cầu - + Message ID Message ID - + Machine ID Machine ID - + Data Dữ liệu - + Message Message - + Data Request Data Request - - + + Node Node @@ -12938,17 +13016,6 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu g g - - - - - - - - - Weight - Trọng lượng - @@ -12956,25 +13023,6 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Volume Thể tích - - - - - - - - Green - Hạt thô - - - - - - - - Roasted - Đã Rang - @@ -13025,31 +13073,16 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Ngày tháng - + Batch Lô hàng - - - - - - Beans - Hạt - % % - - - - - Density - Tỉ trọng - Screen @@ -13065,13 +13098,6 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Ground Ground - - - - - Moisture - Độ ẩm - @@ -13084,22 +13110,6 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Ambient Conditions Điều kiện môi trường xung quanh - - - - - - Roasting Notes - Mẻ rang notes - - - - - - - Cupping Notes - Cupping Notes - Ambient Source @@ -13121,140 +13131,140 @@ Nghệ nhân sẽ bắt đầu chương trình mỗi giai đoạn mẫu. Đầu Trộn - + Template Bản mẫu - + Results in Kết quả trong - + Rating Xếp hạng - + Pressure % Sức ép % - + Electric Energy Mix: Hỗn hợp năng lượng điện: - + Renewable Tái tạo - - + + Pre-Heating Sưởi ấm trước - - + + Between Batches Giữa các đợt - - + + Cooling Làm mát - + Between Batches after Pre-Heating Giữa các mẻ sau khi gia nhiệt sơ bộ - + (mm:ss) (mm: ss) - + Duration Thời lượng - + Measured Energy or Output % Năng lượng đo lường hoặc sản lượng% - - + + Preheat Làm nóng trước - - + + BBP - - - - + + + + Roast Rang - - + + per kg green coffee mỗi kg cà phê nhân - + Load Tải lên - + Organization Cơ quan - + Operator Người vận hành - + Machine Machine - + Model Người mẫu - + Heating Sưởi - + Drum Speed Tốc độ trống rang - + organic material Chất hữu cơ @@ -13578,12 +13588,6 @@ LCDs All Roaster Người rang - - - - Cupping Score - Điểm giác hơi - Max characters per line @@ -13663,7 +13667,7 @@ LCDs All Màu cạnh (RGBA) - + roasted đã rang @@ -13810,22 +13814,22 @@ LCDs All - + ln() ln() - - + + x x - - + + Bkgnd Nền @@ -13974,99 +13978,99 @@ LCDs All Charge the beans - + /m /m - + greens hạt xanh - - - + + + STOP DỪNG LẠI - - + + OPEN MỞ - - - + + + CLOSE ĐÓNG - - + + AUTO TỰ ĐỘNG - - - + + + MANUAL THỦ CÔNG - + STIRRER máy khuấy - + FILL ĐỔ ĐẦY - + RELEASE GIẢI PHÓNG - + HEATING LÀM MÁT - + COOLING LÀM MÁT - + RMSE BT - + MSE BT MSE BT - + RoR RoR - + @FCs @FCs - + Max+/Max- RoR Max+/Max- RoR @@ -14392,11 +14396,6 @@ LCDs All Aspect Ratio - - - Score - Điểm - RPM RPM @@ -14634,6 +14633,12 @@ LCDs All Menu + + + + Schedule + Kế hoạch + @@ -15090,12 +15095,6 @@ LCDs All Sliders Các thanh trượt - - - - Schedule - Kế hoạch - Full Screen @@ -15212,6 +15211,53 @@ LCDs All Message + + + Scheduler started + Đã bắt đầu lập lịch biểu + + + + Scheduler stopped + Bộ lập lịch đã dừng + + + + + + + Warning + Cảnh báo + + + + Completed roasts will not adjust the schedule while the schedule window is closed + Quá trình rang đã hoàn tất sẽ không điều chỉnh lịch trình khi cửa sổ lịch trình đã đóng + + + + + 1 batch + 1 đợt + + + + + + + {} batches + {} đợt + + + + Updating completed roast properties failed + Cập nhật các thuộc tính rang đã hoàn thành không thành công + + + + Fetching completed roast properties failed + Tìm nạp các thuộc tính rang đã hoàn thành không thành công + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -15772,20 +15818,20 @@ Lặp lại Thao tác ở cuối: {0} - + Bluetootooth access denied Truy cập Bluetooth bị từ chối - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} Cài đặt Cổng nối tiếp: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -15819,50 +15865,50 @@ Lặp lại Thao tác ở cuối: {0} Đang đọc hồ sơ nền ... - + Event table copied to clipboard Đã sao chép bảng sự kiện vào khay nhớ tạm - + The 0% value must be less than the 100% value. Giá trị 0% phải nhỏ hơn giá trị 100%. - - + + Alarms from events #{0} created Báo Hiệu từ các sự kiện # {0} đã được tạo - - + + No events found Không tìm thấy sự kiện - + Event #{0} added Sự kiện # {0} đã được thêm - + No profile found Không tìm thấy hồ sơ - + Events #{0} deleted Sự kiện # {0} đã bị xóa - + Event #{0} deleted Sự kiện # {0} đã bị xóa - + Roast properties updated but profile not saved to disk Thuộc tính rang được cập nhật nhưng cấu hình không được lưu vào đĩa @@ -15877,7 +15923,7 @@ Lặp lại Thao tác ở cuối: {0} MODBUS bị ngắt kết nối - + Connected via MODBUS Được kết nối qua MODBUS @@ -16044,27 +16090,19 @@ Lặp lại Thao tác ở cuối: {0} Sampling Lấy mẫu - - - - - - Warning - Cảnh báo - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. Khoảng thời gian lấy mẫu chặt chẽ có thể dẫn đến sự mất ổn định trên một số máy. Chúng tôi đề xuất tối thiểu là 1 giây. - + Incompatible variables found in %s Đã tìm thấy các biến không tương thích trong %s - + Assignment problem Vấn đề chuyển nhượng @@ -16158,8 +16196,8 @@ Lặp lại Thao tác ở cuối: {0} theo dõi - - + + Save Statistics Lưu số liệu thống kê @@ -16321,19 +16359,19 @@ To keep it free and current please support us with your donation and subscribe t Nghệ nhân được định cấu hình cho {0} - + Load theme {0}? Tải chủ đề {0}? - + Adjust Theme Related Settings Điều chỉnh cài đặt liên quan đến chủ đề - + Loaded theme {0} Chủ đề đã tải {0} @@ -16344,8 +16382,8 @@ To keep it free and current please support us with your donation and subscribe t Đã phát hiện một cặp màu có thể khó nhìn thấy: - - + + Simulator started @{}x Đã bắt đầu trình mô phỏng @ {} x @@ -16396,14 +16434,14 @@ To keep it free and current please support us with your donation and subscribe t autoXả off - + PID set to OFF PID gán giá trị OFF - + PID set to ON @@ -16623,7 +16661,7 @@ To keep it free and current please support us with your donation and subscribe t {0} đã được lưu. Quá trình rang mới đã bắt đầu - + Invalid artisan format @@ -16688,10 +16726,10 @@ Bạn nên lưu trước cài đặt hiện tại của mình qua menu Trợ gi Đã lưu tiểu sử - - - - + + + + @@ -16783,347 +16821,347 @@ Bạn nên lưu trước cài đặt hiện tại của mình qua menu Trợ gi Tải Cài đặt đã bị hủy - - + + Statistics Saved Thống kê đã Lưu - + No statistics found Không tìm thấy số liệu thống kê - + Excel Production Report exported to {0} Báo cáo Sản xuất Excel được xuất sang {0} - + Ranking Report Báo cáo xếp hạng - + Ranking graphs are only generated up to {0} profiles Biểu đồ xếp hạng chỉ được tạo tối đa {0} cấu hình - + Profile missing DRY event Hồ sơ thiếu sự kiện DRY - + Profile missing phase events Hồ sơ thiếu sự kiện giai đoạn - + CSV Ranking Report exported to {0} Báo cáo Xếp hạng CSV được xuất sang {0} - + Excel Ranking Report exported to {0} Báo cáo Xếp hạng Excel được xuất sang {0} - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied Không thể kết nối cân Bluetooth trong khi quyền truy cập Bluetooth của Artisan bị từ chối - + Bluetooth access denied Truy cập Bluetooth bị từ chối - + Hottop control turned off Kiểm soát hottop bị tắt - + Hottop control turned on Điều khiển hottop được bật - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! Để điều khiển Hottop, trước tiên bạn cần phải kích hoạt chế độ siêu người dùng thông qua một cú nhấp chuột phải trên màn hình LCD hẹn giờ! - - + + Settings not found Không tìm thấy cài đặt - + artisan-settings nghệ nhân-cài đặt - + Save Settings Lưu các thiết lập - + Settings saved Đã lưu cài đặt - + artisan-theme chủ đề nghệ nhân - + Save Theme Lưu chủ đề - + Theme saved Chủ đề đã được lưu - + Load Theme Tải chủ đề - + Theme loaded Đã tải chủ đề - + Background profile removed Hồ sơ nền đã bị xóa - + Alarm Config Cấu hình báo động - + Alarms are not available for device None Báo Hiệu không khả dụng cho thiết bị Không có - + Switching the language needs a restart. Restart now? Việc chuyển đổi ngôn ngữ cần khởi động lại. Khởi động lại ngay bây giờ? - + Restart Khởi động lại - + Import K202 CSV Nhập K202 CSV - + K202 file loaded successfully Tệp K202 đã được tải thành công - + Import K204 CSV Nhập K204 CSV - + K204 file loaded successfully Tệp K204 đã được tải thành công - + Import Probat Recipe Nhập công thức Probat - + Probat Pilot data imported successfully Đã nhập thành công dữ liệu thí điểm Probat - + Import Probat Pilot failed Nhập thử nghiệm Probat không thành công - - + + {0} imported {0} đã nhập - + an error occurred on importing {0} đã xảy ra lỗi khi nhập {0} - + Import Cropster XLS Nhập Cropster XLS - + Import RoastLog URL Nhập URL RoastLog - + Import RoastPATH URL Nhập URL RoastPATH - + Import Giesen CSV Nhập CSV Giesen - + Import Petroncini CSV Nhập Petroncini CSV - + Import IKAWA URL Nhập URL IKAWA - + Import IKAWA CSV Nhập IKAWA CSV - + Import Loring CSV Nhập CSV Loring - + Import Rubasse CSV Nhập Rubasse CSV - + Import HH506RA CSV Nhập HH506RA CSV - + HH506RA file loaded successfully Tệp HH506RA đã được tải thành công - + Save Graph as Lưu đồ thị thành - + {0} size({1},{2}) saved {0} kích thước ({1}, {2}) đã được lưu - + Save Graph as PDF Lưu đồ thị dưới dạng PDF - + Save Graph as SVG Lưu đồ thị dưới dạng SVG - + {0} saved {0} đã lưu - + Wheel {0} loaded Bánh xe {0} được tải - + Invalid Wheel graph format Định dạng biểu đồ bánh xe không hợp lệ - + Buttons copied to Palette # Các nút được sao chép vào Bảng màu # - + Palette #%i restored Bảng #% tôi đã khôi phục - + Palette #%i empty Bảng màu #%i trống - + Save Palettes Lưu bảng màu - + Palettes saved Đã lưu bảng màu - + Palettes loaded Đã tải bảng màu - + Invalid palettes file format Định dạng tệp bảng màu không hợp lệ - + Alarms loaded Các Báo Hiệu đã tải lên xong - + Fitting curves... Phù hợp với các đường cong ... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. Cảnh báo: Thời điểm bắt đầu khoảng thời gian phân tích được quan tâm sớm hơn thời điểm bắt đầu lắp đường cong. Sửa lỗi này trên tab Cấu hình> Đường cong> Phân tích. - + Analysis earlier than Curve fit Phân tích sớm hơn Curve fit - + Simulator stopped Trình mô phỏng đã dừng - + debug logging ON ghi nhật ký gỡ lỗi BẬT @@ -17777,45 +17815,6 @@ Hồ sơ thiếu [CHARGE] hoặc [DROP] Background profile not found Không tìm thấy hồ sơ nền - - - Scheduler started - Đã bắt đầu lập lịch biểu - - - - Scheduler stopped - Bộ lập lịch đã dừng - - - - Completed roasts will not adjust the schedule while the schedule window is closed - Quá trình rang đã hoàn tất sẽ không điều chỉnh lịch trình khi cửa sổ lịch trình đã đóng - - - - - 1 batch - 1 đợt - - - - - - - {} batches - {} đợt - - - - Updating completed roast properties failed - Cập nhật các thuộc tính rang đã hoàn thành không thành công - - - - Fetching completed roast properties failed - Tìm nạp các thuộc tính rang đã hoàn thành không thành công - Event # {0} recorded at BT = {1} Time = {2} Sự kiện # {0} được ghi lại lúc BT = {1} Thời gian = {2} @@ -17931,51 +17930,6 @@ To keep it free and current please support us with your donation and subscribe t Plus - - - debug logging ON - ghi nhật ký gỡ lỗi BẬT - - - - debug logging OFF - ghi nhật ký gỡ lỗi TẮT - - - - 1 day left - còn 1 ngày - - - - {} days left - {} ngày còn lại - - - - Paid until - Thanh toán cho đến khi - - - - Please visit our {0}shop{1} to extend your subscription - Vui lòng truy cập {0}cửa hàng{1} của chúng tôi để gia hạn đăng ký của bạn - - - - Do you want to extend your subscription? - Bạn có muốn gia hạn đăng ký của mình không? - - - - Your subscription ends on - Đăng ký của bạn kết thúc vào - - - - Your subscription ended on - Đăng ký của bạn đã kết thúc vào - Roast successfully upload to {} @@ -18165,6 +18119,51 @@ To keep it free and current please support us with your donation and subscribe t Remember Nhớ + + + debug logging ON + ghi nhật ký gỡ lỗi BẬT + + + + debug logging OFF + ghi nhật ký gỡ lỗi TẮT + + + + 1 day left + còn 1 ngày + + + + {} days left + {} ngày còn lại + + + + Paid until + Thanh toán cho đến khi + + + + Please visit our {0}shop{1} to extend your subscription + Vui lòng truy cập {0}cửa hàng{1} của chúng tôi để gia hạn đăng ký của bạn + + + + Do you want to extend your subscription? + Bạn có muốn gia hạn đăng ký của mình không? + + + + Your subscription ends on + Đăng ký của bạn kết thúc vào + + + + Your subscription ended on + Đăng ký của bạn đã kết thúc vào + ({} of {} done) ({} trong số {} đã xong) @@ -18273,10 +18272,10 @@ To keep it free and current please support us with your donation and subscribe t - - - - + + + + Roaster Scope Vùng thông tin mẻ rang @@ -18648,6 +18647,16 @@ To keep it free and current please support us with your donation and subscribe t Tab + + + To-Do + Làm + + + + Completed + Hoàn thành + @@ -18680,7 +18689,7 @@ To keep it free and current please support us with your donation and subscribe t Set RS - + Extra @@ -18729,32 +18738,32 @@ To keep it free and current please support us with your donation and subscribe t - + ET/BT ET/BT - + Modbus Modbus - + S7 S7 - + Scale Tỉ lệ - + Color Màu sắc - + WebSocket WebSocket @@ -18791,17 +18800,17 @@ To keep it free and current please support us with your donation and subscribe t Cài đặt - + Details Chi tiết - + Loads tải - + Protocol giao thức @@ -18886,16 +18895,6 @@ To keep it free and current please support us with your donation and subscribe t LCDs LCDs - - - To-Do - Làm - - - - Completed - Hoàn thành - Done Xong @@ -19026,7 +19025,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19046,7 +19045,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19056,7 +19055,7 @@ To keep it free and current please support us with your donation and subscribe t - + @@ -19080,37 +19079,37 @@ To keep it free and current please support us with your donation and subscribe t - + Device Thiết bị - + Comm Port - + Baud Rate - + Byte Size - + Parity - + Stopbits - + Timeout @@ -19118,16 +19117,16 @@ To keep it free and current please support us with your donation and subscribe t - - + + Time Thời gian - - + + @@ -19136,8 +19135,8 @@ To keep it free and current please support us with your donation and subscribe t - - + + @@ -19146,104 +19145,104 @@ To keep it free and current please support us with your donation and subscribe t - + CHARGE - + DRY END DRY kết thúc - + FC START FC bắt đầu - + FC END FC kết thúc - + SC START SC bắt đầu - + SC END SC kết thúc - + DROP Xả - + COOL Làm Nguội - + #{0} {1}{2} - + Power Power - + Duration Thời lượng - + CO2 - + Load Tải lên - + Source Nguồn - + Kind - + Name - + Weight Trọng lượng @@ -20132,7 +20131,7 @@ initiated by the PID - + @@ -20153,7 +20152,7 @@ initiated by the PID - + Show help Hiển thị giúp đỡ @@ -20307,20 +20306,24 @@ phải giảm đi 4 lần. Chạy hành động lấy mẫu một cách đồng bộ ({}) trong mỗi khoảng thời gian lấy mẫu hoặc chọn khoảng thời gian lặp lại để chạy không đồng bộ trong khi lấy mẫu - + OFF Action String TẮT Action String - + ON Action String BẬT Action String - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + Độ trễ bổ sung sau khi kết nối tính bằng giây trước khi gửi yêu cầu (cần thiết khi thiết bị Arduino khởi động lại khi kết nối) + + + Extra delay in Milliseconds between MODBUS Serial commands Độ trễ thêm tính bằng Mili giây giữa các lệnh Nối tiếp MODBUS @@ -20336,12 +20339,7 @@ phải giảm đi 4 lần. Quét MODBUS - - Reset socket connection on error - Đặt lại kết nối ổ cắm khi bị lỗi - - - + Scan S7 Quét S7 @@ -20357,7 +20355,7 @@ phải giảm đi 4 lần. Chỉ cho file nền đã được tải với các thiết bị bổ sung - + The maximum nominal batch size of the machine in kg Kích thước lô danh nghĩa tối đa của máy tính bằng kg @@ -20790,32 +20788,32 @@ Currently in TEMP MODE Hiện đang ở CHẾ ĐỘ TEMP - + <b>Label</b>= - + <b>Description </b>= - + <b>Type </b>= - + <b>Value </b>= - + <b>Documentation </b>= - + <b>Button# </b>= @@ -20899,6 +20897,10 @@ Hiện đang ở CHẾ ĐỘ TEMP Sets button colors to grey scale and LCD colors to black and white Đặt màu nút thành thang màu xám và màu LCD thành đen trắng + + Reset socket connection on error + Đặt lại kết nối ổ cắm khi bị lỗi + Action String Action String diff --git a/src/translations/artisan_zh_CN.qm b/src/translations/artisan_zh_CN.qm index ceb9f2ffa..8c2f86225 100644 Binary files a/src/translations/artisan_zh_CN.qm and b/src/translations/artisan_zh_CN.qm differ diff --git a/src/translations/artisan_zh_CN.ts b/src/translations/artisan_zh_CN.ts index 3d2fcc629..4d3815bbe 100644 --- a/src/translations/artisan_zh_CN.ts +++ b/src/translations/artisan_zh_CN.ts @@ -9,57 +9,57 @@ 发布赞助商 - + About 关于 - + Core Developers 核心开发人员 - + License 版权 - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. 检索最新版本时出现问题。请检查你的网络连接,稍后再试,或者手动检查更新。 - + A new release is available. 有新版本可用。 - + Show Change list 显示改变列表 - + Download Release 下载最新版本 - + You are using the latest release. 你正在使用持续改进中的Beta版本。 - + You are using a beta continuous build. 你正在使用一个自动编译的测试版本. - + You will see a notice here once a new official release is available. 当有一个新官方版本可用时,这里会显示通知。 - + Update status 更新状态 @@ -254,14 +254,34 @@ Button + + + + + + + + + OK + 确认 + + + + + + + + Cancel + 取消 + - - - - + + + + Restore Defaults @@ -289,7 +309,7 @@ - + @@ -317,7 +337,7 @@ - + @@ -375,17 +395,6 @@ Save 保存 - - - - - - - - - OK - 确认 - On @@ -598,15 +607,6 @@ Write PIDs 写入PIDs - - - - - - - Cancel - 取消 - Set ET PID to MM:SS time units @@ -625,8 +625,8 @@ - - + + @@ -646,7 +646,7 @@ - + @@ -686,7 +686,7 @@ - + Scan 扫描 @@ -771,9 +771,9 @@ 更新 - - - + + + Save Defaults 保存默认 @@ -1508,12 +1508,12 @@ END 漂浮 - + START on CHARGE 投豆时开始 - + OFF on DROP 排豆后关闭 @@ -1585,61 +1585,61 @@ END 总是显示 - + Heavy FC 较强一爆 - + Low FC 较弱一爆 - + Light Cut 浅色中线 - + Dark Cut 深色中线 - + Drops 滴油 - + Oily 豆表有油 - + Uneven 不均匀 - + Tipping 不规则 - + Scorching 焦烧 - + Divots 裂缝 @@ -2467,14 +2467,14 @@ END - + ET - + BT @@ -2497,24 +2497,19 @@ END - + optimize 最优化 - + fetch full blocks 获取完整块 - - reset - 重置 - - - + compression 压缩 @@ -2700,6 +2695,10 @@ END Elec + + reset + 重置 + Title 标题 @@ -2867,6 +2866,16 @@ END Contextual Menu + + + All batches prepared + 所有批次已准备好 + + + + No batch prepared + 未准备批次 + Add point @@ -2912,16 +2921,6 @@ END Edit 编辑 - - - All batches prepared - 所有批次已准备好 - - - - No batch prepared - 未准备批次 - Cancel selection 取消选择 @@ -4279,20 +4278,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4385,42 +4384,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4489,10 +4488,10 @@ END - - - - + + + + @@ -4690,12 +4689,12 @@ END - - - - - - + + + + + + @@ -4704,17 +4703,17 @@ END 数值错误: - + Serial Exception: invalid comm port 串行异常:无效端口 - + Serial Exception: timeout 串行异常: 超时 - + Unable to move CHARGE to a value that does not exist 因为不存在投豆的数值所以无法移动 @@ -4724,30 +4723,30 @@ END 通信协议通信恢复 - + Modbus Error: failed to connect Modbus 错误:连接失败 - - - - - - - - - + + + + + + + + + Modbus Error: 通信协议错误: - - - - - - + + + + + + Modbus Communication Error 通信协议通信错误 @@ -4831,52 +4830,52 @@ END 例外:{}不是有效的设置文件 - - - - - + + + + + Error 错误 - + Exception: WebLCDs not supported by this build 例外:此版本不支持 WebLCD - + Could not start WebLCDs. Selected port might be busy. 无法启动 WebLCD。所选端口可能正忙。 - + Failed to save settings 保存设置失败 - - + + Exception (probably due to an empty profile): 错误 (可能是因为一个空的配置文件): - + Analyze: CHARGE event required, none found 分析:需要投豆事件,并没有找到 - + Analyze: DROP event required, none found 分析:需要排豆事件,并没有找到 - + Analyze: no background profile data available 分析: 无有效背景曲线配置数据 - + Analyze: background profile requires CHARGE and DROP events 分析: 背景曲线配置需要投豆和排豆事件 @@ -4991,6 +4990,12 @@ END Form Caption + + + + Custom Blend + 自定义混合 + Axes @@ -5125,12 +5130,12 @@ END 端口配置 - + MODBUS Help 通信协议帮助 - + S7 Help S7 帮助 @@ -5150,23 +5155,17 @@ END 烘焙属性 - - - Custom Blend - 自定义混合 - - - + Energy Help 能源帮助 - + Tare Setup 皮重设置 - + Set Measure from Profile 从配置文件设置度量 @@ -5396,27 +5395,27 @@ END 管理 - + Registers - - + + Commands 指令 - + PID PID - + Serial 串行 @@ -5427,37 +5426,37 @@ END - + Input 输入 - + Machine 机器 - + Timeout 超时 - + Nodes 节点 - + Messages 信息 - + Flags 标志 - + Events 事件 @@ -5469,14 +5468,14 @@ END - + Energy 活力 - + CO2 二氧化碳 @@ -5780,14 +5779,14 @@ END HTML Report Template - + BBP Total Time BBP 总时间 - + BBP Bottom Temp BBP 底部温度 @@ -5804,849 +5803,849 @@ END - + Whole Color 整豆色值 - - + + Profile 配置 - + Roast Batches 烘焙批次 - - - + + + Batch 批次 - - + + Date 日期 - - - + + + Beans 咖啡豆 - - - + + + In 开始 - - + + Out 结束 - - - + + + Loss 损失 - - + + SUM 合计 - + Production Report 生产报告 - - + + Time 时间 - - + + Weight In 投豆重量 - - + + CHARGE BT 投豆 BT - - + + FCs Time 一爆时间 - - + + FCs BT 一爆温度 - - + + DROP Time 排豆时间 - - + + DROP BT 排豆温度 - + Dry Percent 脱水占比 - + MAI Percent 梅纳占比 - + Dev Percent 发展占比 - - + + AUC - - + + Weight Loss 失重 - - + + Color 颜色 - + Cupping 杯测 - + Roaster 烘培机 - + Capacity 容量 - + Operator 烘培师 - + Organization 组织 - + Drum Speed 滚筒转速 - + Ground Color 咖啡粉色值 - + Color System 颜色系统 - + Screen Min 豆目最小 - + Screen Max 豆目最大 - + Bean Temp 豆温 - + CHARGE ET 投豆 ET - + TP Time 回温点时间 - + TP ET 回温点ET - + TP BT 回温点BT - + DRY Time 转黄点时间 - + DRY ET 转黄点ET - + DRY BT 转黄点BT - + FCs ET 一爆开始ET - + FCe Time 一爆结束时间 - + FCe ET 一爆结束ET - + FCe BT 一爆结束BT - + SCs Time 二爆开始时间 - + SCs ET 二爆结束ET - + SCs BT 二爆开始BT - + SCe Time 二爆结束时间 - + SCe ET 二爆结束ET - + SCe BT 二爆结束 BT - + DROP ET 排豆 ET - + COOL Time 冷却时间 - + COOL ET 冷却ET - + COOL BT 冷却BT - + Total Time 总时长 - + Dry Phase Time 脱水阶段时间 - + Mid Phase Time 梅纳阶段时间 - + Finish Phase Time 结束阶段时间 - + Dry Phase RoR 脱水阶段RoR - + Mid Phase RoR 梅纳阶段RoR - + Finish Phase RoR 结束阶段RoR - + Dry Phase Delta BT 脱水阶段达美BT - + Mid Phase Delta BT 梅纳阶段达美BT - + Finish Phase Delta BT 结束阶段达美BT - + Finish Phase Rise 结束阶段上升 - + Total RoR 全程平均RoR - + FCs RoR 一爆开始RoR - + MET 最大环境温度 - + AUC Begin AUC开始 - + AUC Base AUC 基础 - + Dry Phase AUC 脱水阶段 AUC - + Mid Phase AUC 梅纳阶段AUC - + Finish Phase AUC 结束阶段AUC - + Weight Out 排豆重量 - + Volume In 投豆 体积 - + Volume Out 排豆体积 - + Volume Gain 体积增加 - + Green Density 生豆密度 - + Roasted Density 熟豆密度 - + Moisture Greens 生豆含水率 - + Moisture Roasted 熟豆含水率 - + Moisture Loss 水份流失 - + Organic Loss 有机物流失 - + Ambient Humidity 环境湿度 - + Ambient Pressure 环境压力 - + Ambient Temperature 环境温度 - - + + Roasting Notes 烘焙笔记 - - + + Cupping Notes 杯测笔记 - + Heavy FC 较强一爆 - + Low FC 较弱一爆 - + Light Cut 浅中线 - + Dark Cut 深中线 - + Drops 滴油 - + Oily 油腻 - + Uneven 不均匀 - + Tipping 点灼伤 - + Scorching 灼伤 - + Divots 破裂 - + Mode 模式 - + BTU Batch BTU 批量 - + BTU Batch per green kg BTU批量每公斤生豆 - + CO2 Batch CO2 批量 - + BTU Preheat BTU 预热 - + CO2 Preheat CO2 预热 - + BTU BBP - + CO2 BBP 二氧化碳 BBP - + BTU Cooling BTU 冷却 - + CO2 Cooling CO2 冷却 - + BTU Roast BTU 烘焙 - + BTU Roast per green kg BTU烘焙每公斤生豆 - + CO2 Roast CO2 烘焙 - + CO2 Batch per green kg CO2批量每公斤生豆 - + BTU LPG - + BTU NG - + BTU ELEC BTU 电力 - + Efficiency Batch 有效批量 - + Efficiency Roast 有效烘焙 - + BBP Begin BBP开始 - + BBP Begin to Bottom Time BBP 开始到底部时间 - + BBP Bottom to CHARGE Time BBP 触底至 CHARGE 时间 - + BBP Begin to Bottom RoR BBP 开始触底 RoR - + BBP Bottom to CHARGE RoR BBP 底部至 CHARGE RoR - + File Name 文件名 - + Roast Ranking 烘培排名 - + Ranking Report 排名报告 - + AVG - + Roasting Report 烘焙属性 - + Date: 日期: - + Beans: 豆名: - + Weight: 重量: - + Volume: 体积: - + Roaster: 烘焙机: - + Operator: 烘培师: - + Organization: 组织: - + Cupping: 杯测: - + Color: 颜色: - + Energy: 火力: - + CO2: 二氧化碳: - + CHARGE: 投豆: - + Size: 大小: - + Density: 密度: - + Moisture: 含水量: - + Ambient: 环境: - + TP: 回温点: - + DRY: 脱水: - + FCs: 一爆开始: - + FCe: 一爆结束: - + SCs: 二爆开始: - + SCe: 二爆结束: - + DROP: 排豆: - + COOL: 冷却: - + MET: 最大环境温度: - + CM: - + Drying: 脱水: - + Maillard: 梅纳反应: - + Finishing: 完成: - + Cooling: 冷却: - + Background: 背景曲线: - + Alarms: 警报: - + RoR: - + AUC: - + Events 事件 @@ -12335,6 +12334,92 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 Label + + + + + + + + + Weight + 重量 + + + + + + + Beans + 咖啡豆 + + + + + + Density + 密度 + + + + + + Color + 颜色 + + + + + + Moisture + 含水量 + + + + + + + Roasting Notes + 烘焙笔记 + + + + Score + 分数 + + + + + Cupping Score + 拔罐分数 + + + + + + + Cupping Notes + 杯测笔记 + + + + + + + + Roasted + 熟豆 + + + + + + + + + Green + 生豆 + @@ -12439,7 +12524,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12458,7 +12543,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12474,7 +12559,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12493,7 +12578,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12520,7 +12605,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12552,7 +12637,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + DRY 脱水 @@ -12569,7 +12654,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + FCs 一爆开始 @@ -12577,7 +12662,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + FCe 一爆结束 @@ -12585,7 +12670,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + SCs 二爆开始 @@ -12593,7 +12678,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + SCe 二爆结束 @@ -12606,7 +12691,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12621,10 +12706,10 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 /分钟 - - - - + + + + @@ -12632,8 +12717,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 打开 - - + + @@ -12647,8 +12732,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 循环 - - + + Input 输入 @@ -12682,7 +12767,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + @@ -12699,8 +12784,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - - + + Mode @@ -12762,7 +12847,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + Label @@ -12887,21 +12972,21 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 最大SV - + P - + I - + D @@ -12963,13 +13048,6 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 Markers 标记 - - - - - Color - 颜色 - Text Color @@ -13000,9 +13078,9 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 大小 - - + + @@ -13040,8 +13118,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - - + + Event @@ -13054,7 +13132,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 动作 - + Command 指令 @@ -13066,7 +13144,7 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 补偿 - + Factor @@ -13083,14 +13161,14 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 温度 - + Unit 单位 - + Source 来源 @@ -13101,10 +13179,10 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 群组 - - - + + + OFF @@ -13155,15 +13233,15 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 注册 - - + + Area 区域 - - + + DB# @@ -13171,54 +13249,54 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - + Start 开始 - - + + Comm Port 通信端口 - - + + Baud Rate 传输速率 - - + + Byte Size 字节大小 - - + + Parity 校验 - - + + Stopbits 停止位 - - + + @@ -13255,8 +13333,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - - + + Type 类型 @@ -13266,8 +13344,8 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - - + + Host 主机 @@ -13278,20 +13356,20 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 - - + + Port 端口 - + SV Factor SV 因子 - + pid Factor pid 因子 @@ -13313,75 +13391,75 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 严格的 - - + + Device 设备 - + Rack - + Slot - + Path 路径 - + ID ID - + Connect 连接 - + Reconnect 重连 - - + + Request 请求 - + Message ID 信息 ID - + Machine ID 机器ID - + Data 数据 - + Message 信息 - + Data Request 请求数据 - - + + Node 节点 @@ -13443,17 +13521,6 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 g - - - - - - - - - Weight - 重量 - @@ -13461,25 +13528,6 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 Volume 体积 - - - - - - - - Green - 生豆 - - - - - - - - Roasted - 熟豆 - @@ -13530,31 +13578,16 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 日期 - + Batch 批次 - - - - - - Beans - 咖啡豆 - % - - - - - Density - 密度 - Screen @@ -13570,13 +13603,6 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 Ground 咖啡粉 - - - - - Moisture - 含水量 - @@ -13589,22 +13615,6 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 Ambient Conditions 环境条件 - - - - - - Roasting Notes - 烘焙笔记 - - - - - - - Cupping Notes - 杯测笔记 - Ambient Source @@ -13626,140 +13636,140 @@ Artisan 将在每个采样周期启动程序。程序输出必须是标准输出 混合物 - + Template 模板 - + Results in 结果为 - + Rating 比率 - + Pressure % 气压 % - + Electric Energy Mix: 电力 火力 混合: - + Renewable 可再生 - - + + Pre-Heating 预热 - - + + Between Batches 批次间 - - + + Cooling 冷却 - + Between Batches after Pre-Heating 预热后 批次间 - + (mm:ss) (mm:ss) - + Duration 持续时间 - + Measured Energy or Output % 测量能量或输出 % - - + + Preheat 预热 - - + + BBP BBP - - - - + + + + Roast 烘培 - - + + per kg green coffee 每公斤生豆 - + Load 载入 - + Organization 组织 - + Operator 烘培师 - + Machine 机器 - + Model 型号 - + Heating 热源 - + Drum Speed 滚筒转速 - + organic material 有机物质 @@ -14083,12 +14093,6 @@ LCDs All Roaster 烘培机 - - - - Cupping Score - 拔罐分数 - Max characters per line @@ -14168,7 +14172,7 @@ LCDs All 边缘颜色 (RGBA) - + roasted 熟豆 @@ -14315,22 +14319,22 @@ LCDs All - + ln() - - + + x - - + + Bkgnd 背景曲线 @@ -14479,99 +14483,99 @@ LCDs All [ 投豆 ] - + /m - + greens 生豆 - - - + + + STOP 停止 - - + + OPEN 打开 - - - + + + CLOSE 关闭 - - + + AUTO 自动 - - - + + + MANUAL 手动 - + STIRRER 搅拌器 - + FILL 充满 - + RELEASE 发布 - + HEATING 加热 - + COOLING 冷却 - + RMSE BT - + MSE BT - + RoR - + @FCs - + Max+/Max- RoR 最大+/最大- RoR @@ -14897,11 +14901,6 @@ LCDs All Aspect Ratio 纵横比 - - - Score - 分数 - RPM 转数 @@ -15291,6 +15290,12 @@ LCDs All Menu + + + + Schedule + 计划 + @@ -15747,12 +15752,6 @@ LCDs All Sliders 滑动条 - - - - Schedule - 计划 - Full Screen @@ -15897,6 +15896,53 @@ LCDs All Message + + + Scheduler started + 调度程序已启动 + + + + Scheduler stopped + 调度程序已停止 + + + + + + + Warning + 警告 + + + + Completed roasts will not adjust the schedule while the schedule window is closed + 在关闭计划窗口时,已完成的烘焙不会调整计划 + + + + + 1 batch + 1 批 + + + + + + + {} batches + {} 批次 + + + + Updating completed roast properties failed + 更新已完成烘焙的属性失败 + + + + Fetching completed roast properties failed + 获取已完成的烘焙属性失败 + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16457,20 +16503,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied 蓝牙访问被拒绝 - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} 串行端口设置: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16504,50 +16550,50 @@ Repeat Operation at the end: {0} 读取背景曲线配置... - + Event table copied to clipboard 事件表已复制到剪贴板 - + The 0% value must be less than the 100% value. 0%的值必须小于100%的值。 - - + + Alarms from events #{0} created 已创建来自事件#{0}的警报 - - + + No events found 没有找到事件 - + Event #{0} added 事件 #{0} 已添加 - + No profile found 没有找到曲线配置 - + Events #{0} deleted 事件 #{0} 已删除 - + Event #{0} deleted 事件 #{0} 已删除 - + Roast properties updated but profile not saved to disk 烘焙属性已更新但曲线配置并未保存到硬盘 @@ -16562,7 +16608,7 @@ Repeat Operation at the end: {0} MODBUS 断开 - + Connected via MODBUS 已连接到通信协议 @@ -16729,27 +16775,19 @@ Repeat Operation at the end: {0} Sampling 采样 - - - - - - Warning - 警告 - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. 紧密的采样间隔可能会导致某些机器不稳定。我们建议至少为 1s。 - + Incompatible variables found in %s 在 %s 中发现不兼容的变量 - + Assignment problem 任务分配问题 @@ -16843,8 +16881,8 @@ Repeat Operation at the end: {0} - - + + Save Statistics 保存统计 @@ -17006,19 +17044,19 @@ To keep it free and current please support us with your donation and subscribe t 为{0}配置的Artisan - + Load theme {0}? 载入主题 {0}? - + Adjust Theme Related Settings 调整主题相关设置 - + Loaded theme {0} 主题 {0} 已载入 @@ -17029,8 +17067,8 @@ To keep it free and current please support us with your donation and subscribe t 监测到颜色组合难以区分: - - + + Simulator started @{}x 模拟器已开始 @{}x @@ -17081,14 +17119,14 @@ To keep it free and current please support us with your donation and subscribe t 自动排豆关闭 - + PID set to OFF PID 设置为OFF - + PID set to ON @@ -17308,7 +17346,7 @@ To keep it free and current please support us with your donation and subscribe t {0}已被保存.新的烘培已经开始 - + Invalid artisan format @@ -17373,10 +17411,10 @@ It is advisable to save your current settings beforehand via menu Help >> 配置已保存 - - - - + + + + @@ -17468,346 +17506,346 @@ It is advisable to save your current settings beforehand via menu Help >> 已取消载入设置 - - + + Statistics Saved 统计已保存 - + No statistics found 没有找到统计 - + Excel Production Report exported to {0} Excel生产报告{0}已导出 - + Ranking Report 排名报告 - + Ranking graphs are only generated up to {0} profiles 排名图最多只能生成{0}个配置文件 - + Profile missing DRY event 配置文件缺少 DRY 事件 - + Profile missing phase events 配置缺少阶段事件 - + CSV Ranking Report exported to {0} CSV排名报告已导出到{0} - + Excel Ranking Report exported to {0} Excel 排名报告{0} 已导出 - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied 无法连接蓝牙秤,Artisan 访问蓝牙的权限被拒绝 - + Bluetooth access denied 蓝牙访问被拒绝 - + Hottop control turned off Hottop 控制已关闭 - + Hottop control turned on Hottop 控制已打开 - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! 要控制Hottop先需要右键点击计时器LCD,激活超级用户模式! - - + + Settings not found 没有找到设置 - + artisan-settings artisan设置 - + Save Settings 保存设置 - + Settings saved 设置已保存 - + artisan-theme artisan主题 - + Save Theme 保存主题 - + Theme saved 主题已保存 - + Load Theme 载入主题 - + Theme loaded 主题已载入 - + Background profile removed 删除背景资料 - + Alarm Config 警报配置 - + Alarms are not available for device None 警报不适用于未连接设备 - + Switching the language needs a restart. Restart now? 切换语言需要重启.现在就重启吗? - + Restart 重启 - + Import K202 CSV 导入K202 CSV - + K202 file loaded successfully K202文件已成功载入 - + Import K204 CSV 导入K204 CSV - + K204 file loaded successfully K204文件已成功载入 - + Import Probat Recipe 导入 Probat Pilot - + Probat Pilot data imported successfully Probat Pilot数据已导入成功 - + Import Probat Pilot failed 导入Probat Pilot失败 - - + + {0} imported {0} 已导入 - + an error occurred on importing {0} 导入 {0} 时出错 - + Import Cropster XLS 导入 Cropster XLS - + Import RoastLog URL 导入RoastLog网址 - + Import RoastPATH URL 导入RoastPATH网址 - + Import Giesen CSV 导入 Giesen CSV - + Import Petroncini CSV 导入Petroncini CSV - + Import IKAWA URL 导入 IKAWA 网址 - + Import IKAWA CSV 导入 IKAWA CSV - + Import Loring CSV 导入 Loring CSV - + Import Rubasse CSV 导入 Rubasse CSV - + Import HH506RA CSV 导入HH506RA CSV - + HH506RA file loaded successfully HH506RA文件已成功载入 - + Save Graph as 保存图表为 - + {0} size({1},{2}) saved {0} 尺寸({1},{2}) 已保存 - + Save Graph as PDF 保存图表为PDF格式 - + Save Graph as SVG 保存图表为SVG格式 - + {0} saved {0}已保存 - + Wheel {0} loaded 风味轮 {0} 已载入 - + Invalid Wheel graph format 无效的风味轮格式 - + Buttons copied to Palette # 复制到调色板的按钮 # - + Palette #%i restored 调色板 #%i 已恢复 - + Palette #%i empty 调色板 #%i 为空 - + Save Palettes 保存调色板 - + Palettes saved 调色板已保存 - + Palettes loaded 已载入调色板 - + Invalid palettes file format 无效的调色板文件格式 - + Alarms loaded 已载入警报 - + Fitting curves... 拟合曲线中... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. - + Analysis earlier than Curve fit 在曲线拟合前分析 - + Simulator stopped 模拟器已停止 - + debug logging ON 调试记录打开 @@ -18459,45 +18497,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found 没有发现背景曲线配置 - - - Scheduler started - 调度程序已启动 - - - - Scheduler stopped - 调度程序已停止 - - - - Completed roasts will not adjust the schedule while the schedule window is closed - 在关闭计划窗口时,已完成的烘焙不会调整计划 - - - - - 1 batch - 1 批 - - - - - - - {} batches - {} 批次 - - - - Updating completed roast properties failed - 更新已完成烘焙的属性失败 - - - - Fetching completed roast properties failed - 获取已完成的烘焙属性失败 - Event # {0} recorded at BT = {1} Time = {2} 事件 # {0} 记录于 BT = {1} 时间 = {2} @@ -19043,51 +19042,6 @@ Continue? Plus - - - debug logging ON - 调试记录打开 - - - - debug logging OFF - 调试记录关闭 - - - - 1 day left - 仅剩1天 - - - - {} days left - 还剩{}天 - - - - Paid until - 付费至 - - - - Please visit our {0}shop{1} to extend your subscription - 请访问我们的{0}商店{1}以扩展您的订阅 - - - - Do you want to extend your subscription? - 你想延长你的订阅吗? - - - - Your subscription ends on - 您的订阅结束于 - - - - Your subscription ended on - 您的订阅结束于 - Roast successfully upload to {} @@ -19277,6 +19231,51 @@ Continue? Remember 记住 + + + debug logging ON + 调试记录打开 + + + + debug logging OFF + 调试记录关闭 + + + + 1 day left + 仅剩1天 + + + + {} days left + 还剩{}天 + + + + Paid until + 付费至 + + + + Please visit our {0}shop{1} to extend your subscription + 请访问我们的{0}商店{1}以扩展您的订阅 + + + + Do you want to extend your subscription? + 你想延长你的订阅吗? + + + + Your subscription ends on + 您的订阅结束于 + + + + Your subscription ended on + 您的订阅结束于 + ({} of {} done) ({} 项,共 {} 项) @@ -19435,10 +19434,10 @@ Continue? - - - - + + + + Roaster Scope 烘焙记录仪 @@ -19850,6 +19849,16 @@ Continue? Tab + + + To-Do + 去做 + + + + Completed + 完全的 + @@ -19882,7 +19891,7 @@ Continue? 设置RS - + Extra @@ -19931,32 +19940,32 @@ Continue? - + ET/BT - + Modbus 通信协议 - + S7 - + Scale - + Color 颜色 - + WebSocket @@ -19993,17 +20002,17 @@ Continue? 设定 - + Details 详细 - + Loads 载入 - + Protocol 规范 @@ -20088,16 +20097,6 @@ Continue? LCDs LCDs - - - To-Do - 去做 - - - - Completed - 完全的 - Done 完毕 @@ -20220,7 +20219,7 @@ Continue? - + @@ -20240,7 +20239,7 @@ Continue? 浸泡 HH:MM - + @@ -20250,7 +20249,7 @@ Continue? - + @@ -20274,37 +20273,37 @@ Continue? - + Device 设备 - + Comm Port 通信端口 - + Baud Rate 传输速率 - + Byte Size 字节大小 - + Parity 校验 - + Stopbits 停止位 - + Timeout 超时 @@ -20312,16 +20311,16 @@ Continue? - - + + Time 时间 - - + + @@ -20330,8 +20329,8 @@ Continue? - - + + @@ -20340,104 +20339,104 @@ Continue? - + CHARGE 投豆 - + DRY END 脱水结束 - + FC START 一爆开始 - + FC END 一爆结束 - + SC START 二爆开始 - + SC END 二爆结束 - + DROP 排豆 - + COOL 冷却 - + #{0} {1}{2} - + Power 火力 - + Duration 时长 - + CO2 二氧化碳 - + Load 载入 - + Source 热源 - + Kind 类型 - + Name 名称 - + Weight 重量 @@ -21387,7 +21386,7 @@ initiated by the PID - + @@ -21408,7 +21407,7 @@ initiated by the PID - + Show help 显示帮助 @@ -21562,20 +21561,24 @@ has to be reduced by 4 times. 每个采样间隔同步运行采样操作 ({}),或选择重复时间间隔以在采样时异步运行采样操作 - + OFF Action String 关闭动作 - + ON Action String 打开动作 - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + 连接后发送请求前的额外延迟(Arduino 设备在连接时重新启动所需) + + + Extra delay in Milliseconds between MODBUS Serial commands MODBUS 串行命令之间的额外延迟(以毫秒为单位) @@ -21591,12 +21594,7 @@ has to be reduced by 4 times. 扫描通讯协议 - - Reset socket connection on error - 重置套接字连接错误 - - - + Scan S7 扫描 S7 @@ -21612,7 +21610,7 @@ has to be reduced by 4 times. 仅为额外设备载入背景曲线 - + The maximum nominal batch size of the machine in kg 机器的最大标称批量(千克) @@ -22046,32 +22044,32 @@ Currently in TEMP MODE 目前为温度模式 - + <b>Label</b>= <b>标签</b>= - + <b>Description </b>= <b>说明</b>= - + <b>Type </b>= <b>类型</b>= - + <b>Value </b>= <b>数值</b>= - + <b>Documentation </b>= <b>文档</b>= - + <b>Button# </b>= <b>按钮# </b>= @@ -22155,6 +22153,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white 将按钮颜色设置为灰度,将 LCD 颜色设置为黑白 + + Reset socket connection on error + 重置套接字连接错误 + Action String 动作 diff --git a/src/translations/artisan_zh_TW.qm b/src/translations/artisan_zh_TW.qm index 8783ec3f1..b35943f51 100644 Binary files a/src/translations/artisan_zh_TW.qm and b/src/translations/artisan_zh_TW.qm differ diff --git a/src/translations/artisan_zh_TW.ts b/src/translations/artisan_zh_TW.ts index 95153192c..df0f77d29 100644 --- a/src/translations/artisan_zh_TW.ts +++ b/src/translations/artisan_zh_TW.ts @@ -9,57 +9,57 @@ 發行版贊助商 - + About 關於 - + Core Developers 核心開發人員 - + License 版權 - + There was a problem retrieving the latest version information. Please check your Internet connection, try again later, or check manually. 檢索最新版本時出現問題。請檢查你的網絡連線,稍後再試,或者手動檢查更新。 - + A new release is available. 有新版本可用。 - + Show Change list 顯示更新列表 - + Download Release 下載最新版本 - + You are using the latest release. 你正在使用最新版本。 - + You are using a beta continuous build. 你正在使用測試中的自動化構建版. - + You will see a notice here once a new official release is available. 新官方版本發布時這裡會顯示通知。 - + Update status 更新狀態 @@ -250,14 +250,34 @@ Button + + + + + + + + + OK + 確認 + + + + + + + + Cancel + 取消 + - - - - + + + + Restore Defaults @@ -285,7 +305,7 @@ - + @@ -313,7 +333,7 @@ - + @@ -371,17 +391,6 @@ Save 儲存 - - - - - - - - - OK - 確認 - On @@ -594,15 +603,6 @@ Write PIDs 寫入PIDs - - - - - - - Cancel - 取消 - Set ET PID to MM:SS time units @@ -621,8 +621,8 @@ - - + + @@ -642,7 +642,7 @@ - + @@ -682,7 +682,7 @@ 開始 - + Scan 掃描 @@ -767,9 +767,9 @@ 更新 - - - + + + Save Defaults 儲存預設值 @@ -1504,12 +1504,12 @@ END 浮點數 - + START on CHARGE 入豆時開始 - + OFF on DROP 下豆後關閉 @@ -1581,61 +1581,61 @@ END 總是顯示 - + Heavy FC 較強一爆音 - + Low FC 較弱一爆音 - + Light Cut 中間線色淺 - + Dark Cut 中間線色深 - + Drops 有油滴 - + Oily 油亮 - + Uneven 不均勻 - + Tipping 尖端焦黑 - + Scorching 表面燙傷 - + Divots 隕石坑狀 @@ -2463,14 +2463,14 @@ END - + ET 排風溫 - + BT 豆溫 @@ -2493,24 +2493,19 @@ END 字組 - + optimize 最優化 - + fetch full blocks 獲取全部block - - reset - 重置 - - - + compression 壓縮 @@ -2696,6 +2691,10 @@ END Elec + + reset + 重置 + Title 標題 @@ -2867,6 +2866,16 @@ END Contextual Menu + + + All batches prepared + 所有批次均已準備好 + + + + No batch prepared + 沒有準備批次 + Add point @@ -2912,16 +2921,6 @@ END Edit 編輯 - - - All batches prepared - 所有批次均已準備好 - - - - No batch prepared - 沒有準備批次 - Cancel selection 取消選擇 @@ -4279,20 +4278,20 @@ END Error Message - - - - - - - - - - - - - - + + + + + + + + + + + + + + @@ -4385,42 +4384,42 @@ END - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + @@ -4489,10 +4488,10 @@ END - - - - + + + + @@ -4690,12 +4689,12 @@ END - - - - - - + + + + + + @@ -4704,17 +4703,17 @@ END 數值錯誤: - + Serial Exception: invalid comm port 序列異常:無效埠號 - + Serial Exception: timeout 序列異常: 超時 - + Unable to move CHARGE to a value that does not exist 因為不存在入豆的數值所以無法移動 @@ -4724,30 +4723,30 @@ END Modbus通訊恢復 - + Modbus Error: failed to connect Modbus 錯誤:連接失敗 - - - - - - - - - + + + + + + + + + Modbus Error: Modbus錯誤: - - - - - - + + + + + + Modbus Communication Error Modbus通訊錯誤 @@ -4831,52 +4830,52 @@ END 異常:{}不是有效的設定文件 - - - - - + + + + + Error 錯誤 - + Exception: WebLCDs not supported by this build 異常:此版本不支持 WebLCD - + Could not start WebLCDs. Selected port might be busy. 無法啟動 WebLCD。所選連接埠可能正忙。 - + Failed to save settings 保存設置失敗 - - + + Exception (probably due to an empty profile): 異常 (可能是因為一個空的設定文件): - + Analyze: CHARGE event required, none found 分析:需要入豆事件,沒有找到 - + Analyze: DROP event required, none found 分析:需要下豆事件,沒有找到 - + Analyze: no background profile data available 分析: 無有效背景曲線數據 - + Analyze: background profile requires CHARGE and DROP events 分析: 背景曲線需要有入豆和下豆事件 @@ -4991,6 +4990,12 @@ END Form Caption + + + + Custom Blend + 自定配方 + Axes @@ -5125,12 +5130,12 @@ END 通訊埠設定 - + MODBUS Help Modbus幫助 - + S7 Help S7 幫助 @@ -5150,23 +5155,17 @@ END 烘焙屬性 - - - Custom Blend - 自定配方 - - - + Energy Help 能量說明 - + Tare Setup 扣重設定 - + Set Measure from Profile 從曲線檔設定量測 @@ -5396,27 +5395,27 @@ END 管理 - + Registers 暫存器 - - + + Commands 指令 - + PID PID - + Serial 通訊紀錄 @@ -5427,37 +5426,37 @@ END - + Input 輸入 - + Machine 機器 - + Timeout 超時 - + Nodes 節點 - + Messages 訊息 - + Flags 標誌 - + Events 事件 @@ -5469,14 +5468,14 @@ END - + Energy 能量 - + CO2 二氧化碳 @@ -5776,14 +5775,14 @@ END HTML Report Template - + BBP Total Time BBP 總時間 - + BBP Bottom Temp BBP底部溫度 @@ -5800,849 +5799,849 @@ END - + Whole Color 豆色 - - + + Profile 曲線 - + Roast Batches 烘焙批次 - - - + + + Batch 批次 - - + + Date 日期 - - - + + + Beans 生豆溫 - - - + + + In 生豆量 - - + + Out 熟豆量 - - - + + + Loss 失重量 - - + + SUM 合計 - + Production Report 生產報告 - - + + Time 時間 - - + + Weight In 入豆重量 - - + + CHARGE BT 入豆豆溫數值 - - + + FCs Time 一爆時間 - - + + FCs BT 一爆開始豆溫 - - + + DROP Time 下豆時間 - - + + DROP BT 下豆時豆溫 - + Dry Percent 脫水期佔比 - + MAI Percent 梅納期佔比 - + Dev Percent 發展期佔比 - - + + AUC 曲線下面積AUC - - + + Weight Loss 失重 - - + + Color 顏色 - + Cupping 杯測 - + Roaster 烘焙機 - + Capacity 容量 - + Operator 烘豆師 - + Organization 組織 - + Drum Speed 滾筒轉速 - + Ground Color 粉色 - + Color System 顏色系統 - + Screen Min 最小目數 - + Screen Max 最大目數 - + Bean Temp 豆溫 - + CHARGE ET 入豆出風溫數值 - + TP Time 回溫點時間 - + TP ET 回溫點出風溫 - + TP BT 回溫點豆溫 - + DRY Time 轉黃點時間 - + DRY ET 轉黃點出風溫 - + DRY BT 轉黃點豆溫 - + FCs ET 一爆開始出風溫 - + FCe Time 一爆結束時間 - + FCe ET 一爆結束出風溫 - + FCe BT 一爆結束豆溫 - + SCs Time 二爆開始時間 - + SCs ET 二爆結束出風溫 - + SCs BT 二爆開始豆溫 - + SCe Time 二爆結束時間 - + SCe ET 二爆結束出風溫 - + SCe BT 二爆結束豆溫 - + DROP ET 下豆出風溫 - + COOL Time 冷卻時間 - + COOL ET 冷卻出風溫 - + COOL BT 冷卻豆溫 - + Total Time 總時間 - + Dry Phase Time 脫水階段時間長度 - + Mid Phase Time 梅納階段時間長度 - + Finish Phase Time 結束階段時間長度 - + Dry Phase RoR 脫水階段RoR - + Mid Phase RoR 梅納階段RoR - + Finish Phase RoR 結束階段RoR - + Dry Phase Delta BT 脫水階段豆溫差 - + Mid Phase Delta BT 梅納階段豆溫差 - + Finish Phase Delta BT 結束階段豆溫差值 - + Finish Phase Rise 結束階段升溫量 - + Total RoR 全程平均RoR - + FCs RoR 一爆開始RoR - + MET 最大環境溫度 - + AUC Begin AUC開始 - + AUC Base AUC 基礎 - + Dry Phase AUC 脫水階段 AUC - + Mid Phase AUC 梅納階段AUC - + Finish Phase AUC 結束階段AUC - + Weight Out 下豆重量 - + Volume In 入豆 體積 - + Volume Out 下豆體積 - + Volume Gain 體積增加 - + Green Density 生豆密度 - + Roasted Density 熟豆密度 - + Moisture Greens 生豆含水率 - + Moisture Roasted 熟豆含水率 - + Moisture Loss 水份流失 - + Organic Loss 有機物流失 - + Ambient Humidity 環境濕度 - + Ambient Pressure 環境壓力 - + Ambient Temperature 環境溫度 - - + + Roasting Notes 烘焙筆記 - - + + Cupping Notes 杯測筆記 - + Heavy FC 較強一爆 - + Low FC 較弱一爆 - + Light Cut 淺中線 - + Dark Cut 深中線 - + Drops 滴油 - + Oily 油膩 - + Uneven 不均勻 - + Tipping 點灼傷 - + Scorching 灼傷 - + Divots 破裂 - + Mode 模式 - + BTU Batch 英熱單位批次 - + BTU Batch per green kg 每綠色公斤的 BTU 批次 - + CO2 Batch CO2 批量 - + BTU Preheat BTU 預熱 - + CO2 Preheat CO2 預熱 - + BTU BBP - + CO2 BBP - + BTU Cooling BTU 冷卻 - + CO2 Cooling CO2 冷卻 - + BTU Roast BTU 烘焙 - + BTU Roast per green kg BTU烘焙每公斤生豆 - + CO2 Roast CO2 烘焙 - + CO2 Batch per green kg CO2批量每公斤生豆 - + BTU LPG - + BTU NG - + BTU ELEC BTU 電力 - + Efficiency Batch 有效批量 - + Efficiency Roast 有效烘焙 - + BBP Begin BBP開始 - + BBP Begin to Bottom Time BBP 開始到谷底時間 - + BBP Bottom to CHARGE Time BBP 底部到充電時間 - + BBP Begin to Bottom RoR BBP 開始至底部 RoR - + BBP Bottom to CHARGE RoR BBP 底部到 CHARGE RoR - + File Name 檔案名稱 - + Roast Ranking 烘焙排序 - + Ranking Report 排名報告 - + AVG - + Roasting Report 烘焙屬性 - + Date: 日期: - + Beans: 豆名: - + Weight: 重量: - + Volume: 體積: - + Roaster: 烘焙機: - + Operator: 烘焙師: - + Organization: 組織: - + Cupping: 杯測: - + Color: 顏色: - + Energy: 火力: - + CO2: - + CHARGE: 入豆: - + Size: 大小: - + Density: 密度: - + Moisture: 含水量: - + Ambient: 環境: - + TP: 回溫點: - + DRY: 脫水: - + FCs: 一爆開始: - + FCe: 一爆結束: - + SCs: 二爆開始: - + SCe: 二爆結束: - + DROP: 下豆: - + COOL: 冷卻: - + MET: 最大環境溫度: - + CM: 曲線差異量CM - + Drying: 脫水: - + Maillard: 梅納反應: - + Finishing: 完成: - + Cooling: 冷卻: - + Background: 背景曲線: - + Alarms: 警報: - + RoR: - + AUC: 曲線下面積: - + Events 事件 @@ -12322,6 +12321,92 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u Label + + + + + + + + + Weight + 重量 + + + + + + + Beans + 咖啡豆 + + + + + + Density + 密度 + + + + + + Color + 顏色 + + + + + + Moisture + 含水量 + + + + + + + Roasting Notes + 烘焙筆記 + + + + Score + 分數 + + + + + Cupping Score + 拔罐分數 + + + + + + + Cupping Notes + 杯測筆記 + + + + + + + + Roasted + 熟豆 + + + + + + + + + Green + 生豆 + @@ -12426,7 +12511,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12445,7 +12530,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12461,7 +12546,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12480,7 +12565,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12507,7 +12592,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12539,7 +12624,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + DRY 脫水 @@ -12556,7 +12641,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + FCs 一爆開始 @@ -12564,7 +12649,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + FCe 一爆結束 @@ -12572,7 +12657,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + SCs 二爆開始 @@ -12580,7 +12665,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + SCe 二爆結束 @@ -12593,7 +12678,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12608,10 +12693,10 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u /分鐘 - - - - + + + + @@ -12619,8 +12704,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 開啟 - - + + @@ -12634,8 +12719,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 循環 - - + + Input 輸入 @@ -12669,7 +12754,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + @@ -12686,8 +12771,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - - + + Mode @@ -12749,7 +12834,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + Label @@ -12874,21 +12959,21 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 最大SV - + P - + I - + D @@ -12950,13 +13035,6 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u Markers 標記 - - - - - Color - 顏色 - Text Color @@ -12987,9 +13065,9 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 大小 - - + + @@ -13027,8 +13105,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - - + + Event @@ -13041,7 +13119,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 動作 - + Command 指令 @@ -13053,7 +13131,7 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 補償 - + Factor @@ -13070,14 +13148,14 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 溫度 - + Unit 單位 - + Source 來源 @@ -13088,10 +13166,10 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 群組 - - - + + + OFF @@ -13142,15 +13220,15 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 暫存器 - - + + Area 區域 - - + + DB# @@ -13158,54 +13236,54 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - + Start 開始 - - + + Comm Port 通信埠 - - + + Baud Rate 傳輸速率 - - + + Byte Size 資料位元 - - + + Parity 同位檢查 - - + + Stopbits 停止位 - - + + @@ -13242,8 +13320,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - - + + Type 類型 @@ -13253,8 +13331,8 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - - + + Host 主機 @@ -13265,20 +13343,20 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u - - + + Port 埠號 - + SV Factor SV 因子 - + pid Factor pid 因子 @@ -13300,75 +13378,75 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 嚴格的 - - + + Device 設備 - + Rack - + Slot - + Path 路徑 - + ID ID - + Connect 連接 - + Reconnect 重連 - - + + Request 請求 - + Message ID 訊息 ID - + Machine ID 機器ID - + Data 數據 - + Message 訊息 - + Data Request 請求數據 - - + + Node 節點 @@ -13430,17 +13508,6 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u g - - - - - - - - - Weight - 重量 - @@ -13448,25 +13515,6 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u Volume 體積 - - - - - - - - Green - 生豆 - - - - - - - - Roasted - 熟豆 - @@ -13517,31 +13565,16 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 日期 - + Batch 批次 - - - - - - Beans - 咖啡豆 - % - - - - - Density - 密度 - Screen @@ -13557,13 +13590,6 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u Ground 粉色 - - - - - Moisture - 含水量 - @@ -13576,22 +13602,6 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u Ambient Conditions 環境狀態 - - - - - - Roasting Notes - 烘焙筆記 - - - - - - - Cupping Notes - 杯測筆記 - Ambient Source @@ -13613,140 +13623,140 @@ Exception to the above for DRY only: if AutoDRY is checked the DRY temperature u 混合物 - + Template 模板 - + Results in 能量單位 - + Rating 額定功率 - + Pressure % 以壓力計算 - + Electric Energy Mix: 混合電能: - + Renewable 可再生 - - + + Pre-Heating 預熱 - - + + Between Batches 批次間 - - + + Cooling 冷卻 - + Between Batches after Pre-Heating 預熱 與 入豆前調溫操作 分開紀錄 - + (mm:ss) (mm:ss) - + Duration 耗時 - + Measured Energy or Output % 測量能量或輸出 % - - + + Preheat 預熱 - - + + BBP BBP - - - - + + + + Roast 烘焙 - - + + per kg green coffee 每公斤生咖啡 - + Load 計入設備 - + Organization 組織 - + Operator 烘焙師 - + Machine 機器 - + Model 型號 - + Heating 熱源 - + Drum Speed 滾筒轉速 - + organic material 有機物質 @@ -14070,12 +14080,6 @@ LCDs All Roaster 烘培機 - - - - Cupping Score - 拔罐分數 - Max characters per line @@ -14155,7 +14159,7 @@ LCDs All 邊緣顏色 (RGBA) - + roasted 熟豆 @@ -14302,22 +14306,22 @@ LCDs All - + ln() - - + + x - - + + Bkgnd 背景曲線 @@ -14466,99 +14470,99 @@ LCDs All [ 入豆 ] - + /m - + greens 生豆 - - - + + + STOP 停止 - - + + OPEN 打開 - - - + + + CLOSE 關閉 - - + + AUTO 自動 - - - + + + MANUAL 手動 - + STIRRER 攪拌器 - + FILL 充滿 - + RELEASE 發布 - + HEATING 加熱 - + COOLING 冷卻 - + RMSE BT - + MSE BT - + RoR 升溫率RoR - + @FCs - + Max+/Max- RoR 最大+/最大- RoR @@ -14884,11 +14888,6 @@ LCDs All Aspect Ratio 縱橫比 - - - Score - 分數 - RPM 轉數 @@ -15278,6 +15277,12 @@ LCDs All Menu + + + + Schedule + 計劃 + @@ -15734,12 +15739,6 @@ LCDs All Sliders 滑動條 - - - - Schedule - 計劃 - Full Screen @@ -15884,6 +15883,53 @@ LCDs All Message + + + Scheduler started + 調度程序已啟動 + + + + Scheduler stopped + 調度程序已停止 + + + + + + + Warning + 警告 + + + + Completed roasts will not adjust the schedule while the schedule window is closed + 當計劃視窗關閉時,已完成的烘焙不會調整計劃 + + + + + 1 batch + 1批 + + + + + + + {} batches + {} 批次 + + + + Updating completed roast properties failed + 更新已完成的烘焙屬性失敗 + + + + Fetching completed roast properties failed + 取得已完成的烘焙屬性失敗 + xlimit = ({2},{3}) ylimit = ({0},{1}) zlimit = ({4},{5}) @@ -16444,20 +16490,20 @@ Repeat Operation at the end: {0} - + Bluetootooth access denied 藍牙訪問被拒絕 - + Serial Port Settings: {0}, {1}, {2}, {3}, {4}, {5} 序列埠設定: {0}, {1}, {2}, {3}, {4}, {5} - - - + + + Data table copied to clipboard @@ -16491,50 +16537,50 @@ Repeat Operation at the end: {0} 讀取背景曲線設定... - + Event table copied to clipboard 事件表已復製到剪貼簿 - + The 0% value must be less than the 100% value. 0%的值必須小於100%的值。 - - + + Alarms from events #{0} created 已新增來自事件#{0}的警報 - - + + No events found 沒有找到事件 - + Event #{0} added 事件 #{0} 已加入 - + No profile found 沒有找到曲線檔 - + Events #{0} deleted 事件 #{0} 已刪除 - + Event #{0} deleted 事件 #{0} 已刪除 - + Roast properties updated but profile not saved to disk 烘焙屬性已更新但曲線並未儲存到硬碟 @@ -16549,7 +16595,7 @@ Repeat Operation at the end: {0} MODBUS 斷開 - + Connected via MODBUS 已連接到MODBUS @@ -16716,27 +16762,19 @@ Repeat Operation at the end: {0} Sampling 採樣 - - - - - - Warning - 警告 - A tight sampling interval might lead to instability on some machines. We suggest a minimum of 1s. 緊密的採樣間隔可能會導致某些機器不穩定。我們建議至少為 1s。 - + Incompatible variables found in %s 在 %s 中發現不兼容的變量 - + Assignment problem 任務分配問題 @@ -16830,8 +16868,8 @@ Repeat Operation at the end: {0} 關閉 跟隨 - - + + Save Statistics 儲存統計數據 @@ -16993,19 +17031,19 @@ To keep it free and current please support us with your donation and subscribe t 為{0}設定的Artisan - + Load theme {0}? 載入主題 {0}? - + Adjust Theme Related Settings 調整主題相關設定 - + Loaded theme {0} 主題 {0} 已載入 @@ -17016,8 +17054,8 @@ To keep it free and current please support us with your donation and subscribe t 監測到顏色組合難以區分: - - + + Simulator started @{}x 模擬器已開始 @{}x @@ -17068,14 +17106,14 @@ To keep it free and current please support us with your donation and subscribe t 自動下豆關閉 - + PID set to OFF PID 設定為OFF - + PID set to ON @@ -17297,7 +17335,7 @@ Artisan將會重啟! {0}已被儲存.新的烘焙已經開始 - + Invalid artisan format @@ -17362,10 +17400,10 @@ It is advisable to save your current settings beforehand via menu Help >> 曲線已儲存 - - - - + + + + @@ -17457,347 +17495,347 @@ It is advisable to save your current settings beforehand via menu Help >> 已取消載入設定 - - + + Statistics Saved 統計數據已儲存 - + No statistics found 沒有找到統計數據 - + Excel Production Report exported to {0} Excel生產報告{0}已匯出 - + Ranking Report 排序型報告 - + Ranking graphs are only generated up to {0} profiles 排序圖最多只能使用{0}個曲線 - + Profile missing DRY event 配置文件缺少 DRY 事件 - + Profile missing phase events 曲線缺少烘焙階段事件 - + CSV Ranking Report exported to {0} CSV排序報告已匯出到{0} - + Excel Ranking Report exported to {0} Excel 排序報告{0} 已匯出 - + Bluetooth scale cannot be connected while permission for Artisan to access Bluetooth is denied 無法連接藍牙秤,Artisan 訪問藍牙的權限被拒絕 - + Bluetooth access denied 藍牙訪問被拒絕 - + Hottop control turned off Hottop 控制已關閉 - + Hottop control turned on Hottop 控制已開啟 - + To control a Hottop you need to activate the super user mode via a right click on the timer LCD first! 要控制Hottop先需要右鍵點擊計時器LCD,以啟用superuser模式! - - + + Settings not found 沒有找到設定 - + artisan-settings Artisan設定 - + Save Settings 儲存設定 - + Settings saved 設定已儲存 - + artisan-theme Artisan主題 - + Save Theme 儲存主題 - + Theme saved 主題已儲存 - + Load Theme 載入主題 - + Theme loaded 主題已載入 - + Background profile removed 刪除背景資料 - + Alarm Config 警報設定 - + Alarms are not available for device None 警報不適用於無連接設備 - + Switching the language needs a restart. Restart now? 切換語言需要重啟.現在就重啟嗎? - + Restart 重啟 - + Import K202 CSV 匯入K202 CSV - + K202 file loaded successfully K202文件已成功載入 - + Import K204 CSV 匯入K204 CSV - + K204 file loaded successfully K204文件已成功載入 - + Import Probat Recipe 匯入 Probat Pilot - + Probat Pilot data imported successfully Probat Pilot數據已匯入成功 - + Import Probat Pilot failed 匯入Probat Pilot失敗 - - + + {0} imported {0} 已匯入 - + an error occurred on importing {0} 匯入 {0}時發生錯誤 - + Import Cropster XLS 匯入 Cropster XLS - + Import RoastLog URL 匯入RoastLog網址 - + Import RoastPATH URL 匯入RoastPATH網址 - + Import Giesen CSV 匯入 Giesen CSV - + Import Petroncini CSV 匯入Petroncini CSV - + Import IKAWA URL 導入 IKAWA 網址 - + Import IKAWA CSV 匯入 IKAWA CSV - + Import Loring CSV 導入 Loring CSV - + Import Rubasse CSV 匯入 Rubasse CSV - + Import HH506RA CSV 匯入HH506RA CSV - + HH506RA file loaded successfully HH506RA文件已成功載入 - + Save Graph as 儲存圖表為 - + {0} size({1},{2}) saved {0} 尺寸({1},{2}) 已儲存 - + Save Graph as PDF 儲存圖表為PDF格式 - + Save Graph as SVG 儲存圖表為SVG格式 - + {0} saved {0}已儲存 - + Wheel {0} loaded 風味輪 {0} 已載入 - + Invalid Wheel graph format 無效的風味輪格式 - + Buttons copied to Palette # 複製到調色板的按鈕 # - + Palette #%i restored 調色板 #%i 已恢復 - + Palette #%i empty 調色板 #%i 為空 - + Save Palettes 儲存調色板 - + Palettes saved 調色板已儲存 - + Palettes loaded 已載入調色板 - + Invalid palettes file format 無效的調色板文件格式 - + Alarms loaded 已載入警報 - + Fitting curves... 擬合曲線中... - + Warning: The start of the analysis interval of interest is earlier than the start of curve fitting. Correct this on the Config>Curves>Analyze tab. 警告: 分析目標區間早於曲線起始點. 請於 設定/曲線/分析 標籤頁中修正 - + Analysis earlier than Curve fit 分析段落早於曲線擬合 - + Simulator stopped 模擬器已停止 - + debug logging ON 除錯紀錄 啟動 @@ -18449,45 +18487,6 @@ Profile missing [CHARGE] or [DROP] Background profile not found 沒有發現背景曲線 - - - Scheduler started - 調度程序已啟動 - - - - Scheduler stopped - 調度程序已停止 - - - - Completed roasts will not adjust the schedule while the schedule window is closed - 當計劃視窗關閉時,已完成的烘焙不會調整計劃 - - - - - 1 batch - 1批 - - - - - - - {} batches - {} 批次 - - - - Updating completed roast properties failed - 更新已完成的烘焙屬性失敗 - - - - Fetching completed roast properties failed - 取得已完成的烘焙屬性失敗 - Event # {0} recorded at BT = {1} Time = {2} 事件 # {0} 記錄於 豆溫 = {1} 時間 = {2} @@ -19045,51 +19044,6 @@ Continue? Plus - - - debug logging ON - 開啟除錯紀錄 - - - - debug logging OFF - 關閉除錯紀錄 - - - - 1 day left - 僅剩1天 - - - - {} days left - 還剩{}天 - - - - Paid until - 付費至 - - - - Please visit our {0}shop{1} to extend your subscription - 請至我們的{0}商店{1}以延展您的訂閱 - - - - Do you want to extend your subscription? - 你想延長你的訂閱嗎? - - - - Your subscription ends on - 您的訂閱結束於 - - - - Your subscription ended on - 您的訂閱結束於 - Roast successfully upload to {} @@ -19279,6 +19233,51 @@ Continue? Remember 記住 + + + debug logging ON + 開啟除錯紀錄 + + + + debug logging OFF + 關閉除錯紀錄 + + + + 1 day left + 僅剩1天 + + + + {} days left + 還剩{}天 + + + + Paid until + 付費至 + + + + Please visit our {0}shop{1} to extend your subscription + 請至我們的{0}商店{1}以延展您的訂閱 + + + + Do you want to extend your subscription? + 你想延長你的訂閱嗎? + + + + Your subscription ends on + 您的訂閱結束於 + + + + Your subscription ended on + 您的訂閱結束於 + ({} of {} done) (已完成 {} 個,共 {} 個) @@ -19437,10 +19436,10 @@ Continue? - - - - + + + + Roaster Scope 烘焙紀錄儀 @@ -19852,6 +19851,16 @@ Continue? Tab + + + To-Do + 去做 + + + + Completed + 完全的 + @@ -19884,7 +19893,7 @@ Continue? 設定RS - + Extra @@ -19933,32 +19942,32 @@ Continue? - + ET/BT 出風溫/豆溫 - + Modbus Modbus通信協定 - + S7 Loring S7 - + Scale 電子秤 - + Color 顏色 - + WebSocket @@ -19995,17 +20004,17 @@ Continue? 設定 - + Details 細節 - + Loads 計入設備 - + Protocol 協定 @@ -20090,16 +20099,6 @@ Continue? LCDs LCDs - - - To-Do - 去做 - - - - Completed - 完全的 - Done 完畢 @@ -20222,7 +20221,7 @@ Continue? - + @@ -20242,7 +20241,7 @@ Continue? - + @@ -20252,7 +20251,7 @@ Continue? - + @@ -20276,37 +20275,37 @@ Continue? - + Device 設備 - + Comm Port 通信埠 - + Baud Rate 傳輸速率 - + Byte Size 字節大小 - + Parity 校驗 - + Stopbits 停止位 - + Timeout 超時 @@ -20314,16 +20313,16 @@ Continue? - - + + Time 時間 - - + + @@ -20332,8 +20331,8 @@ Continue? - - + + @@ -20342,104 +20341,104 @@ Continue? - + CHARGE 入豆 - + DRY END 脫水結束 - + FC START 一爆開始 - + FC END 一爆結束 - + SC START 二爆開始 - + SC END 二爆結束 - + DROP 下豆 - + COOL 冷卻 - + #{0} {1}{2} - + Power 火力 - + Duration 耗時 - + CO2 - + Load 載入 - + Source 熱源 - + Kind 類型 - + Name 名稱 - + Weight 重量 @@ -21385,7 +21384,7 @@ initiated by the PID - + @@ -21406,7 +21405,7 @@ initiated by the PID - + Show help 顯示幫助 @@ -21560,20 +21559,24 @@ has to be reduced by 4 times. 每個採樣間隔同步運行採樣操作 ({}),或選擇重複時間間隔以在採樣時異步運行採樣操作 - + OFF Action String 關閉動作 - + ON Action String 開啟動作 - + Extra delay after connect in seconds before sending requests (needed by Arduino devices restarting on connect) + 連接後發送請求之前有幾秒鐘的額外延遲(Arduino 設備在連接時重新啟動時需要) + + + Extra delay in Milliseconds between MODBUS Serial commands MODBUS 串行命令之間的額外延遲(以毫秒為單位) @@ -21589,12 +21592,7 @@ has to be reduced by 4 times. 掃描Modbus - - Reset socket connection on error - 錯誤時重置socket連線 - - - + Scan S7 掃描 S7 @@ -21610,7 +21608,7 @@ has to be reduced by 4 times. 僅供背景曲線中額外設備 - + The maximum nominal batch size of the machine in kg 機器的最大額定烘焙量(公斤) @@ -22043,32 +22041,32 @@ Currently in TEMP MODE 目前為升溫量模式 - + <b>Label</b>= <b>標籤</b>= - + <b>Description </b>= <b>描述</b>= - + <b>Type </b>= <b>類型</b>= - + <b>Value </b>= <b>數值</b>= - + <b>Documentation </b>= <b>動作指令 </b>= - + <b>Button# </b>= <b>按鈕#</b>= @@ -22152,6 +22150,10 @@ Currently in TEMP MODE Sets button colors to grey scale and LCD colors to black and white 將按鈕顏色設為灰度,將 LCD 顏色設定為黑白 + + Reset socket connection on error + 錯誤時重置socket連線 + Action String 動作 diff --git a/wiki/ReleaseHistory.md b/wiki/ReleaseHistory.md index c0ce5588f..c3ad9d184 100644 --- a/wiki/ReleaseHistory.md +++ b/wiki/ReleaseHistory.md @@ -17,7 +17,11 @@ v3.0.3 - adds control function to [Diedrich DR](https://artisan-scope.org/machines/diedrich/) machine setup and adds [Diedrich CR](https://artisan-scope.org/machines/diedrich/) machine setup * CHANGES - - start the scheduler automatically on connected to artisan.plus if there are incomplete scheduled items + - automatically start of the scheduler on connected to artisan.plus if there are incompleted scheduled items + - disable items in coffee popups of the Custom Blend dialog without stock in the selected store or, if no store is selected, without stock in every store + - reduce the size of builds by removing unnecessary files + - removes the optional delay on reads from serial MODBUS + - adds optional delay after connect before sending requests to serial MODBUS to allow to wait for Arduino slaves to complete reboot ([Issue #1694](../../../issues/1694)) * FIXES - updates Cropster XLS importer ([Issue #1685](../../../issues/1685))