/* -*- Mode: C++; tab-width: 4; indent-tabs-mode: nil; c-basic-offset: 4 -*- */ /* * This file is part of the LibreOffice project. * * This Source Code Form is subject to the terms of the Mozilla Public * License, v. 2.0. If a copy of the MPL was not distributed with this * file, You can obtain one at http://mozilla.org/MPL/2.0/. * * This file incorporates work covered by the following license notice: * * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed * with this work for additional information regarding copyright * ownership. The ASF licenses this file to you under the Apache * License, Version 2.0 (the "License"); you may not use this file * except in compliance with the License. You may obtain a copy of * the License at http://www.apache.org/licenses/LICENSE-2.0 . */ #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include using namespace ::com::sun::star; using namespace ::comphelper; #define EDITMASK_LITERAL 'L' #define EDITMASK_ALPHA 'a' #define EDITMASK_UPPERALPHA 'A' #define EDITMASK_ALPHANUM 'c' #define EDITMASK_UPPERALPHANUM 'C' #define EDITMASK_NUM 'N' #define EDITMASK_NUMSPACE 'n' #define EDITMASK_ALLCHAR 'x' #define EDITMASK_UPPERALLCHAR 'X' uno::Reference< i18n::XCharacterClassification > const & ImplGetCharClass() { ImplSVData *const pSVData = ImplGetSVData(); assert(pSVData); if (!pSVData->m_xCharClass.is()) { pSVData->m_xCharClass = vcl::unohelper::CreateCharacterClassification(); } return pSVData->m_xCharClass; } static sal_Unicode* ImplAddString( sal_Unicode* pBuf, const OUString& rStr ) { memcpy( pBuf, rStr.getStr(), rStr.getLength() * sizeof(sal_Unicode) ); pBuf += rStr.getLength(); return pBuf; } static sal_Unicode* ImplAddNum( sal_Unicode* pBuf, sal_uLong nNumber, int nMinLen ) { // fill temp buffer with digits sal_Unicode aTempBuf[30]; sal_Unicode* pTempBuf = aTempBuf; do { *pTempBuf = static_cast(nNumber % 10) + '0'; pTempBuf++; nNumber /= 10; if ( nMinLen ) nMinLen--; } while ( nNumber ); // fill with zeros up to the minimal length while ( nMinLen > 0 ) { *pBuf = '0'; pBuf++; nMinLen--; } // copy temp buffer to real buffer do { pTempBuf--; *pBuf = *pTempBuf; pBuf++; } while ( pTempBuf != aTempBuf ); return pBuf; } static sal_Unicode* ImplAddSNum( sal_Unicode* pBuf, sal_Int32 nNumber, int nMinLen ) { if (nNumber < 0) { *pBuf++ = '-'; nNumber = -nNumber; } return ImplAddNum( pBuf, nNumber, nMinLen); } static sal_uInt16 ImplGetNum( const sal_Unicode*& rpBuf, bool& rbError ) { if ( !*rpBuf ) { rbError = true; return 0; } sal_uInt16 nNumber = 0; while( ( *rpBuf >= '0' ) && ( *rpBuf <= '9' ) ) { nNumber *= 10; nNumber += *rpBuf - '0'; rpBuf++; } return nNumber; } static void ImplSkipDelimiters( const sal_Unicode*& rpBuf ) { while( ( *rpBuf == ',' ) || ( *rpBuf == '.' ) || ( *rpBuf == ';' ) || ( *rpBuf == ':' ) || ( *rpBuf == '-' ) || ( *rpBuf == '/' ) ) { rpBuf++; } } static bool ImplIsPatternChar( sal_Unicode cChar, char cEditMask ) { sal_Int32 nType = 0; try { OUString aCharStr(cChar); nType = ImplGetCharClass()->getCharacterType( aCharStr, 0, Application::GetSettings().GetLanguageTag().getLocale() ); } catch (const css::uno::Exception&) { DBG_UNHANDLED_EXCEPTION("vcl.control"); return false; } if ( (cEditMask == EDITMASK_ALPHA) || (cEditMask == EDITMASK_UPPERALPHA) ) { if( !CharClass::isLetterType( nType ) ) return false; } else if ( cEditMask == EDITMASK_NUM ) { if( !CharClass::isNumericType( nType ) ) return false; } else if ( (cEditMask == EDITMASK_ALPHANUM) || (cEditMask == EDITMASK_UPPERALPHANUM) ) { if( !CharClass::isLetterNumericType( nType ) ) return false; } else if ( (cEditMask == EDITMASK_ALLCHAR) || (cEditMask == EDITMASK_UPPERALLCHAR) ) { if ( cChar < 32 ) return false; } else if ( cEditMask == EDITMASK_NUMSPACE ) { if ( !CharClass::isNumericType( nType ) && ( cChar != ' ' ) ) return false; } else return false; return true; } static sal_Unicode ImplPatternChar( sal_Unicode cChar, char cEditMask ) { if ( ImplIsPatternChar( cChar, cEditMask ) ) { if ( (cEditMask == EDITMASK_UPPERALPHA) || (cEditMask == EDITMASK_UPPERALPHANUM) || ( cEditMask == EDITMASK_UPPERALLCHAR ) ) { cChar = ImplGetCharClass()->toUpper(OUString(cChar), 0, 1, Application::GetSettings().GetLanguageTag().getLocale())[0]; } return cChar; } else return 0; } static bool ImplCommaPointCharEqual( sal_Unicode c1, sal_Unicode c2 ) { if ( c1 == c2 ) return true; else if ( ((c1 == '.') || (c1 == ',')) && ((c2 == '.') || (c2 == ',')) ) return true; else return false; } static OUString ImplPatternReformat( const OUString& rStr, const OString& rEditMask, std::u16string_view rLiteralMask, sal_uInt16 nFormatFlags ) { if (rEditMask.isEmpty()) return rStr; OUStringBuffer aOutStr(rLiteralMask); sal_Unicode cTempChar; sal_Unicode cChar; sal_Unicode cLiteral; char cMask; sal_Int32 nStrIndex = 0; sal_Int32 i = 0; sal_Int32 n; while ( i < rEditMask.getLength() ) { if ( nStrIndex >= rStr.getLength() ) break; cChar = rStr[nStrIndex]; cLiteral = rLiteralMask[i]; cMask = rEditMask[i]; // current position is a literal if ( cMask == EDITMASK_LITERAL ) { // if it is a literal copy otherwise ignore because it might be the next valid // character of the string if ( ImplCommaPointCharEqual( cChar, cLiteral ) ) nStrIndex++; else { // Otherwise we check if it is an invalid character. This is the case if it does not // fit in the pattern of the next non-literal character. n = i+1; while ( n < rEditMask.getLength() ) { if ( rEditMask[n] != EDITMASK_LITERAL ) { if ( !ImplIsPatternChar( cChar, rEditMask[n] ) ) nStrIndex++; break; } n++; } } } else { // valid character at this position cTempChar = ImplPatternChar( cChar, cMask ); if ( cTempChar ) { // use this character aOutStr[i] = cTempChar; nStrIndex++; } else { // copy if it is a literal character if ( cLiteral == cChar ) nStrIndex++; else { // If the invalid character might be the next literal character then we jump // ahead to it, otherwise we ignore it. Do only if empty literals are allowed. if ( nFormatFlags & PATTERN_FORMAT_EMPTYLITERALS ) { n = i; while ( n < rEditMask.getLength() ) { if ( rEditMask[n] == EDITMASK_LITERAL ) { if ( ImplCommaPointCharEqual( cChar, rLiteralMask[n] ) ) i = n+1; break; } n++; } } nStrIndex++; continue; } } } i++; } return aOutStr.makeStringAndClear(); } static void ImplPatternMaxPos( std::u16string_view rStr, const OString& rEditMask, sal_uInt16 nFormatFlags, bool bSameMask, sal_Int32 nCursorPos, sal_Int32& rPos ) { // last position must not be longer than the contained string sal_Int32 nMaxPos = rStr.size(); // if non empty literals are allowed ignore blanks at the end as well if ( bSameMask && !(nFormatFlags & PATTERN_FORMAT_EMPTYLITERALS) ) { while ( nMaxPos ) { if ( (rEditMask[nMaxPos-1] != EDITMASK_LITERAL) && (rStr[nMaxPos-1] != ' ') ) break; nMaxPos--; } // if we are in front of a literal, continue search until first character after the literal sal_Int32 nTempPos = nMaxPos; while ( nTempPos < rEditMask.getLength() ) { if ( rEditMask[nTempPos] != EDITMASK_LITERAL ) { nMaxPos = nTempPos; break; } nTempPos++; } } if ( rPos > nMaxPos ) rPos = nMaxPos; // character should not move left if ( rPos < nCursorPos ) rPos = nCursorPos; } static OUString ImplPatternProcessStrictModify(const OUString& rText, const OString& rEditMask, std::u16string_view rLiteralMask, bool bSameMask) { OUString aText(rText); // remove leading blanks if (bSameMask && !rEditMask.isEmpty()) { sal_Int32 i = 0; sal_Int32 nMaxLen = aText.getLength(); while ( i < nMaxLen ) { if ( (rEditMask[i] != EDITMASK_LITERAL) && (aText[i] != ' ') ) break; i++; } // keep all literal characters while ( i && (rEditMask[i] == EDITMASK_LITERAL) ) i--; aText = aText.copy( i ); } return ImplPatternReformat(aText, rEditMask, rLiteralMask, 0); } static void ImplPatternProcessStrictModify( Edit* pEdit, const OString& rEditMask, std::u16string_view rLiteralMask, bool bSameMask ) { OUString aText = pEdit->GetText(); OUString aNewText = ImplPatternProcessStrictModify(aText, rEditMask, rLiteralMask, bSameMask); if ( aNewText == aText ) return; // adjust selection such that it remains at the end if it was there before Selection aSel = pEdit->GetSelection(); sal_Int64 nMaxSel = std::max( aSel.Min(), aSel.Max() ); if ( nMaxSel >= aText.getLength() ) { sal_Int32 nMaxPos = aNewText.getLength(); ImplPatternMaxPos(aNewText, rEditMask, 0, bSameMask, nMaxSel, nMaxPos); if ( aSel.Min() == aSel.Max() ) { aSel.Min() = nMaxPos; aSel.Max() = aSel.Min(); } else if ( aSel.Min() > aSel.Max() ) aSel.Min() = nMaxPos; else aSel.Max() = nMaxPos; } pEdit->SetText( aNewText, aSel ); } static void ImplPatternProcessStrictModify( weld::Entry& rEntry, const OString& rEditMask, std::u16string_view rLiteralMask, bool bSameMask ) { OUString aText = rEntry.get_text(); OUString aNewText = ImplPatternProcessStrictModify(aText, rEditMask, rLiteralMask, bSameMask); if (aNewText == aText) return; // adjust selection such that it remains at the end if it was there before int nStartPos, nEndPos; rEntry.get_selection_bounds(nStartPos, nEndPos); int nMaxSel = std::max(nStartPos, nEndPos); if (nMaxSel >= aText.getLength()) { sal_Int32 nMaxPos = aNewText.getLength(); ImplPatternMaxPos(aNewText, rEditMask, 0, bSameMask, nMaxSel, nMaxPos); if (nStartPos == nEndPos) { nStartPos = nMaxPos; nEndPos = nMaxPos; } else if (nStartPos > nMaxPos) nStartPos = nMaxPos; else nEndPos = nMaxPos; } rEntry.set_text(aNewText); rEntry.select_region(nStartPos, nEndPos); } static sal_Int32 ImplPatternLeftPos(std::string_view rEditMask, sal_Int32 nCursorPos) { // search non-literal predecessor sal_Int32 nNewPos = nCursorPos; sal_Int32 nTempPos = nNewPos; while ( nTempPos ) { if ( rEditMask[nTempPos-1] != EDITMASK_LITERAL ) { nNewPos = nTempPos-1; break; } nTempPos--; } return nNewPos; } static sal_Int32 ImplPatternRightPos( std::u16string_view rStr, const OString& rEditMask, sal_uInt16 nFormatFlags, bool bSameMask, sal_Int32 nCursorPos ) { // search non-literal successor sal_Int32 nNewPos = nCursorPos; ; for(sal_Int32 nTempPos = nNewPos+1; nTempPos < rEditMask.getLength(); ++nTempPos ) { if ( rEditMask[nTempPos] != EDITMASK_LITERAL ) { nNewPos = nTempPos; break; } } ImplPatternMaxPos( rStr, rEditMask, nFormatFlags, bSameMask, nCursorPos, nNewPos ); return nNewPos; } namespace { class IEditImplementation { public: virtual ~IEditImplementation() {} virtual OUString GetText() const = 0; virtual void SetText(const OUString& rStr, const Selection& rSelection) = 0; virtual Selection GetSelection() const = 0; virtual void SetSelection(const Selection& rSelection) = 0; virtual bool IsInsertMode() const = 0; virtual void SetModified() = 0; }; } static bool ImplPatternProcessKeyInput( IEditImplementation& rEdit, const KeyEvent& rKEvt, const OString& rEditMask, std::u16string_view rLiteralMask, bool bStrictFormat, bool bSameMask, bool& rbInKeyInput ) { if ( rEditMask.isEmpty() || !bStrictFormat ) return false; sal_uInt16 nFormatFlags = 0; Selection aOldSel = rEdit.GetSelection(); vcl::KeyCode aCode = rKEvt.GetKeyCode(); sal_Unicode cChar = rKEvt.GetCharCode(); sal_uInt16 nKeyCode = aCode.GetCode(); bool bShift = aCode.IsShift(); sal_Int32 nCursorPos = static_cast(aOldSel.Max()); sal_Int32 nNewPos; sal_Int32 nTempPos; if ( nKeyCode && !aCode.IsMod1() && !aCode.IsMod2() ) { if ( nKeyCode == KEY_LEFT ) { Selection aSel( ImplPatternLeftPos( rEditMask, nCursorPos ) ); if ( bShift ) aSel.Min() = aOldSel.Min(); rEdit.SetSelection( aSel ); return true; } else if ( nKeyCode == KEY_RIGHT ) { // Use the start of selection as minimum; even a small position is allowed in case that // all was selected by the focus Selection aSel( aOldSel ); aSel.Normalize(); nCursorPos = aSel.Min(); aSel.Max() = ImplPatternRightPos( rEdit.GetText(), rEditMask, nFormatFlags, bSameMask, nCursorPos ); if ( bShift ) aSel.Min() = aOldSel.Min(); else aSel.Min() = aSel.Max(); rEdit.SetSelection( aSel ); return true; } else if ( nKeyCode == KEY_HOME ) { // Home is the position of the first non-literal character nNewPos = 0; while ( (nNewPos < rEditMask.getLength()) && (rEditMask[nNewPos] == EDITMASK_LITERAL) ) nNewPos++; // Home should not move to the right if ( nCursorPos < nNewPos ) nNewPos = nCursorPos; Selection aSel( nNewPos ); if ( bShift ) aSel.Min() = aOldSel.Min(); rEdit.SetSelection( aSel ); return true; } else if ( nKeyCode == KEY_END ) { // End is position of last non-literal character nNewPos = rEditMask.getLength(); while ( nNewPos && (rEditMask[nNewPos-1] == EDITMASK_LITERAL) ) nNewPos--; // Use the start of selection as minimum; even a small position is allowed in case that // all was selected by the focus Selection aSel( aOldSel ); aSel.Normalize(); nCursorPos = static_cast(aSel.Min()); ImplPatternMaxPos( rEdit.GetText(), rEditMask, nFormatFlags, bSameMask, nCursorPos, nNewPos ); aSel.Max() = nNewPos; if ( bShift ) aSel.Min() = aOldSel.Min(); else aSel.Min() = aSel.Max(); rEdit.SetSelection( aSel ); return true; } else if ( (nKeyCode == KEY_BACKSPACE) || (nKeyCode == KEY_DELETE) ) { OUString aOldStr( rEdit.GetText() ); OUStringBuffer aStr( aOldStr ); Selection aSel = aOldSel; aSel.Normalize(); nNewPos = static_cast(aSel.Min()); // if selection then delete it if ( aSel.Len() ) { if ( bSameMask ) aStr.remove( static_cast(aSel.Min()), static_cast(aSel.Len()) ); else { std::u16string_view aRep = rLiteralMask.substr( static_cast(aSel.Min()), static_cast(aSel.Len()) ); aStr.remove( aSel.Min(), aRep.size() ); aStr.insert( aSel.Min(), aRep ); } } else { if ( nKeyCode == KEY_BACKSPACE ) { nTempPos = nNewPos; nNewPos = ImplPatternLeftPos( rEditMask, nTempPos ); } else nTempPos = ImplPatternRightPos( aStr, rEditMask, nFormatFlags, bSameMask, nNewPos ); if ( nNewPos != nTempPos ) { if ( bSameMask ) { if ( rEditMask[nNewPos] != EDITMASK_LITERAL ) aStr.remove( nNewPos, 1 ); } else { aStr[nNewPos] = rLiteralMask[nNewPos]; } } } OUString sStr = aStr.makeStringAndClear(); if ( aOldStr != sStr ) { if ( bSameMask ) sStr = ImplPatternReformat( sStr, rEditMask, rLiteralMask, nFormatFlags ); rbInKeyInput = true; rEdit.SetText( sStr, Selection( nNewPos ) ); rEdit.SetModified(); rbInKeyInput = false; } else rEdit.SetSelection( Selection( nNewPos ) ); return true; } else if ( nKeyCode == KEY_INSERT ) { // you can only set InsertMode for a PatternField if the // mask is equal at all input positions if ( !bSameMask ) { return true; } } } if ( rKEvt.GetKeyCode().IsMod2() || (cChar < 32) || (cChar == 127) ) return false; Selection aSel = aOldSel; aSel.Normalize(); nNewPos = aSel.Min(); if ( nNewPos < rEditMask.getLength() ) { sal_Unicode cPattChar = ImplPatternChar( cChar, rEditMask[nNewPos] ); if ( cPattChar ) cChar = cPattChar; else { // If no valid character, check if the user wanted to jump to next literal. We do this // only if we're after a character, so that literals that were skipped automatically // do not influence the position anymore. if ( nNewPos && (rEditMask[nNewPos-1] != EDITMASK_LITERAL) && !aSel.Len() ) { // search for next character not being a literal nTempPos = nNewPos; while ( nTempPos < rEditMask.getLength() ) { if ( rEditMask[nTempPos] == EDITMASK_LITERAL ) { // only valid if no literal present if ( (rEditMask[nTempPos+1] != EDITMASK_LITERAL ) && ImplCommaPointCharEqual( cChar, rLiteralMask[nTempPos] ) ) { nTempPos++; ImplPatternMaxPos( rEdit.GetText(), rEditMask, nFormatFlags, bSameMask, nNewPos, nTempPos ); if ( nTempPos > nNewPos ) { rEdit.SetSelection( Selection( nTempPos ) ); return true; } } break; } nTempPos++; } } cChar = 0; } } else cChar = 0; if ( cChar ) { OUStringBuffer aStr(rEdit.GetText()); bool bError = false; if ( bSameMask && rEdit.IsInsertMode() ) { // crop spaces and literals at the end until current position sal_Int32 n = aStr.getLength(); while ( n && (n > nNewPos) ) { if ( (aStr[n-1] != ' ') && ((n > rEditMask.getLength()) || (rEditMask[n-1] != EDITMASK_LITERAL)) ) break; n--; } aStr.truncate( n ); if ( aSel.Len() ) aStr.remove( aSel.Min(), aSel.Len() ); if ( aStr.getLength() < rEditMask.getLength() ) { // possibly extend string until cursor position if ( aStr.getLength() < nNewPos ) aStr.append( rLiteralMask.substr(aStr.getLength(), nNewPos-aStr.getLength()) ); if ( nNewPos < aStr.getLength() ) aStr.insert( cChar, nNewPos ); else if ( nNewPos < rEditMask.getLength() ) aStr.append(cChar); aStr = ImplPatternReformat( aStr.toString(), rEditMask, rLiteralMask, nFormatFlags ); } else bError = true; } else { if ( aSel.Len() ) { // delete selection std::u16string_view aRep = rLiteralMask.substr( aSel.Min(), aSel.Len() ); aStr.remove( aSel.Min(), aRep.size() ); aStr.insert( aSel.Min(), aRep ); } if ( nNewPos < aStr.getLength() ) aStr[nNewPos] = cChar; else if ( nNewPos < rEditMask.getLength() ) aStr.append(cChar); } if ( !bError ) { rbInKeyInput = true; const OUString sStr = aStr.makeStringAndClear(); Selection aNewSel( ImplPatternRightPos( sStr, rEditMask, nFormatFlags, bSameMask, nNewPos ) ); rEdit.SetText( sStr, aNewSel ); rEdit.SetModified(); rbInKeyInput = false; } } return true; } namespace { bool ImplSetMask(const OString& rEditMask, OUString& rLiteralMask) { bool bSameMask = true; if (rEditMask.getLength() != rLiteralMask.getLength()) { OUStringBuffer aBuf(rLiteralMask); if (rEditMask.getLength() < aBuf.getLength()) aBuf.setLength(rEditMask.getLength()); else comphelper::string::padToLength(aBuf, rEditMask.getLength(), ' '); rLiteralMask = aBuf.makeStringAndClear(); } // Strict mode allows only the input mode if only equal characters are allowed as mask and if // only spaces are specified which are not allowed by the mask sal_Int32 i = 0; char c = 0; while ( i < rEditMask.getLength() ) { char cTemp = rEditMask[i]; if ( cTemp != EDITMASK_LITERAL ) { if ( (cTemp == EDITMASK_ALLCHAR) || (cTemp == EDITMASK_UPPERALLCHAR) || (cTemp == EDITMASK_NUMSPACE) ) { bSameMask = false; break; } if ( i < rLiteralMask.getLength() ) { if ( rLiteralMask[i] != ' ' ) { bSameMask = false; break; } } if ( !c ) c = cTemp; if ( cTemp != c ) { bSameMask = false; break; } } i++; } return bSameMask; } } PatternFormatter::PatternFormatter(Edit* pEdit) : FormatterBase(pEdit) { mbSameMask = true; mbInPattKeyInput = false; } PatternFormatter::~PatternFormatter() { } void PatternFormatter::SetMask( const OString& rEditMask, const OUString& rLiteralMask ) { m_aEditMask = rEditMask; maLiteralMask = rLiteralMask; mbSameMask = ImplSetMask(m_aEditMask, maLiteralMask); ReformatAll(); } namespace { class EntryImplementation : public IEditImplementation { public: EntryImplementation(weld::PatternFormatter& rFormatter) : m_rFormatter(rFormatter) , m_rEntry(rFormatter.get_widget()) { } virtual OUString GetText() const override { return m_rEntry.get_text(); } virtual void SetText(const OUString& rStr, const Selection& rSelection) override { m_rEntry.set_text(rStr); SetSelection(rSelection); } virtual Selection GetSelection() const override { int nStartPos, nEndPos; m_rEntry.get_selection_bounds(nStartPos, nEndPos); return Selection(nStartPos, nEndPos); } virtual void SetSelection(const Selection& rSelection) override { auto nMin = rSelection.Min(); auto nMax = rSelection.Max(); m_rEntry.select_region(nMin < 0 ? 0 : nMin, nMax == SELECTION_MAX ? -1 : nMax); } virtual bool IsInsertMode() const override { return !m_rEntry.get_overwrite_mode(); } virtual void SetModified() override { m_rFormatter.Modify(); } private: weld::PatternFormatter& m_rFormatter; weld::Entry& m_rEntry; }; } namespace weld { void PatternFormatter::SetStrictFormat(bool bStrict) { if (bStrict != m_bStrictFormat) { m_bStrictFormat = bStrict; if (m_bStrictFormat) ReformatAll(); } } void PatternFormatter::SetMask(const OString& rEditMask, const OUString& rLiteralMask) { m_aEditMask = rEditMask; m_aLiteralMask = rLiteralMask; m_bSameMask = ImplSetMask(m_aEditMask, m_aLiteralMask); ReformatAll(); } void PatternFormatter::ReformatAll() { m_rEntry.set_text(ImplPatternReformat(m_rEntry.get_text(), m_aEditMask, m_aLiteralMask, 0/*nFormatFlags*/)); if (!m_bSameMask && m_bStrictFormat && m_rEntry.get_editable()) m_rEntry.set_overwrite_mode(true); } void PatternFormatter::EntryGainFocus() { m_bReformat = false; } void PatternFormatter::EntryLostFocus() { if (m_bReformat) ReformatAll(); } void PatternFormatter::Modify() { if (!m_bInPattKeyInput) { if (m_bStrictFormat) ImplPatternProcessStrictModify(m_rEntry, m_aEditMask, m_aLiteralMask, m_bSameMask); else m_bReformat = true; } m_aModifyHdl.Call(m_rEntry); } IMPL_LINK(PatternFormatter, KeyInputHdl, const KeyEvent&, rKEvt, bool) { if (m_aKeyPressHdl.Call(rKEvt)) return true; if (rKEvt.GetKeyCode().IsMod2()) return false; EntryImplementation aAdapt(*this); return ImplPatternProcessKeyInput(aAdapt, rKEvt, m_aEditMask, m_aLiteralMask, m_bStrictFormat, m_bSameMask, m_bInPattKeyInput); } } void PatternFormatter::SetString( const OUString& rStr ) { if ( GetField() ) { GetField()->SetText( rStr ); MarkToBeReformatted( false ); } } OUString PatternFormatter::GetString() const { if ( !GetField() ) return OUString(); else return ImplPatternReformat( GetField()->GetText(), m_aEditMask, maLiteralMask, 0/*nFormatFlags*/ ); } void PatternFormatter::Reformat() { if ( GetField() ) { ImplSetText( ImplPatternReformat( GetField()->GetText(), m_aEditMask, maLiteralMask, 0/*nFormatFlags*/ ) ); if ( !mbSameMask && IsStrictFormat() && !GetField()->IsReadOnly() ) GetField()->SetInsertMode( false ); } } PatternField::PatternField(vcl::Window* pParent, WinBits nWinStyle) : SpinField(pParent, nWinStyle) , PatternFormatter(this) { Reformat(); } void PatternField::dispose() { ClearField(); SpinField::dispose(); } namespace { class EditImplementation : public IEditImplementation { public: EditImplementation(Edit& rEdit) : m_rEdit(rEdit) { } virtual OUString GetText() const override { return m_rEdit.GetText(); } virtual void SetText(const OUString& rStr, const Selection& rSelection) override { m_rEdit.SetText(rStr, rSelection); } virtual Selection GetSelection() const override { return m_rEdit.GetSelection(); } virtual void SetSelection(const Selection& rSelection) override { m_rEdit.SetSelection(rSelection); } virtual bool IsInsertMode() const override { return m_rEdit.IsInsertMode(); } virtual void SetModified() override { m_rEdit.SetModifyFlag(); m_rEdit.Modify(); } private: Edit& m_rEdit; }; } bool PatternField::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { EditImplementation aAdapt(*GetField()); if ( ImplPatternProcessKeyInput( aAdapt, *rNEvt.GetKeyEvent(), GetEditMask(), GetLiteralMask(), IsStrictFormat(), ImplIsSameMask(), ImplGetInPattKeyInput() ) ) return true; } return SpinField::PreNotify( rNEvt ); } bool PatternField::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() && (!GetText().isEmpty() || !IsEmptyFieldValueEnabled()) ) Reformat(); } return SpinField::EventNotify( rNEvt ); } void PatternField::Modify() { if ( !ImplGetInPattKeyInput() ) { if ( IsStrictFormat() ) ImplPatternProcessStrictModify( GetField(), GetEditMask(), GetLiteralMask(), ImplIsSameMask() ); else MarkToBeReformatted( true ); } SpinField::Modify(); } PatternBox::PatternBox(vcl::Window* pParent, WinBits nWinStyle) : ComboBox( pParent, nWinStyle ) , PatternFormatter(this) { Reformat(); } void PatternBox::dispose() { ClearField(); ComboBox::dispose(); } bool PatternBox::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { EditImplementation aAdapt(*GetField()); if ( ImplPatternProcessKeyInput( aAdapt, *rNEvt.GetKeyEvent(), GetEditMask(), GetLiteralMask(), IsStrictFormat(), ImplIsSameMask(), ImplGetInPattKeyInput() ) ) return true; } return ComboBox::PreNotify( rNEvt ); } bool PatternBox::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() && (!GetText().isEmpty() || !IsEmptyFieldValueEnabled()) ) Reformat(); } return ComboBox::EventNotify( rNEvt ); } void PatternBox::Modify() { if ( !ImplGetInPattKeyInput() ) { if ( IsStrictFormat() ) ImplPatternProcessStrictModify( GetField(), GetEditMask(), GetLiteralMask(), ImplIsSameMask() ); else MarkToBeReformatted( true ); } ComboBox::Modify(); } void PatternBox::ReformatAll() { OUString aStr; SetUpdateMode( false ); const sal_Int32 nEntryCount = GetEntryCount(); for ( sal_Int32 i=0; i < nEntryCount; ++i ) { aStr = ImplPatternReformat( GetEntry( i ), GetEditMask(), GetLiteralMask(), 0/*nFormatFlags*/ ); RemoveEntryAt(i); InsertEntry( aStr, i ); } PatternFormatter::Reformat(); SetUpdateMode( true ); } static ExtDateFieldFormat ImplGetExtFormat( LongDateOrder eOld ) { switch( eOld ) { case LongDateOrder::YDM: case LongDateOrder::DMY: return ExtDateFieldFormat::ShortDDMMYY; case LongDateOrder::MDY: return ExtDateFieldFormat::ShortMMDDYY; case LongDateOrder::YMD: default: return ExtDateFieldFormat::ShortYYMMDD; } } static sal_uInt16 ImplCutNumberFromString( OUString& rStr ) { sal_Int32 i1 = 0; while (i1 != rStr.getLength() && (rStr[i1] < '0' || rStr[i1] > '9')) { ++i1; } sal_Int32 i2 = i1; while (i2 != rStr.getLength() && rStr[i2] >= '0' && rStr[i2] <= '9') { ++i2; } sal_Int32 nValue = o3tl::toInt32(rStr.subView(i1, i2-i1)); rStr = rStr.copy(std::min(i2+1, rStr.getLength())); return nValue; } static bool ImplCutMonthName( OUString& rStr, std::u16string_view _rLookupMonthName ) { sal_Int32 index = 0; rStr = rStr.replaceFirst(_rLookupMonthName, "", &index); return index >= 0; } static sal_uInt16 ImplGetMonthFromCalendarItem( OUString& rStr, const uno::Sequence< i18n::CalendarItem2 >& rMonths ) { const sal_uInt16 nMonths = rMonths.getLength(); for (sal_uInt16 i=0; i < nMonths; ++i) { // long month name? if ( ImplCutMonthName( rStr, rMonths[i].FullName ) ) return i+1; // short month name? if ( ImplCutMonthName( rStr, rMonths[i].AbbrevName ) ) return i+1; } return 0; } static sal_uInt16 ImplCutMonthFromString( OUString& rStr, OUString& rCalendarName, const LocaleDataWrapper& rLocaleData, const CalendarWrapper& rCalendarWrapper ) { const OUString aDefaultCalendarName( rCalendarWrapper.getUniqueID()); rCalendarName = aDefaultCalendarName; // Search for a month name of the loaded default calendar. const uno::Sequence< i18n::CalendarItem2 > aMonths = rCalendarWrapper.getMonths(); sal_uInt16 nMonth = ImplGetMonthFromCalendarItem( rStr, aMonths); if (nMonth > 0) return nMonth; // And also possessive genitive and partitive month names. const uno::Sequence< i18n::CalendarItem2 > aGenitiveMonths = rCalendarWrapper.getGenitiveMonths(); if (aGenitiveMonths != aMonths) { nMonth = ImplGetMonthFromCalendarItem( rStr, aGenitiveMonths); if (nMonth > 0) return nMonth; } const uno::Sequence< i18n::CalendarItem2 > aPartitiveMonths = rCalendarWrapper.getPartitiveMonths(); if (aPartitiveMonths != aMonths) { nMonth = ImplGetMonthFromCalendarItem( rStr, aPartitiveMonths); if (nMonth > 0) return nMonth; } // Check if there are more calendars and try them if so, as the long date // format is obtained from the number formatter this is possible (e.g. // ar_DZ "[~hijri] ...") const uno::Sequence< i18n::Calendar2 > aCalendars = rLocaleData.getAllCalendars(); if (aCalendars.getLength() > 1) { for (const auto& rCalendar : aCalendars) { if (rCalendar.Name != aDefaultCalendarName) { rCalendarName = rCalendar.Name; nMonth = ImplGetMonthFromCalendarItem( rStr, rCalendar.Months); if (nMonth > 0) return nMonth; if (rCalendar.Months != rCalendar.GenitiveMonths) { nMonth = ImplGetMonthFromCalendarItem( rStr, rCalendar.GenitiveMonths); if (nMonth > 0) return nMonth; } if (rCalendar.Months != rCalendar.PartitiveMonths) { nMonth = ImplGetMonthFromCalendarItem( rStr, rCalendar.PartitiveMonths); if (nMonth > 0) return nMonth; } rCalendarName = aDefaultCalendarName; } } } return ImplCutNumberFromString( rStr ); } static OUString ImplGetDateSep( const LocaleDataWrapper& rLocaleDataWrapper, ExtDateFieldFormat eFormat ) { if ( ( eFormat == ExtDateFieldFormat::ShortYYMMDD_DIN5008 ) || ( eFormat == ExtDateFieldFormat::ShortYYYYMMDD_DIN5008 ) ) return "-"; else return rLocaleDataWrapper.getDateSep(); } static bool ImplDateProcessKeyInput( const KeyEvent& rKEvt, ExtDateFieldFormat eFormat, const LocaleDataWrapper& rLocaleDataWrapper ) { sal_Unicode cChar = rKEvt.GetCharCode(); sal_uInt16 nGroup = rKEvt.GetKeyCode().GetGroup(); return !((nGroup == KEYGROUP_FKEYS) || (nGroup == KEYGROUP_CURSOR) || (nGroup == KEYGROUP_MISC)|| ((cChar >= '0') && (cChar <= '9')) || (cChar == ImplGetDateSep( rLocaleDataWrapper, eFormat )[0])); } bool DateFormatter::TextToDate(const OUString& rStr, Date& rDate, ExtDateFieldFormat eDateOrder, const LocaleDataWrapper& rLocaleDataWrapper, const CalendarWrapper& rCalendarWrapper) { sal_uInt16 nDay = 0; sal_uInt16 nMonth = 0; sal_uInt16 nYear = 0; bool bError = false; OUString aStr( rStr ); if ( eDateOrder == ExtDateFieldFormat::SystemLong ) { OUString aCalendarName; LongDateOrder eFormat = rLocaleDataWrapper.getLongDateOrder(); switch( eFormat ) { case LongDateOrder::MDY: nMonth = ImplCutMonthFromString( aStr, aCalendarName, rLocaleDataWrapper, rCalendarWrapper ); nDay = ImplCutNumberFromString( aStr ); nYear = ImplCutNumberFromString( aStr ); break; case LongDateOrder::DMY: nDay = ImplCutNumberFromString( aStr ); nMonth = ImplCutMonthFromString( aStr, aCalendarName, rLocaleDataWrapper, rCalendarWrapper ); nYear = ImplCutNumberFromString( aStr ); break; case LongDateOrder::YDM: nYear = ImplCutNumberFromString( aStr ); nDay = ImplCutNumberFromString( aStr ); nMonth = ImplCutMonthFromString( aStr, aCalendarName, rLocaleDataWrapper, rCalendarWrapper ); break; case LongDateOrder::YMD: default: nYear = ImplCutNumberFromString( aStr ); nMonth = ImplCutMonthFromString( aStr, aCalendarName, rLocaleDataWrapper, rCalendarWrapper ); nDay = ImplCutNumberFromString( aStr ); break; } if (aCalendarName != "gregorian") { // Calendar widget is Gregorian, convert date. // Need full date. bError = !nDay || !nMonth || !nYear; if (!bError) { CalendarWrapper aCW( rLocaleDataWrapper.getComponentContext()); aCW.loadCalendar( aCalendarName, rLocaleDataWrapper.getLoadedLanguageTag().getLocale()); aCW.setDateTime(0.5); // get rid of current time, set some day noon aCW.setValue( i18n::CalendarFieldIndex::DAY_OF_MONTH, nDay); aCW.setValue( i18n::CalendarFieldIndex::MONTH, nMonth - 1); aCW.setValue( i18n::CalendarFieldIndex::YEAR, nYear); bError = !aCW.isValid(); if (!bError) { Date aDate = aCW.getEpochStart() + aCW.getDateTime(); nYear = aDate.GetYear(); nMonth = aDate.GetMonth(); nDay = aDate.GetDay(); } } } } else { bool bYear = true; // Check if year is present: OUString aDateSep = ImplGetDateSep( rLocaleDataWrapper, eDateOrder ); sal_Int32 nSepPos = aStr.indexOf( aDateSep ); if ( nSepPos < 0 ) return false; nSepPos = aStr.indexOf( aDateSep, nSepPos+1 ); if ( ( nSepPos < 0 ) || ( nSepPos == (aStr.getLength()-1) ) ) { bYear = false; nYear = Date( Date::SYSTEM ).GetYearUnsigned(); } const sal_Unicode* pBuf = aStr.getStr(); ImplSkipDelimiters( pBuf ); switch ( eDateOrder ) { case ExtDateFieldFormat::ShortDDMMYY: case ExtDateFieldFormat::ShortDDMMYYYY: { nDay = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); nMonth = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); if ( bYear ) nYear = ImplGetNum( pBuf, bError ); } break; case ExtDateFieldFormat::ShortMMDDYY: case ExtDateFieldFormat::ShortMMDDYYYY: { nMonth = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); nDay = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); if ( bYear ) nYear = ImplGetNum( pBuf, bError ); } break; case ExtDateFieldFormat::ShortYYMMDD: case ExtDateFieldFormat::ShortYYYYMMDD: case ExtDateFieldFormat::ShortYYMMDD_DIN5008: case ExtDateFieldFormat::ShortYYYYMMDD_DIN5008: { if ( bYear ) nYear = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); nMonth = ImplGetNum( pBuf, bError ); ImplSkipDelimiters( pBuf ); nDay = ImplGetNum( pBuf, bError ); } break; default: { OSL_FAIL( "DateOrder???" ); } } } if ( bError || !nDay || !nMonth ) return false; Date aNewDate( nDay, nMonth, nYear ); DateFormatter::ExpandCentury( aNewDate, officecfg::Office::Common::DateFormat::TwoDigitYear::get() ); if ( aNewDate.IsValidDate() ) { rDate = aNewDate; return true; } return false; } void DateFormatter::ImplDateReformat( const OUString& rStr, OUString& rOutStr ) { Date aDate( Date::EMPTY ); if (!TextToDate(rStr, aDate, GetExtDateFormat(true), ImplGetLocaleDataWrapper(), GetCalendarWrapper())) return; Date aTempDate = aDate; if ( aTempDate > GetMax() ) aTempDate = GetMax(); else if ( aTempDate < GetMin() ) aTempDate = GetMin(); rOutStr = ImplGetDateAsText( aTempDate ); } namespace { ExtDateFieldFormat ResolveSystemFormat(ExtDateFieldFormat eDateFormat, const LocaleDataWrapper& rLocaleData) { if (eDateFormat <= ExtDateFieldFormat::SystemShortYYYY) { bool bShowCentury = (eDateFormat == ExtDateFieldFormat::SystemShortYYYY); switch (rLocaleData.getDateOrder()) { case DateOrder::DMY: eDateFormat = bShowCentury ? ExtDateFieldFormat::ShortDDMMYYYY : ExtDateFieldFormat::ShortDDMMYY; break; case DateOrder::MDY: eDateFormat = bShowCentury ? ExtDateFieldFormat::ShortMMDDYYYY : ExtDateFieldFormat::ShortMMDDYY; break; default: eDateFormat = bShowCentury ? ExtDateFieldFormat::ShortYYYYMMDD : ExtDateFieldFormat::ShortYYMMDD; } } return eDateFormat; } } OUString DateFormatter::FormatDate(const Date& rDate, ExtDateFieldFormat eExtFormat, const LocaleDataWrapper& rLocaleData, const Formatter::StaticFormatter& rStaticFormatter) { bool bShowCentury = false; switch (eExtFormat) { case ExtDateFieldFormat::SystemShortYYYY: case ExtDateFieldFormat::SystemLong: case ExtDateFieldFormat::ShortDDMMYYYY: case ExtDateFieldFormat::ShortMMDDYYYY: case ExtDateFieldFormat::ShortYYYYMMDD: case ExtDateFieldFormat::ShortYYYYMMDD_DIN5008: { bShowCentury = true; } break; default: { bShowCentury = false; } } if ( !bShowCentury ) { // Check if I have to use force showing the century sal_uInt16 nTwoDigitYearStart = officecfg::Office::Common::DateFormat::TwoDigitYear::get(); sal_uInt16 nYear = rDate.GetYearUnsigned(); // If year is not in double digit range if ( (nYear < nTwoDigitYearStart) || (nYear >= nTwoDigitYearStart+100) ) bShowCentury = true; } sal_Unicode aBuf[128]; sal_Unicode* pBuf = aBuf; eExtFormat = ResolveSystemFormat(eExtFormat, rLocaleData); OUString aDateSep = ImplGetDateSep( rLocaleData, eExtFormat ); sal_uInt16 nDay = rDate.GetDay(); sal_uInt16 nMonth = rDate.GetMonth(); sal_Int16 nYear = rDate.GetYear(); sal_uInt16 nYearLen = bShowCentury ? 4 : 2; if ( !bShowCentury ) nYear %= 100; switch (eExtFormat) { case ExtDateFieldFormat::SystemLong: { SvNumberFormatter* pFormatter = rStaticFormatter; const LanguageTag aFormatterLang( pFormatter->GetLanguageTag()); const sal_uInt32 nIndex = pFormatter->GetFormatIndex( NF_DATE_SYSTEM_LONG, rLocaleData.getLanguageTag().getLanguageType(false)); OUString aStr; const Color* pCol; pFormatter->GetOutputString( rDate - pFormatter->GetNullDate(), nIndex, aStr, &pCol); // Reset to what other uses may expect. pFormatter->ChangeIntl( aFormatterLang.getLanguageType(false)); return aStr; } case ExtDateFieldFormat::ShortDDMMYY: case ExtDateFieldFormat::ShortDDMMYYYY: { pBuf = ImplAddNum( pBuf, nDay, 2 ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddNum( pBuf, nMonth, 2 ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddSNum( pBuf, nYear, nYearLen ); } break; case ExtDateFieldFormat::ShortMMDDYY: case ExtDateFieldFormat::ShortMMDDYYYY: { pBuf = ImplAddNum( pBuf, nMonth, 2 ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddNum( pBuf, nDay, 2 ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddSNum( pBuf, nYear, nYearLen ); } break; case ExtDateFieldFormat::ShortYYMMDD: case ExtDateFieldFormat::ShortYYYYMMDD: case ExtDateFieldFormat::ShortYYMMDD_DIN5008: case ExtDateFieldFormat::ShortYYYYMMDD_DIN5008: { pBuf = ImplAddSNum( pBuf, nYear, nYearLen ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddNum( pBuf, nMonth, 2 ); pBuf = ImplAddString( pBuf, aDateSep ); pBuf = ImplAddNum( pBuf, nDay, 2 ); } break; default: { OSL_FAIL( "DateOrder???" ); } } return OUString(aBuf, pBuf-aBuf); } OUString DateFormatter::ImplGetDateAsText( const Date& rDate ) const { return DateFormatter::FormatDate(rDate, GetExtDateFormat(), ImplGetLocaleDataWrapper(), maStaticFormatter); } static void ImplDateIncrementDay( Date& rDate, bool bUp ) { DateFormatter::ExpandCentury( rDate ); rDate.AddDays( bUp ? 1 : -1 ); } static void ImplDateIncrementMonth( Date& rDate, bool bUp ) { DateFormatter::ExpandCentury( rDate ); rDate.AddMonths( bUp ? 1 : -1 ); } static void ImplDateIncrementYear( Date& rDate, bool bUp ) { DateFormatter::ExpandCentury( rDate ); rDate.AddYears( bUp ? 1 : -1 ); } bool DateFormatter::ImplAllowMalformedInput() const { return !IsEnforceValidValue(); } int DateFormatter::GetDateArea(ExtDateFieldFormat& eFormat, std::u16string_view rText, int nCursor, const LocaleDataWrapper& rLocaleDataWrapper) { sal_Int8 nDateArea = 0; if ( eFormat == ExtDateFieldFormat::SystemLong ) { eFormat = ImplGetExtFormat(rLocaleDataWrapper.getLongDateOrder()); nDateArea = 1; } else { // search area size_t nPos = 0; OUString aDateSep = ImplGetDateSep(rLocaleDataWrapper, eFormat); for ( sal_Int8 i = 1; i <= 3; i++ ) { nPos = rText.find( aDateSep, nPos ); if (nPos == std::u16string_view::npos || static_cast(nPos) >= nCursor) { nDateArea = i; break; } else nPos++; } } return nDateArea; } void DateField::ImplDateSpinArea( bool bUp ) { // increment days if all is selected if ( !GetField() ) return; Date aDate( GetDate() ); Selection aSelection = GetField()->GetSelection(); aSelection.Normalize(); OUString aText( GetText() ); if ( static_cast(aSelection.Len()) == aText.getLength() ) ImplDateIncrementDay( aDate, bUp ); else { ExtDateFieldFormat eFormat = GetExtDateFormat( true ); sal_Int8 nDateArea = GetDateArea(eFormat, aText, aSelection.Max(), ImplGetLocaleDataWrapper()); switch( eFormat ) { case ExtDateFieldFormat::ShortMMDDYY: case ExtDateFieldFormat::ShortMMDDYYYY: switch( nDateArea ) { case 1: ImplDateIncrementMonth( aDate, bUp ); break; case 2: ImplDateIncrementDay( aDate, bUp ); break; case 3: ImplDateIncrementYear( aDate, bUp ); break; } break; case ExtDateFieldFormat::ShortDDMMYY: case ExtDateFieldFormat::ShortDDMMYYYY: switch( nDateArea ) { case 1: ImplDateIncrementDay( aDate, bUp ); break; case 2: ImplDateIncrementMonth( aDate, bUp ); break; case 3: ImplDateIncrementYear( aDate, bUp ); break; } break; case ExtDateFieldFormat::ShortYYMMDD: case ExtDateFieldFormat::ShortYYYYMMDD: case ExtDateFieldFormat::ShortYYMMDD_DIN5008: case ExtDateFieldFormat::ShortYYYYMMDD_DIN5008: switch( nDateArea ) { case 1: ImplDateIncrementYear( aDate, bUp ); break; case 2: ImplDateIncrementMonth( aDate, bUp ); break; case 3: ImplDateIncrementDay( aDate, bUp ); break; } break; default: OSL_FAIL( "invalid conversion" ); break; } } ImplNewFieldValue( aDate ); } DateFormatter::DateFormatter(Edit* pEdit) : FormatterBase(pEdit) , maFieldDate(0) , maLastDate(0) , maMin(1, 1, 1900) , maMax(31, 12, 2200) , mbLongFormat(false) , mbShowDateCentury(true) , mnExtDateFormat(ExtDateFieldFormat::SystemShort) , mbEnforceValidValue(true) { } DateFormatter::~DateFormatter() { } CalendarWrapper& DateFormatter::GetCalendarWrapper() const { if (!mxCalendarWrapper) { const_cast(this)->mxCalendarWrapper.reset( new CalendarWrapper( comphelper::getProcessComponentContext() ) ); mxCalendarWrapper->loadDefaultCalendar( GetLocale() ); } return *mxCalendarWrapper; } void DateFormatter::SetExtDateFormat( ExtDateFieldFormat eFormat ) { mnExtDateFormat = eFormat; ReformatAll(); } ExtDateFieldFormat DateFormatter::GetExtDateFormat( bool bResolveSystemFormat ) const { ExtDateFieldFormat eDateFormat = mnExtDateFormat; if (bResolveSystemFormat) eDateFormat = ResolveSystemFormat(eDateFormat, ImplGetLocaleDataWrapper()); return eDateFormat; } void DateFormatter::ReformatAll() { Reformat(); } void DateFormatter::SetMin( const Date& rNewMin ) { maMin = rNewMin; if ( !IsEmptyFieldValue() ) ReformatAll(); } void DateFormatter::SetMax( const Date& rNewMax ) { maMax = rNewMax; if ( !IsEmptyFieldValue() ) ReformatAll(); } void DateFormatter::SetLongFormat( bool bLong ) { mbLongFormat = bLong; // #91913# Remove LongFormat and DateShowCentury - redundant if ( bLong ) { SetExtDateFormat( ExtDateFieldFormat::SystemLong ); } else { if( mnExtDateFormat == ExtDateFieldFormat::SystemLong ) SetExtDateFormat( ExtDateFieldFormat::SystemShort ); } ReformatAll(); } namespace { ExtDateFieldFormat ChangeDateCentury(ExtDateFieldFormat eExtDateFormat, bool bShowDateCentury) { // #91913# Remove LongFormat and DateShowCentury - redundant if (bShowDateCentury) { switch (eExtDateFormat) { case ExtDateFieldFormat::SystemShort: case ExtDateFieldFormat::SystemShortYY: eExtDateFormat = ExtDateFieldFormat::SystemShortYYYY; break; case ExtDateFieldFormat::ShortDDMMYY: eExtDateFormat = ExtDateFieldFormat::ShortDDMMYYYY; break; case ExtDateFieldFormat::ShortMMDDYY: eExtDateFormat = ExtDateFieldFormat::ShortMMDDYYYY; break; case ExtDateFieldFormat::ShortYYMMDD: eExtDateFormat = ExtDateFieldFormat::ShortYYYYMMDD; break; case ExtDateFieldFormat::ShortYYMMDD_DIN5008: eExtDateFormat = ExtDateFieldFormat::ShortYYYYMMDD_DIN5008; break; default: ; } } else { switch (eExtDateFormat) { case ExtDateFieldFormat::SystemShort: case ExtDateFieldFormat::SystemShortYYYY: eExtDateFormat = ExtDateFieldFormat::SystemShortYY; break; case ExtDateFieldFormat::ShortDDMMYYYY: eExtDateFormat = ExtDateFieldFormat::ShortDDMMYY; break; case ExtDateFieldFormat::ShortMMDDYYYY: eExtDateFormat = ExtDateFieldFormat::ShortMMDDYY; break; case ExtDateFieldFormat::ShortYYYYMMDD: eExtDateFormat = ExtDateFieldFormat::ShortYYMMDD; break; case ExtDateFieldFormat::ShortYYYYMMDD_DIN5008: eExtDateFormat = ExtDateFieldFormat::ShortYYMMDD_DIN5008; break; default: ; } } return eExtDateFormat; } } void DateFormatter::SetShowDateCentury( bool bShowDateCentury ) { mbShowDateCentury = bShowDateCentury; SetExtDateFormat(ChangeDateCentury(GetExtDateFormat(), bShowDateCentury)); ReformatAll(); } void DateFormatter::SetDate( const Date& rNewDate ) { ImplSetUserDate( rNewDate ); maFieldDate = maLastDate; maLastDate = GetDate(); } void DateFormatter::ImplSetUserDate( const Date& rNewDate, Selection const * pNewSelection ) { Date aNewDate = rNewDate; if ( aNewDate > maMax ) aNewDate = maMax; else if ( aNewDate < maMin ) aNewDate = maMin; maLastDate = aNewDate; if ( GetField() ) ImplSetText( ImplGetDateAsText( aNewDate ), pNewSelection ); } void DateFormatter::ImplNewFieldValue( const Date& rDate ) { if ( !GetField() ) return; Selection aSelection = GetField()->GetSelection(); aSelection.Normalize(); OUString aText = GetField()->GetText(); // If selected until the end then keep it that way if ( static_cast(aSelection.Max()) == aText.getLength() ) { if ( !aSelection.Len() ) aSelection.Min() = SELECTION_MAX; aSelection.Max() = SELECTION_MAX; } Date aOldLastDate = maLastDate; ImplSetUserDate( rDate, &aSelection ); maLastDate = aOldLastDate; // Modify at Edit is only set at KeyInput if ( GetField()->GetText() != aText ) { GetField()->SetModifyFlag(); GetField()->Modify(); } } Date DateFormatter::GetDate() const { Date aDate( Date::EMPTY ); if ( GetField() ) { if (TextToDate(GetField()->GetText(), aDate, GetExtDateFormat(true), ImplGetLocaleDataWrapper(), GetCalendarWrapper())) { if ( aDate > maMax ) aDate = maMax; else if ( aDate < maMin ) aDate = maMin; } else { // !!! We should find out why dates are treated differently than other fields (see // also bug: 52384) if ( !ImplAllowMalformedInput() ) { if ( maLastDate.GetDate() ) aDate = maLastDate; else if ( !IsEmptyFieldValueEnabled() ) aDate = Date( Date::SYSTEM ); } else aDate = Date( Date::EMPTY ); // set invalid date } } return aDate; } void DateFormatter::SetEmptyDate() { FormatterBase::SetEmptyFieldValue(); } bool DateFormatter::IsEmptyDate() const { bool bEmpty = FormatterBase::IsEmptyFieldValue(); if ( GetField() && MustBeReformatted() && IsEmptyFieldValueEnabled() ) { if ( GetField()->GetText().isEmpty() ) { bEmpty = true; } else if ( !maLastDate.GetDate() ) { Date aDate( Date::EMPTY ); bEmpty = !TextToDate(GetField()->GetText(), aDate, GetExtDateFormat(true), ImplGetLocaleDataWrapper(), GetCalendarWrapper()); } } return bEmpty; } void DateFormatter::Reformat() { if ( !GetField() ) return; if ( GetField()->GetText().isEmpty() && ImplGetEmptyFieldValue() ) return; OUString aStr; ImplDateReformat( GetField()->GetText(), aStr ); if ( !aStr.isEmpty() ) { ImplSetText( aStr ); (void)TextToDate(aStr, maLastDate, GetExtDateFormat(true), ImplGetLocaleDataWrapper(), GetCalendarWrapper()); } else { if ( maLastDate.GetDate() ) SetDate( maLastDate ); else if ( !IsEmptyFieldValueEnabled() ) SetDate( Date( Date::SYSTEM ) ); else { ImplSetText( OUString() ); SetEmptyFieldValueData( true ); } } } void DateFormatter::ExpandCentury( Date& rDate ) { ExpandCentury(rDate, officecfg::Office::Common::DateFormat::TwoDigitYear::get()); } void DateFormatter::ExpandCentury( Date& rDate, sal_uInt16 nTwoDigitYearStart ) { sal_Int16 nDateYear = rDate.GetYear(); if ( 0 <= nDateYear && nDateYear < 100 ) { sal_uInt16 nCentury = nTwoDigitYearStart / 100; if ( nDateYear < (nTwoDigitYearStart % 100) ) nCentury++; rDate.SetYear( nDateYear + (nCentury*100) ); } } DateField::DateField( vcl::Window* pParent, WinBits nWinStyle ) : SpinField( pParent, nWinStyle ), DateFormatter(this), maFirst( GetMin() ), maLast( GetMax() ) { SetText( ImplGetLocaleDataWrapper().getDate( ImplGetFieldDate() ) ); Reformat(); ResetLastDate(); } void DateField::dispose() { ClearField(); SpinField::dispose(); } bool DateField::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && IsStrictFormat() && ( GetExtDateFormat() != ExtDateFieldFormat::SystemLong ) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { if ( ImplDateProcessKeyInput( *rNEvt.GetKeyEvent(), GetExtDateFormat( true ), ImplGetLocaleDataWrapper() ) ) return true; } return SpinField::PreNotify( rNEvt ); } bool DateField::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() ) { // !!! We should find out why dates are treated differently than other fields (see // also bug: 52384) bool bTextLen = !GetText().isEmpty(); if ( bTextLen || !IsEmptyFieldValueEnabled() ) { if ( !ImplAllowMalformedInput() ) Reformat(); else { Date aDate( 0, 0, 0 ); if (TextToDate(GetText(), aDate, GetExtDateFormat(true), ImplGetLocaleDataWrapper(), GetCalendarWrapper())) // even with strict text analysis, our text is a valid date -> do a complete // reformat Reformat(); } } else { ResetLastDate(); SetEmptyFieldValueData( true ); } } } return SpinField::EventNotify( rNEvt ); } void DateField::DataChanged( const DataChangedEvent& rDCEvt ) { SpinField::DataChanged( rDCEvt ); if ( (rDCEvt.GetType() == DataChangedEventType::SETTINGS) && (rDCEvt.GetFlags() & (AllSettingsFlags::LOCALE|AllSettingsFlags::MISC)) ) { if (rDCEvt.GetFlags() & AllSettingsFlags::LOCALE) ImplResetLocaleDataWrapper(); ReformatAll(); } } void DateField::Modify() { MarkToBeReformatted( true ); SpinField::Modify(); } void DateField::Up() { ImplDateSpinArea( true ); SpinField::Up(); } void DateField::Down() { ImplDateSpinArea( false ); SpinField::Down(); } void DateField::First() { ImplNewFieldValue( maFirst ); SpinField::First(); } void DateField::Last() { ImplNewFieldValue( maLast ); SpinField::Last(); } DateBox::DateBox(vcl::Window* pParent, WinBits nWinStyle) : ComboBox( pParent, nWinStyle ) , DateFormatter(this) { SetText( ImplGetLocaleDataWrapper().getDate( ImplGetFieldDate() ) ); Reformat(); } void DateBox::dispose() { ClearField(); ComboBox::dispose(); } bool DateBox::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && IsStrictFormat() && ( GetExtDateFormat() != ExtDateFieldFormat::SystemLong ) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { if ( ImplDateProcessKeyInput( *rNEvt.GetKeyEvent(), GetExtDateFormat( true ), ImplGetLocaleDataWrapper() ) ) return true; } return ComboBox::PreNotify( rNEvt ); } void DateBox::DataChanged( const DataChangedEvent& rDCEvt ) { ComboBox::DataChanged( rDCEvt ); if ( (rDCEvt.GetType() == DataChangedEventType::SETTINGS) && (rDCEvt.GetFlags() & AllSettingsFlags::LOCALE) ) { ImplResetLocaleDataWrapper(); ReformatAll(); } } bool DateBox::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() ) { bool bTextLen = !GetText().isEmpty(); if ( bTextLen || !IsEmptyFieldValueEnabled() ) Reformat(); else { ResetLastDate(); SetEmptyFieldValueData( true ); } } } return ComboBox::EventNotify( rNEvt ); } void DateBox::Modify() { MarkToBeReformatted( true ); ComboBox::Modify(); } void DateBox::ReformatAll() { OUString aStr; SetUpdateMode( false ); const sal_Int32 nEntryCount = GetEntryCount(); for ( sal_Int32 i=0; i < nEntryCount; ++i ) { ImplDateReformat( GetEntry( i ), aStr ); RemoveEntryAt(i); InsertEntry( aStr, i ); } DateFormatter::Reformat(); SetUpdateMode( true ); } namespace weld { CalendarWrapper& DateFormatter::GetCalendarWrapper() const { if (!m_xCalendarWrapper) { m_xCalendarWrapper.reset(new CalendarWrapper(comphelper::getProcessComponentContext())); m_xCalendarWrapper->loadDefaultCalendar(Application::GetSettings().GetLanguageTag().getLocale()); } return *m_xCalendarWrapper; } void DateFormatter::SetShowDateCentury(bool bShowDateCentury) { m_eFormat = ChangeDateCentury(m_eFormat, bShowDateCentury); ReFormat(); } void DateFormatter::SetDate(const Date& rDate) { auto nDate = rDate.GetDate(); bool bForceOutput = GetEntryText().isEmpty() && rDate == GetDate(); if (bForceOutput) { ImplSetValue(nDate, true); return; } SetValue(nDate); } Date DateFormatter::GetDate() { return Date(GetValue()); } void DateFormatter::SetMin(const Date& rNewMin) { SetMinValue(rNewMin.GetDate()); } void DateFormatter::SetMax(const Date& rNewMax) { SetMaxValue(rNewMax.GetDate()); } OUString DateFormatter::FormatNumber(int nValue) const { const LocaleDataWrapper& rLocaleData = Application::GetSettings().GetLocaleDataWrapper(); return ::DateFormatter::FormatDate(Date(nValue), m_eFormat, rLocaleData, m_aStaticFormatter); } IMPL_LINK_NOARG(DateFormatter, FormatOutputHdl, LinkParamNone*, bool) { OUString sText = FormatNumber(GetValue()); ImplSetTextImpl(sText, nullptr); return true; } IMPL_LINK(DateFormatter, ParseInputHdl, sal_Int64*, result, TriState) { const LocaleDataWrapper& rLocaleDataWrapper = Application::GetSettings().GetLocaleDataWrapper(); Date aResult(Date::EMPTY); bool bRet = ::DateFormatter::TextToDate(GetEntryText(), aResult, ResolveSystemFormat(m_eFormat, rLocaleDataWrapper), rLocaleDataWrapper, GetCalendarWrapper()); if (bRet) *result = aResult.GetDate(); return bRet ? TRISTATE_TRUE : TRISTATE_FALSE; } } static bool ImplTimeProcessKeyInput( const KeyEvent& rKEvt, bool bStrictFormat, bool bDuration, TimeFieldFormat eFormat, const LocaleDataWrapper& rLocaleDataWrapper ) { sal_Unicode cChar = rKEvt.GetCharCode(); if ( !bStrictFormat ) return false; else { sal_uInt16 nGroup = rKEvt.GetKeyCode().GetGroup(); if ( (nGroup == KEYGROUP_FKEYS) || (nGroup == KEYGROUP_CURSOR) || (nGroup == KEYGROUP_MISC) || ((cChar >= '0') && (cChar <= '9')) || rLocaleDataWrapper.getTimeSep() == OUStringChar(cChar) || (rLocaleDataWrapper.getTimeAM().indexOf(cChar) != -1) || (rLocaleDataWrapper.getTimePM().indexOf(cChar) != -1) || // Accept AM/PM: (cChar == 'a') || (cChar == 'A') || (cChar == 'm') || (cChar == 'M') || (cChar == 'p') || (cChar == 'P') || ((eFormat == TimeFieldFormat::F_SEC_CS) && rLocaleDataWrapper.getTime100SecSep() == OUStringChar(cChar)) || (bDuration && (cChar == '-')) ) return false; else return true; } } static bool ImplIsOnlyDigits( const OUString& _rStr ) { const sal_Unicode* _pChr = _rStr.getStr(); for ( sal_Int32 i = 0; i < _rStr.getLength(); ++i, ++_pChr ) { if ( *_pChr < '0' || *_pChr > '9' ) return false; } return true; } static bool ImplIsValidTimePortion( bool _bSkipInvalidCharacters, const OUString& _rStr ) { if ( !_bSkipInvalidCharacters ) { if ( ( _rStr.getLength() > 2 ) || _rStr.isEmpty() || !ImplIsOnlyDigits( _rStr ) ) return false; } return true; } static bool ImplCutTimePortion( OUStringBuffer& _rStr, sal_Int32 _nSepPos, bool _bSkipInvalidCharacters, short* _pPortion ) { OUString sPortion(_rStr.subView(0, _nSepPos)); if (_nSepPos < _rStr.getLength()) _rStr.remove(0, _nSepPos + 1); else _rStr.truncate(); if ( !ImplIsValidTimePortion( _bSkipInvalidCharacters, sPortion ) ) return false; *_pPortion = static_cast(sPortion.toInt32()); return true; } bool TimeFormatter::TextToTime(std::u16string_view rStr, tools::Time& rTime, TimeFieldFormat eFormat, bool bDuration, const LocaleDataWrapper& rLocaleDataWrapper, bool _bSkipInvalidCharacters) { OUStringBuffer aStr(rStr); short nHour = 0; short nMinute = 0; short nSecond = 0; sal_Int64 nNanoSec = 0; tools::Time aTime( 0, 0, 0 ); if ( rStr.empty() ) return false; // Search for separators if (!rLocaleDataWrapper.getTimeSep().isEmpty()) { OUStringBuffer aSepStr(",.;:/"); if ( !bDuration ) aSepStr.append('-'); // Replace characters above by the separator character for (sal_Int32 i = 0; i < aSepStr.getLength(); ++i) { if (rLocaleDataWrapper.getTimeSep() == OUStringChar(aSepStr[i])) continue; for ( sal_Int32 j = 0; j < aStr.getLength(); j++ ) { if (aStr[j] == aSepStr[i]) aStr[j] = rLocaleDataWrapper.getTimeSep()[0]; } } } bool bNegative = false; sal_Int32 nSepPos = aStr.indexOf( rLocaleDataWrapper.getTimeSep() ); if ( aStr[0] == '-' ) bNegative = true; if ( eFormat != TimeFieldFormat::F_SEC_CS ) { if ( nSepPos < 0 ) nSepPos = aStr.getLength(); if ( !ImplCutTimePortion( aStr, nSepPos, _bSkipInvalidCharacters, &nHour ) ) return false; nSepPos = aStr.indexOf( rLocaleDataWrapper.getTimeSep() ); if ( !aStr.isEmpty() && aStr[0] == '-' ) bNegative = true; if ( nSepPos >= 0 ) { if ( !ImplCutTimePortion( aStr, nSepPos, _bSkipInvalidCharacters, &nMinute ) ) return false; nSepPos = aStr.indexOf( rLocaleDataWrapper.getTimeSep() ); if ( !aStr.isEmpty() && aStr[0] == '-' ) bNegative = true; if ( nSepPos >= 0 ) { if ( !ImplCutTimePortion( aStr, nSepPos, _bSkipInvalidCharacters, &nSecond ) ) return false; if ( !aStr.isEmpty() && aStr[0] == '-' ) bNegative = true; nNanoSec = o3tl::toInt64(aStr); } else nSecond = static_cast(o3tl::toInt32(aStr)); } else nMinute = static_cast(o3tl::toInt32(aStr)); } else if ( nSepPos < 0 ) { nSecond = static_cast(o3tl::toInt32(aStr)); nMinute += nSecond / 60; nSecond %= 60; nHour += nMinute / 60; nMinute %= 60; } else { nSecond = static_cast(o3tl::toInt32(aStr.subView( 0, nSepPos ))); aStr.remove( 0, nSepPos+1 ); nSepPos = aStr.indexOf( rLocaleDataWrapper.getTimeSep() ); if ( !aStr.isEmpty() && aStr[0] == '-' ) bNegative = true; if ( nSepPos >= 0 ) { nMinute = nSecond; nSecond = static_cast(o3tl::toInt32(aStr.subView( 0, nSepPos ))); aStr.remove( 0, nSepPos+1 ); nSepPos = aStr.indexOf( rLocaleDataWrapper.getTimeSep() ); if ( !aStr.isEmpty() && aStr[0] == '-' ) bNegative = true; if ( nSepPos >= 0 ) { nHour = nMinute; nMinute = nSecond; nSecond = static_cast(o3tl::toInt32(aStr.subView( 0, nSepPos ))); aStr.remove( 0, nSepPos+1 ); } else { nHour += nMinute / 60; nMinute %= 60; } } else { nMinute += nSecond / 60; nSecond %= 60; nHour += nMinute / 60; nMinute %= 60; } nNanoSec = o3tl::toInt64(aStr); } if ( nNanoSec ) { assert(aStr.getLength() >= 1); sal_Int32 nLen = 1; // at least one digit, otherwise nNanoSec==0 while ( aStr.getLength() > nLen && aStr[nLen] >= '0' && aStr[nLen] <= '9' ) nLen++; while ( nLen < 9) { nNanoSec *= 10; ++nLen; } while ( nLen > 9 ) { // round if negative? nNanoSec = (nNanoSec + 5) / 10; --nLen; } } assert(nNanoSec > -1000000000 && nNanoSec < 1000000000); if ( (nMinute > 59) || (nSecond > 59) || (nNanoSec > 1000000000) ) return false; if ( eFormat == TimeFieldFormat::F_NONE ) nSecond = nNanoSec = 0; else if ( eFormat == TimeFieldFormat::F_SEC ) nNanoSec = 0; if ( !bDuration ) { if ( bNegative || (nHour < 0) || (nMinute < 0) || (nSecond < 0) || (nNanoSec < 0) ) return false; OUString aUpperCaseStr = aStr.toString().toAsciiUpperCase(); OUString aAMlocalised(rLocaleDataWrapper.getTimeAM().toAsciiUpperCase()); OUString aPMlocalised(rLocaleDataWrapper.getTimePM().toAsciiUpperCase()); if ( (nHour < 12) && ( ( aUpperCaseStr.indexOf( "PM" ) >= 0 ) || ( aUpperCaseStr.indexOf( aPMlocalised ) >= 0 ) ) ) nHour += 12; if ( (nHour == 12) && ( ( aUpperCaseStr.indexOf( "AM" ) >= 0 ) || ( aUpperCaseStr.indexOf( aAMlocalised ) >= 0 ) ) ) nHour = 0; aTime = tools::Time( static_cast(nHour), static_cast(nMinute), static_cast(nSecond), static_cast(nNanoSec) ); } else { assert( !bNegative || (nHour < 0) || (nMinute < 0) || (nSecond < 0) || (nNanoSec < 0) ); if ( bNegative || (nHour < 0) || (nMinute < 0) || (nSecond < 0) || (nNanoSec < 0) ) { // LEM TODO: this looks weird... I think buggy when parsing "05:-02:18" bNegative = true; nHour = nHour < 0 ? -nHour : nHour; nMinute = nMinute < 0 ? -nMinute : nMinute; nSecond = nSecond < 0 ? -nSecond : nSecond; nNanoSec = nNanoSec < 0 ? -nNanoSec : nNanoSec; } aTime = tools::Time( static_cast(nHour), static_cast(nMinute), static_cast(nSecond), static_cast(nNanoSec) ); if ( bNegative ) aTime = -aTime; } rTime = aTime; return true; } void TimeFormatter::ImplTimeReformat( std::u16string_view rStr, OUString& rOutStr ) { tools::Time aTime( 0, 0, 0 ); if ( !TextToTime( rStr, aTime, GetFormat(), IsDuration(), ImplGetLocaleDataWrapper() ) ) return; tools::Time aTempTime = aTime; if ( aTempTime > GetMax() ) aTempTime = GetMax() ; else if ( aTempTime < GetMin() ) aTempTime = GetMin(); bool bSecond = false; bool b100Sec = false; if ( meFormat != TimeFieldFormat::F_NONE ) bSecond = true; if ( meFormat == TimeFieldFormat::F_SEC_CS ) { sal_uLong n = aTempTime.GetHour() * 3600L; n += aTempTime.GetMin() * 60L; n += aTempTime.GetSec(); rOutStr = OUString::number( n ); rOutStr += ImplGetLocaleDataWrapper().getTime100SecSep(); std::ostringstream ostr; ostr.fill('0'); ostr.width(9); ostr << aTempTime.GetNanoSec(); rOutStr += OUString::createFromAscii(ostr.str()); } else if ( mbDuration ) { tools::Duration aDuration( 0, aTempTime); rOutStr = ImplGetLocaleDataWrapper().getDuration( aDuration, bSecond, b100Sec ); } else { rOutStr = ImplGetLocaleDataWrapper().getTime( aTempTime, bSecond, b100Sec ); if ( GetTimeFormat() == TimeFormat::Hour12 ) { if ( aTempTime.GetHour() > 12 ) { tools::Time aT( aTempTime ); aT.SetHour( aT.GetHour() % 12 ); rOutStr = ImplGetLocaleDataWrapper().getTime( aT, bSecond, b100Sec ); } // Don't use LocaleDataWrapper, we want AM/PM if ( aTempTime.GetHour() < 12 ) rOutStr += "AM"; // ImplGetLocaleDataWrapper().getTimeAM(); else rOutStr += "PM"; // ImplGetLocaleDataWrapper().getTimePM(); } } } bool TimeFormatter::ImplAllowMalformedInput() const { return !IsEnforceValidValue(); } int TimeFormatter::GetTimeArea(TimeFieldFormat eFormat, std::u16string_view rText, int nCursor, const LocaleDataWrapper& rLocaleDataWrapper) { int nTimeArea = 0; // Area search if (eFormat != TimeFieldFormat::F_SEC_CS) { //Which area is the cursor in of HH:MM:SS.TT for ( size_t i = 1, nPos = 0; i <= 4; i++ ) { size_t nPos1 = rText.find(rLocaleDataWrapper.getTimeSep(), nPos); size_t nPos2 = rText.find(rLocaleDataWrapper.getTime100SecSep(), nPos); //which ever comes first, bearing in mind that one might not be there if (nPos1 != std::u16string_view::npos && nPos2 != std::u16string_view::npos) nPos = std::min(nPos1, nPos2); else if (nPos1 != std::u16string_view::npos) nPos = nPos1; else nPos = nPos2; if (nPos == std::u16string_view::npos || static_cast(nPos) >= nCursor) { nTimeArea = i; break; } else nPos++; } } else { size_t nPos = rText.find(rLocaleDataWrapper.getTime100SecSep()); if (nPos == std::u16string_view::npos || static_cast(nPos) >= nCursor) nTimeArea = 3; else nTimeArea = 4; } return nTimeArea; } tools::Time TimeFormatter::SpinTime(bool bUp, const tools::Time& rTime, TimeFieldFormat eFormat, bool bDuration, std::u16string_view rText, int nCursor, const LocaleDataWrapper& rLocaleDataWrapper) { tools::Time aTime(rTime); int nTimeArea = GetTimeArea(eFormat, rText, nCursor, rLocaleDataWrapper); if ( nTimeArea ) { tools::Time aAddTime( 0, 0, 0 ); if ( nTimeArea == 1 ) aAddTime = tools::Time( 1, 0 ); else if ( nTimeArea == 2 ) aAddTime = tools::Time( 0, 1 ); else if ( nTimeArea == 3 ) aAddTime = tools::Time( 0, 0, 1 ); else if ( nTimeArea == 4 ) aAddTime = tools::Time( 0, 0, 0, 1 ); if ( !bUp ) aAddTime = -aAddTime; aTime += aAddTime; if (!bDuration) { tools::Time aAbsMaxTime( 23, 59, 59, 999999999 ); if ( aTime > aAbsMaxTime ) aTime = aAbsMaxTime; tools::Time aAbsMinTime( 0, 0 ); if ( aTime < aAbsMinTime ) aTime = aAbsMinTime; } } return aTime; } void TimeField::ImplTimeSpinArea( bool bUp ) { if ( GetField() ) { tools::Time aTime( GetTime() ); OUString aText( GetText() ); Selection aSelection( GetField()->GetSelection() ); aTime = TimeFormatter::SpinTime(bUp, aTime, GetFormat(), IsDuration(), aText, aSelection.Max(), ImplGetLocaleDataWrapper()); ImplNewFieldValue( aTime ); } } TimeFormatter::TimeFormatter(Edit* pEdit) : FormatterBase(pEdit) , maLastTime(0, 0) , maMin(0, 0) , maMax(23, 59, 59, 999999999) , meFormat(TimeFieldFormat::F_NONE) , mnTimeFormat(TimeFormat::Hour24) // Should become an ExtTimeFieldFormat in next implementation, merge with mbDuration and meFormat , mbDuration(false) , mbEnforceValidValue(true) , maFieldTime(0, 0) { } TimeFormatter::~TimeFormatter() { } void TimeFormatter::ReformatAll() { Reformat(); } void TimeFormatter::SetMin( const tools::Time& rNewMin ) { maMin = rNewMin; if ( !IsEmptyFieldValue() ) ReformatAll(); } void TimeFormatter::SetMax( const tools::Time& rNewMax ) { maMax = rNewMax; if ( !IsEmptyFieldValue() ) ReformatAll(); } void TimeFormatter::SetTimeFormat( TimeFormat eNewFormat ) { mnTimeFormat = eNewFormat; } void TimeFormatter::SetFormat( TimeFieldFormat eNewFormat ) { meFormat = eNewFormat; ReformatAll(); } void TimeFormatter::SetDuration( bool bNewDuration ) { mbDuration = bNewDuration; ReformatAll(); } void TimeFormatter::SetTime( const tools::Time& rNewTime ) { SetUserTime( rNewTime ); maFieldTime = maLastTime; SetEmptyFieldValueData( false ); } void TimeFormatter::ImplNewFieldValue( const tools::Time& rTime ) { if ( !GetField() ) return; Selection aSelection = GetField()->GetSelection(); aSelection.Normalize(); OUString aText = GetField()->GetText(); // If selected until the end then keep it that way if ( static_cast(aSelection.Max()) == aText.getLength() ) { if ( !aSelection.Len() ) aSelection.Min() = SELECTION_MAX; aSelection.Max() = SELECTION_MAX; } tools::Time aOldLastTime = maLastTime; ImplSetUserTime( rTime, &aSelection ); maLastTime = aOldLastTime; // Modify at Edit is only set at KeyInput if ( GetField()->GetText() != aText ) { GetField()->SetModifyFlag(); GetField()->Modify(); } } OUString TimeFormatter::FormatTime(const tools::Time& rNewTime, TimeFieldFormat eFormat, TimeFormat eHourFormat, bool bDuration, const LocaleDataWrapper& rLocaleData) { OUString aStr; bool bSec = false; bool b100Sec = false; if ( eFormat != TimeFieldFormat::F_NONE ) bSec = true; if ( eFormat == TimeFieldFormat::F_SEC_CS ) b100Sec = true; if ( eFormat == TimeFieldFormat::F_SEC_CS ) { sal_uLong n = rNewTime.GetHour() * 3600L; n += rNewTime.GetMin() * 60L; n += rNewTime.GetSec(); aStr = OUString::number( n ) + rLocaleData.getTime100SecSep(); std::ostringstream ostr; ostr.fill('0'); ostr.width(9); ostr << rNewTime.GetNanoSec(); aStr += OUString::createFromAscii(ostr.str()); } else if ( bDuration ) { tools::Duration aDuration( 0, rNewTime); aStr = rLocaleData.getDuration( aDuration, bSec, b100Sec ); } else { aStr = rLocaleData.getTime( rNewTime, bSec, b100Sec ); if ( eHourFormat == TimeFormat::Hour12 ) { if ( rNewTime.GetHour() > 12 ) { tools::Time aT( rNewTime ); aT.SetHour( aT.GetHour() % 12 ); aStr = rLocaleData.getTime( aT, bSec, b100Sec ); } // Don't use LocaleDataWrapper, we want AM/PM if ( rNewTime.GetHour() < 12 ) aStr += "AM"; // rLocaleData.getTimeAM(); else aStr += "PM"; // rLocaleData.getTimePM(); } } return aStr; } void TimeFormatter::ImplSetUserTime( const tools::Time& rNewTime, Selection const * pNewSelection ) { tools::Time aNewTime = rNewTime; if ( aNewTime > GetMax() ) aNewTime = GetMax(); else if ( aNewTime < GetMin() ) aNewTime = GetMin(); maLastTime = aNewTime; if ( GetField() ) { OUString aStr = TimeFormatter::FormatTime(aNewTime, meFormat, GetTimeFormat(), mbDuration, ImplGetLocaleDataWrapper()); ImplSetText( aStr, pNewSelection ); } } void TimeFormatter::SetUserTime( const tools::Time& rNewTime ) { ImplSetUserTime( rNewTime ); } tools::Time TimeFormatter::GetTime() const { tools::Time aTime( 0, 0, 0 ); if ( GetField() ) { bool bAllowMalformed = ImplAllowMalformedInput(); if ( TextToTime( GetField()->GetText(), aTime, GetFormat(), IsDuration(), ImplGetLocaleDataWrapper(), !bAllowMalformed ) ) { if ( aTime > GetMax() ) aTime = GetMax(); else if ( aTime < GetMin() ) aTime = GetMin(); } else { if ( bAllowMalformed ) aTime = tools::Time( 99, 99, 99 ); // set invalid time else aTime = maLastTime; } } return aTime; } void TimeFormatter::Reformat() { if ( !GetField() ) return; if ( GetField()->GetText().isEmpty() && ImplGetEmptyFieldValue() ) return; OUString aStr; ImplTimeReformat( GetField()->GetText(), aStr ); if ( !aStr.isEmpty() ) { ImplSetText( aStr ); (void)TextToTime(aStr, maLastTime, GetFormat(), IsDuration(), ImplGetLocaleDataWrapper()); } else SetTime( maLastTime ); } TimeField::TimeField( vcl::Window* pParent, WinBits nWinStyle ) : SpinField( pParent, nWinStyle ), TimeFormatter(this), maFirst( GetMin() ), maLast( GetMax() ) { SetText( ImplGetLocaleDataWrapper().getTime( maFieldTime, false ) ); Reformat(); } void TimeField::dispose() { ClearField(); SpinField::dispose(); } bool TimeField::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { if ( ImplTimeProcessKeyInput( *rNEvt.GetKeyEvent(), IsStrictFormat(), IsDuration(), GetFormat(), ImplGetLocaleDataWrapper() ) ) return true; } return SpinField::PreNotify( rNEvt ); } bool TimeField::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() && (!GetText().isEmpty() || !IsEmptyFieldValueEnabled()) ) { if ( !ImplAllowMalformedInput() ) Reformat(); else { tools::Time aTime( 0, 0, 0 ); if ( TextToTime( GetText(), aTime, GetFormat(), IsDuration(), ImplGetLocaleDataWrapper(), false ) ) // even with strict text analysis, our text is a valid time -> do a complete // reformat Reformat(); } } } return SpinField::EventNotify( rNEvt ); } void TimeField::DataChanged( const DataChangedEvent& rDCEvt ) { SpinField::DataChanged( rDCEvt ); if ( (rDCEvt.GetType() == DataChangedEventType::SETTINGS) && (rDCEvt.GetFlags() & AllSettingsFlags::LOCALE) ) { ImplResetLocaleDataWrapper(); ReformatAll(); } } void TimeField::Modify() { MarkToBeReformatted( true ); SpinField::Modify(); } void TimeField::Up() { ImplTimeSpinArea( true ); SpinField::Up(); } void TimeField::Down() { ImplTimeSpinArea( false ); SpinField::Down(); } void TimeField::First() { ImplNewFieldValue( maFirst ); SpinField::First(); } void TimeField::Last() { ImplNewFieldValue( maLast ); SpinField::Last(); } void TimeField::SetExtFormat( ExtTimeFieldFormat eFormat ) { switch ( eFormat ) { case ExtTimeFieldFormat::Short24H: { SetTimeFormat( TimeFormat::Hour24 ); SetDuration( false ); SetFormat( TimeFieldFormat::F_NONE ); } break; case ExtTimeFieldFormat::Long24H: { SetTimeFormat( TimeFormat::Hour24 ); SetDuration( false ); SetFormat( TimeFieldFormat::F_SEC ); } break; case ExtTimeFieldFormat::Short12H: { SetTimeFormat( TimeFormat::Hour12 ); SetDuration( false ); SetFormat( TimeFieldFormat::F_NONE ); } break; case ExtTimeFieldFormat::Long12H: { SetTimeFormat( TimeFormat::Hour12 ); SetDuration( false ); SetFormat( TimeFieldFormat::F_SEC ); } break; case ExtTimeFieldFormat::ShortDuration: { SetDuration( true ); SetFormat( TimeFieldFormat::F_NONE ); } break; case ExtTimeFieldFormat::LongDuration: { SetDuration( true ); SetFormat( TimeFieldFormat::F_SEC ); } break; default: OSL_FAIL( "ExtTimeFieldFormat unknown!" ); } if ( GetField() && !GetField()->GetText().isEmpty() ) SetUserTime( GetTime() ); ReformatAll(); } TimeBox::TimeBox(vcl::Window* pParent, WinBits nWinStyle) : ComboBox(pParent, nWinStyle) , TimeFormatter(this) { SetText( ImplGetLocaleDataWrapper().getTime( maFieldTime, false ) ); Reformat(); } void TimeBox::dispose() { ClearField(); ComboBox::dispose(); } bool TimeBox::PreNotify( NotifyEvent& rNEvt ) { if ( (rNEvt.GetType() == NotifyEventType::KEYINPUT) && !rNEvt.GetKeyEvent()->GetKeyCode().IsMod2() ) { if ( ImplTimeProcessKeyInput( *rNEvt.GetKeyEvent(), IsStrictFormat(), IsDuration(), GetFormat(), ImplGetLocaleDataWrapper() ) ) return true; } return ComboBox::PreNotify( rNEvt ); } bool TimeBox::EventNotify( NotifyEvent& rNEvt ) { if ( rNEvt.GetType() == NotifyEventType::GETFOCUS ) MarkToBeReformatted( false ); else if ( rNEvt.GetType() == NotifyEventType::LOSEFOCUS ) { if ( MustBeReformatted() && (!GetText().isEmpty() || !IsEmptyFieldValueEnabled()) ) Reformat(); } return ComboBox::EventNotify( rNEvt ); } void TimeBox::DataChanged( const DataChangedEvent& rDCEvt ) { ComboBox::DataChanged( rDCEvt ); if ( (rDCEvt.GetType() == DataChangedEventType::SETTINGS) && (rDCEvt.GetFlags() & AllSettingsFlags::LOCALE) ) { ImplResetLocaleDataWrapper(); ReformatAll(); } } void TimeBox::Modify() { MarkToBeReformatted( true ); ComboBox::Modify(); } void TimeBox::ReformatAll() { OUString aStr; SetUpdateMode( false ); const sal_Int32 nEntryCount = GetEntryCount(); for ( sal_Int32 i=0; i < nEntryCount; ++i ) { ImplTimeReformat( GetEntry( i ), aStr ); RemoveEntryAt(i); InsertEntry( aStr, i ); } TimeFormatter::Reformat(); SetUpdateMode( true ); } namespace weld { tools::Time TimeFormatter::ConvertValue(int nValue) { tools::Time aTime(0); aTime.MakeTimeFromMS(nValue); return aTime; } int TimeFormatter::ConvertValue(const tools::Time& rTime) { return rTime.GetMSFromTime(); } void TimeFormatter::SetTime(const tools::Time& rTime) { auto nTime = ConvertValue(rTime); bool bForceOutput = GetEntryText().isEmpty() && rTime == GetTime(); if (bForceOutput) { ImplSetValue(nTime, true); return; } SetValue(nTime); } tools::Time TimeFormatter::GetTime() { return ConvertValue(GetValue()); } void TimeFormatter::SetMin(const tools::Time& rNewMin) { SetMinValue(ConvertValue(rNewMin)); } void TimeFormatter::SetMax(const tools::Time& rNewMax) { SetMaxValue(ConvertValue(rNewMax)); } OUString TimeFormatter::FormatNumber(int nValue) const { const LocaleDataWrapper& rLocaleData = Application::GetSettings().GetLocaleDataWrapper(); return ::TimeFormatter::FormatTime(ConvertValue(nValue), m_eFormat, m_eTimeFormat, m_bDuration, rLocaleData); } IMPL_LINK_NOARG(TimeFormatter, FormatOutputHdl, LinkParamNone*, bool) { OUString sText = FormatNumber(GetValue()); ImplSetTextImpl(sText, nullptr); return true; } IMPL_LINK(TimeFormatter, ParseInputHdl, sal_Int64*, result, TriState) { const LocaleDataWrapper& rLocaleDataWrapper = Application::GetSettings().GetLocaleDataWrapper(); tools::Time aResult(0); bool bRet = ::TimeFormatter::TextToTime(GetEntryText(), aResult, m_eFormat, m_bDuration, rLocaleDataWrapper); if (bRet) *result = ConvertValue(aResult); return bRet ? TRISTATE_TRUE : TRISTATE_FALSE; } IMPL_LINK(TimeFormatter, CursorChangedHdl, weld::Entry&, rEntry, void) { int nStartPos, nEndPos; rEntry.get_selection_bounds(nStartPos, nEndPos); const LocaleDataWrapper& rLocaleData = Application::GetSettings().GetLocaleDataWrapper(); const int nTimeArea = ::TimeFormatter::GetTimeArea(m_eFormat, GetEntryText(), nEndPos, rLocaleData); int nIncrements = 1; if (nTimeArea == 1) nIncrements = 1000 * 60 * 60; else if (nTimeArea == 2) nIncrements = 1000 * 60; else if (nTimeArea == 3) nIncrements = 1000; SetSpinSize(nIncrements); } } /* vim:set shiftwidth=4 softtabstop=4 expandtab: */ able> -rw-r--r--source/ca-valencia/sfx2/messages.po406
-rw-r--r--source/ca-valencia/shell/messages.po32
-rw-r--r--source/ca-valencia/starmath/messages.po74
-rw-r--r--source/ca-valencia/svl/messages.po40
-rw-r--r--source/ca-valencia/svtools/messages.po134
-rw-r--r--source/ca-valencia/svx/messages.po487
-rw-r--r--source/ca-valencia/sw/messages.po1320
-rw-r--r--source/ca-valencia/sysui/desktop/share.po24
-rw-r--r--source/ca-valencia/uui/messages.po58
-rw-r--r--source/ca-valencia/vcl/messages.po95
-rw-r--r--source/ca-valencia/wizards/messages.po42
-rw-r--r--source/ca-valencia/wizards/source/resources.po16
-rw-r--r--source/ca-valencia/writerperfect/messages.po32
-rw-r--r--source/ca-valencia/xmlsecurity/messages.po30
-rw-r--r--source/ca/helpcontent2/source/text/scalc.po12
-rw-r--r--source/ca/helpcontent2/source/text/scalc/01.po25
-rw-r--r--source/ca/helpcontent2/source/text/scalc/guide.po9
-rw-r--r--source/ca/helpcontent2/source/text/scalc/menu.po16
-rw-r--r--source/ca/helpcontent2/source/text/sdraw/00.po6
-rw-r--r--source/ca/helpcontent2/source/text/shared/06.po6
-rw-r--r--source/ca/helpcontent2/source/text/shared/help.po16
-rw-r--r--source/de/helpcontent2/source/text/sbasic/shared.po78
-rw-r--r--source/de/helpcontent2/source/text/sdatabase.po84
-rw-r--r--source/dsb/cui/messages.po6
-rw-r--r--source/dsb/dbaccess/messages.po12
-rw-r--r--source/dsb/helpcontent2/source/text/scalc/00.po4
-rw-r--r--source/dsb/helpcontent2/source/text/sdatabase.po2424
-rw-r--r--source/dsb/helpcontent2/source/text/shared/autopi.po8
-rw-r--r--source/dsb/officecfg/registry/data/org/openoffice/Office/UI.po4
-rw-r--r--source/dsb/reportdesign/messages.po4
-rw-r--r--source/dsb/sc/messages.po6
-rw-r--r--source/dsb/sw/messages.po14
-rw-r--r--source/dsb/wizards/source/resources.po6
-rw-r--r--source/el/helpcontent2/source/text/scalc/05.po18
-rw-r--r--source/el/helpcontent2/source/text/shared/05.po10
-rw-r--r--source/el/helpcontent2/source/text/simpress/01.po42
-rw-r--r--source/el/helpcontent2/source/text/simpress/02.po218
-rw-r--r--source/el/helpcontent2/source/text/simpress/guide.po12
-rw-r--r--source/el/helpcontent2/source/text/smath/01.po12
-rw-r--r--source/el/helpcontent2/source/text/swriter.po6
-rw-r--r--source/el/helpcontent2/source/text/swriter/01.po68
-rw-r--r--source/el/officecfg/registry/data/org/openoffice/Office/UI.po18
-rw-r--r--source/el/sc/messages.po6
-rw-r--r--source/es/cui/messages.po8
-rw-r--r--source/es/filter/source/config/fragments/filters.po14
-rw-r--r--source/es/filter/source/config/fragments/types.po10
-rw-r--r--source/es/helpcontent2/source/text/sdatabase.po432
-rw-r--r--source/es/helpcontent2/source/text/shared/01.po54
-rw-r--r--source/es/officecfg/registry/data/org/openoffice/Office.po8
-rw-r--r--source/es/svtools/messages.po12
-rw-r--r--source/es/sw/messages.po18
-rw-r--r--source/es/sysui/desktop/share.po12
-rw-r--r--source/fi/cui/messages.po28
-rw-r--r--source/fr/helpcontent2/source/text/sbasic/shared/03.po298
-rw-r--r--source/fr/sw/messages.po200
-rw-r--r--source/gug/helpcontent2/source/text/sdatabase.po432
-rw-r--r--source/gug/helpcontent2/source/text/shared/01.po54
-rw-r--r--source/hr/connectivity/messages.po26
-rw-r--r--source/hr/extensions/messages.po12
-rw-r--r--source/hr/scaddins/messages.po6
-rw-r--r--source/hsb/cui/messages.po6
-rw-r--r--source/hsb/helpcontent2/source/text/sdatabase.po106
-rw-r--r--source/hsb/helpcontent2/source/text/shared/optionen.po208
-rw-r--r--source/id/cui/messages.po16
-rw-r--r--source/id/officecfg/registry/data/org/openoffice/Office/UI.po8
-rw-r--r--source/id/svx/messages.po14
-rw-r--r--source/it/cui/messages.po46
-rw-r--r--source/it/helpcontent2/source/text/sbasic/shared.po12
-rw-r--r--source/it/helpcontent2/source/text/sbasic/shared/02.po9
-rw-r--r--source/it/helpcontent2/source/text/scalc/01.po76
-rw-r--r--source/it/helpcontent2/source/text/shared/00.po3
-rw-r--r--source/it/helpcontent2/source/text/shared/menu.po4
-rw-r--r--source/it/helpcontent2/source/text/shared/optionen.po28
-rw-r--r--source/it/helpcontent2/source/text/swriter/01.po6
-rw-r--r--source/it/helpcontent2/source/text/swriter/guide.po6
-rw-r--r--source/it/helpcontent2/source/text/swriter/menu.po27
-rw-r--r--source/it/scaddins/messages.po14
-rw-r--r--source/it/sw/messages.po9
-rw-r--r--source/ja/basctl/messages.po10
-rw-r--r--source/ja/cui/messages.po80
-rw-r--r--source/ja/extensions/messages.po8
-rw-r--r--source/ja/filter/messages.po8
-rw-r--r--source/ja/fpicker/messages.po8
-rw-r--r--source/ja/officecfg/registry/data/org/openoffice/Office.po22
-rw-r--r--source/ja/officecfg/registry/data/org/openoffice/Office/UI.po8
-rw-r--r--source/ja/sc/messages.po28
-rw-r--r--source/ja/sd/messages.po33
-rw-r--r--source/ja/sfx2/messages.po28
-rw-r--r--source/ja/svtools/messages.po46
-rw-r--r--source/ja/svx/messages.po16
-rw-r--r--source/ja/sw/messages.po48
-rw-r--r--source/ja/vcl/messages.po8
-rw-r--r--source/kk/sc/messages.po8
-rw-r--r--source/kk/sw/messages.po6
-rw-r--r--source/nl/cui/messages.po18
-rw-r--r--source/nl/filter/messages.po8
-rw-r--r--source/nl/officecfg/registry/data/org/openoffice/Office/UI.po14
-rw-r--r--source/nl/sd/messages.po6
-rw-r--r--source/nl/svx/messages.po18
-rw-r--r--source/nl/sw/messages.po6
-rw-r--r--source/pl/cui/messages.po6
-rw-r--r--source/pl/extensions/messages.po8
-rw-r--r--source/pl/helpcontent2/source/text/sbasic/shared/03.po158
-rw-r--r--source/pl/helpcontent2/source/text/scalc/01.po6
-rw-r--r--source/pl/helpcontent2/source/text/scalc/04.po4
-rw-r--r--source/pl/helpcontent2/source/text/scalc/guide.po8
-rw-r--r--source/pl/helpcontent2/source/text/sdatabase.po760
-rw-r--r--source/pl/helpcontent2/source/text/shared/01.po6
-rw-r--r--source/pl/helpcontent2/source/text/shared/02.po10
-rw-r--r--source/pl/helpcontent2/source/text/shared/autopi.po8
-rw-r--r--source/pl/helpcontent2/source/text/simpress/01.po6
-rw-r--r--source/pl/helpcontent2/source/text/swriter/01.po22
-rw-r--r--source/pl/helpcontent2/source/text/swriter/guide.po6
-rw-r--r--source/pl/officecfg/registry/data/org/openoffice/Office/UI.po8
-rw-r--r--source/pl/sc/messages.po10
-rw-r--r--source/pl/sw/messages.po12
-rw-r--r--source/pl/wizards/source/resources.po6
-rw-r--r--source/pt-BR/filter/source/config/fragments/internalgraphicfilters.po10
-rw-r--r--source/pt-BR/helpcontent2/source/text/sbasic/shared.po4
-rw-r--r--source/pt-BR/helpcontent2/source/text/sbasic/shared/03.po156
-rw-r--r--source/ru/officecfg/registry/data/org/openoffice/Office/UI.po6
-rw-r--r--source/ru/sc/messages.po4
-rw-r--r--source/ru/sfx2/messages.po4
-rw-r--r--source/sk/cui/messages.po60
-rw-r--r--source/sk/sd/messages.po6
-rw-r--r--source/sk/sw/messages.po96
-rw-r--r--source/sk/vcl/messages.po8
-rw-r--r--source/sv/sc/messages.po8
-rw-r--r--source/sv/sw/messages.po6
-rw-r--r--source/th/extras/source/gallery/share.po22
-rw-r--r--source/th/sc/messages.po4
-rw-r--r--source/th/vcl/messages.po740
-rw-r--r--source/tr/helpcontent2/source/auxiliary.po8
-rw-r--r--source/tr/helpcontent2/source/text/scalc/menu.po16
-rw-r--r--source/vi/dbaccess/messages.po18
-rw-r--r--source/vi/filter/messages.po131
-rw-r--r--source/vi/sd/messages.po419
-rw-r--r--source/vi/sfx2/messages.po264
-rw-r--r--source/vi/wizards/messages.po110
290 files changed, 13680 insertions, 13739 deletions
diff --git a/source/ar/accessibility/messages.po b/source/ar/accessibility/messages.po
index 4172286f0b4..3c33e0b682c 100644
--- a/source/ar/accessibility/messages.po
+++ b/source/ar/accessibility/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-19 13:12+0100\n"
-"PO-Revision-Date: 2021-03-06 20:37+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/accessibilitymessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.4.2\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1507237051.000000\n"
#. be4e7
@@ -89,7 +89,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/avmedia/messages.po b/source/ar/avmedia/messages.po
index 36958c30c31..b0488cd17fc 100644
--- a/source/ar/avmedia/messages.po
+++ b/source/ar/avmedia/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-02-18 12:16+0100\n"
-"PO-Revision-Date: 2022-03-12 17:25+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/avmediamessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.8.1\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1518295211.000000\n"
#. m6G23
@@ -119,7 +119,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/basctl/messages.po b/source/ar/basctl/messages.po
index 50f1a4f7732..f30d81e4b4e 100644
--- a/source/ar/basctl/messages.po
+++ b/source/ar/basctl/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:23+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/basctlmessages/ar/>\n"
"Language: ar\n"
@@ -561,7 +561,7 @@ msgstr "الامتداد"
#: basctl/inc/strings.hrc:113
msgctxt "RID_STR_READONLY"
msgid "Read-only"
-msgstr ""
+msgstr "للقراءة فقط"
#. GJEts
#: basctl/inc/strings.hrc:114
@@ -588,7 +588,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -644,7 +644,7 @@ msgstr "_نعم"
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:26
msgctxt "basicmacrodialog|BasicMacroDialog"
msgid "BASIC Macros"
-msgstr ""
+msgstr "وحدات ماكرو بيزك"
#. tFg7s
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:43
diff --git a/source/ar/basic/messages.po b/source/ar/basic/messages.po
index 52c71831c4f..a195ae44444 100644
--- a/source/ar/basic/messages.po
+++ b/source/ar/basic/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-01-31 18:18+0100\n"
-"PO-Revision-Date: 2022-05-25 10:44+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/basicmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1507237053.000000\n"
#. CacXi
@@ -792,7 +792,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/chart2/messages.po b/source/ar/chart2/messages.po
index ef002de8760..5d1692ea248 100644
--- a/source/ar/chart2/messages.po
+++ b/source/ar/chart2/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-11-22 14:43+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/chart2messages/ar/>\n"
"Language: ar\n"
@@ -53,7 +53,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -857,7 +857,7 @@ msgstr "لون الحدّ"
#: chart2/inc/strings.hrc:148
msgctxt "STR_DATA_TABLE"
msgid "Data Table"
-msgstr ""
+msgstr "جدول البيانات"
#. TuRxr
#: chart2/inc/strings.hrc:150
@@ -1343,7 +1343,7 @@ msgstr ""
#: chart2/uiconfig/ui/dlg_DataLabel.ui:172
msgctxt "dlg_DataLabel|extended_tip|CB_SYMBOL"
msgid "Displays the legend icons next to each data point label."
-msgstr "إظهار الإيقونات بجانب كل نقاط بيانات الصيغ"
+msgstr "إظهار الإيقونات بجانب كل نقاط بيانات المعادلات"
#. BA3kD
#: chart2/uiconfig/ui/dlg_DataLabel.ui:183
@@ -1493,7 +1493,7 @@ msgstr "قرب الأصل"
#: chart2/uiconfig/ui/dlg_DataLabel.ui:354
msgctxt "dlg_DataLabel|extended_tip|LB_LABEL_PLACEMENT"
msgid "Selects the placement of data labels relative to the objects."
-msgstr "اختيار تموضع صيغ البيانات المتعلقة بالمواد"
+msgstr "اختيار تموضع معادلات البيانات المتعلقة بالمواد"
#. NvbuM
#: chart2/uiconfig/ui/dlg_DataLabel.ui:367
@@ -1553,7 +1553,7 @@ msgstr "انقر في التزويل لتعيّن اتجاه النص للصائ
#: chart2/uiconfig/ui/dlg_DataLabel.ui:479
msgctxt "dlg_DataLabel|extended_tip|NF_LABEL_DEGREES"
msgid "Enter the counterclockwise rotation angle for the data labels."
-msgstr "ادخل زاوية اتجاه الدوران عكس اتجاه عقارب الساعة لصيغ البيانات"
+msgstr "ادخل زاوية اتجاه الدوران عكس اتجاه عقارب الساعة لمعادلات البيانات"
#. Jhjwb
#: chart2/uiconfig/ui/dlg_DataLabel.ui:493
@@ -1583,7 +1583,7 @@ msgstr "دوّر النّصّ"
#: chart2/uiconfig/ui/dlg_DataLabel.ui:587
msgctxt "dlg_DataLabel|CB_CUSTOM_LEADER_LINES"
msgid "_Connect displaced data labels to data points"
-msgstr "_توصيل صيغ البيانات المنفصلة بنقاط البيانات"
+msgstr "_توصيل معادلات البيانات المنفصلة بنقاط البيانات"
#. MJdmK
#: chart2/uiconfig/ui/dlg_DataLabel.ui:595
@@ -1607,7 +1607,7 @@ msgstr ""
#: chart2/uiconfig/ui/dlg_DataLabel.ui:660
msgctxt "dlg_DataLabel|extended_tip|dlg_DataLabels"
msgid "Opens the Data Labels dialog, which enables you to set the data labels."
-msgstr "فتح علبة حوار لصيغ البيانات، و التي تسمح بتعديل إعداداتها"
+msgstr "فتح علبة حوار لمعادلات البيانات، و التي تسمح بتعديل إعداداتها"
#. XbRRD
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:8
@@ -3349,7 +3349,7 @@ msgstr "نهاية للخارج"
#: chart2/uiconfig/ui/tp_AxisPositions.ui:281
msgctxt "tp_AxisPositions|extended_tip|LB_PLACE_LABELS"
msgid "Select where to place the labels: near axis, near axis (other side), outside start, or outside end."
-msgstr "حدد أين ستضع الصيغ: بجانب المحور، بجانب المحور (الجهة الأخرى)، بدء للخارج، انهاء للخارج."
+msgstr "حدد أين ستضع المعادلات: بجانب المحور، بجانب المحور (الجهة الأخرى)، بدء للخارج، انهاء للخارج."
#. DUNn4
#: chart2/uiconfig/ui/tp_AxisPositions.ui:306
@@ -3451,7 +3451,7 @@ msgstr "عند المحور واللصائق"
#: chart2/uiconfig/ui/tp_AxisPositions.ui:536
msgctxt "tp_AxisPositions|extended_tip|LB_PLACE_TICKS"
msgid "Select where to place the marks: at labels, at axis, or at axis and labels."
-msgstr "اختر مكان العلامات: عند الصيغ، عند المحور، أو عند المحور و الصيغ."
+msgstr "اختر مكان العلامات: عند المعادلات، عند المحور، أو عند المحور و المعادلات."
#. jK9rf
#: chart2/uiconfig/ui/tp_AxisPositions.ui:559
@@ -3703,7 +3703,7 @@ msgstr ""
#: chart2/uiconfig/ui/tp_DataLabel.ui:104
msgctxt "tp_DataLabel|extended_tip|CB_SYMBOL"
msgid "Displays the legend icons next to each data point label."
-msgstr "اظهر الإيقونات بجانب كل صيغة نقطة بيانات."
+msgstr "اظهر الإيقونات بجانب كل معادلة نقطة بيانات."
#. K3uFN
#: chart2/uiconfig/ui/tp_DataLabel.ui:115
@@ -3853,7 +3853,7 @@ msgstr "قرب الأصل"
#: chart2/uiconfig/ui/tp_DataLabel.ui:286
msgctxt "tp_DataLabel|extended_tip|LB_LABEL_PLACEMENT"
msgid "Selects the placement of data labels relative to the objects."
-msgstr "اختيار موضوع صيغ البيانات المتعلقة بالمواضيع"
+msgstr "اختيار موضوع معادلات البيانات المتعلقة بالمواضيع"
#. GqA8C
#: chart2/uiconfig/ui/tp_DataLabel.ui:299
@@ -3913,7 +3913,7 @@ msgstr "انقر في التزويل لتعيّن اتجاه النص للصائ
#: chart2/uiconfig/ui/tp_DataLabel.ui:411
msgctxt "tp_DataLabel|extended_tip|NF_LABEL_DEGREES"
msgid "Enter the counterclockwise rotation angle for the data labels."
-msgstr "ادخال زاوية الدوران عكس اتجاه دوران عقارب الساعة لصيغ البيانات."
+msgstr "ادخال زاوية الدوران عكس اتجاه دوران عقارب الساعة لمعادلات البيانات."
#. VArif
#: chart2/uiconfig/ui/tp_DataLabel.ui:425
@@ -3943,7 +3943,7 @@ msgstr "دوّر النّصّ"
#: chart2/uiconfig/ui/tp_DataLabel.ui:519
msgctxt "tp_DataLabel|CB_CUSTOM_LEADER_LINES"
msgid "_Connect displaced data labels to data points"
-msgstr "_توصيل صيغ البيانات المنفصلة بنقاط البيانات"
+msgstr "_توصيل معادلات البيانات المنفصلة بنقاط البيانات"
#. BXobT
#: chart2/uiconfig/ui/tp_DataLabel.ui:527
@@ -3961,7 +3961,7 @@ msgstr "الأسطر الرئيسية"
#: chart2/uiconfig/ui/tp_DataLabel.ui:573
msgctxt "tp_DataLabel|extended_tip|tp_DataLabel"
msgid "Opens the Data Labels dialog, which enables you to set the data labels."
-msgstr "فتح علبة حوار لصيغ البيانات، و التي تسمح بتعديل إعداداتها."
+msgstr "فتح علبة حوار لمعادلات البيانات، و التي تسمح بتعديل إعداداتها."
#. rXE7B
#: chart2/uiconfig/ui/tp_DataPointOption.ui:37
@@ -4099,13 +4099,13 @@ msgstr "ل_صائق البيانات"
#: chart2/uiconfig/ui/tp_DataSource.ui:426
msgctxt "tp_DataSource|extended_tip|EDT_CATEGORIES"
msgid "Shows the source range address of the categories (the texts you can see on the x-axis of a category chart). For an XY-chart, the text box contains the source range of the data labels which are displayed for the data points. To minimize this dialog while you select the data range in Calc, click the Select data range button."
-msgstr "يُظهِر عنوان مجال المصدر للأصناف (النصوص التي يُمكنك رؤيتها على محور 'س' لصنف المخطط البياني): لمخطط بياني 'س ع'، صندوق النص يحتوي على مصدر مجال صيغ البيانات التي تظهر لنقاط البيانات. لتصغير علبة الحوار الحالية أثناء تحديدك لمجال البيانات من الصفحة، انقر على زر اختيار مجال البيانات."
+msgstr "يُظهِر عنوان مجال المصدر للأصناف (النصوص التي يُمكنك رؤيتها على محور 'س' لصنف المخطط البياني): لمخطط بياني 'س ع'، صندوق النص يحتوي على مصدر مجال معادلات البيانات التي تظهر لنقاط البيانات. لتصغير علبة الحوار الحالية أثناء تحديدك لمجال البيانات من الصفحة، انقر على زر اختيار مجال البيانات."
#. EYFEo
#: chart2/uiconfig/ui/tp_DataSource.ui:444
msgctxt "tp_DataSource|extended_tip|IMB_RANGE_CAT"
msgid "Shows the source range address of the categories (the texts you can see on the x-axis of a category chart). For an XY-chart, the text box contains the source range of the data labels which are displayed for the data points. To minimize this dialog while you select the data range in Calc, click the Select data range button."
-msgstr "يُظهِر عنوان مجال المصدر للأصناف (النصوص التي يُمكنك رؤيتها على محور 'س' لصنف المخطط البياني): لمخطط بياني 'س ع'، صندوق النص يحتوي على مصدر مجال صيغ البيانات التي تظهر لنقاط البيانات. لتصغير علبة الحوار الحالية أثناء تحديدك لمجال البيانات من الصفحة، انقر على زر اختيار مجال البيانات."
+msgstr "يُظهِر عنوان مجال المصدر للأصناف (النصوص التي يُمكنك رؤيتها على محور 'س' لصنف المخطط البياني): لمخطط بياني 'س ع'، صندوق النص يحتوي على مصدر مجال معادلات البيانات التي تظهر لنقاط البيانات. لتصغير علبة الحوار الحالية أثناء تحديدك لمجال البيانات من الصفحة، انقر على زر اختيار مجال البيانات."
#. YwALA
#: chart2/uiconfig/ui/tp_DataSource.ui:481
diff --git a/source/ar/connectivity/messages.po b/source/ar/connectivity/messages.po
index ebcf9129d0a..a270c8931e1 100644
--- a/source/ar/connectivity/messages.po
+++ b/source/ar/connectivity/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-07-06 20:18+0200\n"
-"PO-Revision-Date: 2022-03-03 18:38+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/connectivitymessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1535974879.000000\n"
#. 9KHB8
@@ -27,7 +27,7 @@ msgstr "لا يوجد اتصال بقاعدة البيانات."
#: connectivity/inc/strings.hrc:26
msgctxt "STR_WRONG_PARAM_INDEX"
msgid "You tried to set a parameter at position “$pos$” but there is/are only “$count$” parameter(s) allowed. One reason may be that the property “ParameterNameSubstitution” is not set to TRUE in the data source."
-msgstr ""
+msgstr "لقد حاولت تعيين معلمة في الموضع ”$pos$“ إلا أنه لا يوجد سوى ”$count$“ معلمة (معلمات) مسموح بها. وقد يرجع السبب في ذلك إلى عدم تعيين الخاصية ”ParameterNameSubstitution“ على القيمة TRUE في مصدر البيانات."
#. 6FnrV
#: connectivity/inc/strings.hrc:27
@@ -39,7 +39,7 @@ msgstr "لم يتم تعيين دفق الإدخال."
#: connectivity/inc/strings.hrc:28
msgctxt "STR_NO_ELEMENT_NAME"
msgid "There is no element named “$name$”."
-msgstr ""
+msgstr "لا يوجد عنصر بالاسم ”$name$“."
#. CWktu
#: connectivity/inc/strings.hrc:29
@@ -75,13 +75,13 @@ msgstr "فهرس الواصف غير صالح."
#: connectivity/inc/strings.hrc:34
msgctxt "STR_UNSUPPORTED_FUNCTION"
msgid "The driver does not support the function “$functionname$”."
-msgstr ""
+msgstr "برنامج التشغيل لا يدعم الدالة ”$functionname$“."
#. GW3L8
#: connectivity/inc/strings.hrc:35
msgctxt "STR_UNSUPPORTED_FEATURE"
msgid "The driver does not support the functionality for “$featurename$”. It is not implemented."
-msgstr ""
+msgstr "برنامج التشغيل لا يدعم الدالة ”$featurename$“. وبالتالي لم يتم تطبيقها."
#. zXVCV
#: connectivity/inc/strings.hrc:36
@@ -93,13 +93,13 @@ msgstr "صيغة TypeInfoSettings غير صحيحة!"
#: connectivity/inc/strings.hrc:37
msgctxt "STR_STRING_LENGTH_EXCEEDED"
msgid "The string “$string$” exceeds the maximum length of $maxlen$ characters when converted to the target character set “$charset$”."
-msgstr ""
+msgstr "تجاوزت السلسلة ”$string$“ الحد الأقصى للطول وهو $maxlen$ حرف (حروف) عند تحويلها إلى مجموعة الحروف الهدف ”$charset$“."
#. THhEu
#: connectivity/inc/strings.hrc:38
msgctxt "STR_CANNOT_CONVERT_STRING"
msgid "The string “$string$” cannot be converted using the encoding “$charset$”."
-msgstr ""
+msgstr "لا يمكن تحويل السلسلة ”$string$“ باستخدام الترميز ”$charset$“."
#. sSzsJ
#: connectivity/inc/strings.hrc:39
@@ -111,49 +111,49 @@ msgstr "رابط URL للاتصال غير صالح."
#: connectivity/inc/strings.hrc:40
msgctxt "STR_QUERY_TOO_COMPLEX"
msgid "The query cannot be executed. It is too complex."
-msgstr ""
+msgstr "يتعذر تنفيذ الاستعلام. فهو في غاية التعقيد."
#. ADy4t
#: connectivity/inc/strings.hrc:41
msgctxt "STR_OPERATOR_TOO_COMPLEX"
msgid "The query cannot be executed. The operator is too complex."
-msgstr ""
+msgstr "يتعذر تنفيذ الاستعلام. عامل التشغيل في غاية التعقيد."
#. XZGaK
#: connectivity/inc/strings.hrc:42
msgctxt "STR_QUERY_INVALID_LIKE_COLUMN"
msgid "The query cannot be executed. You cannot use “LIKE” with columns of this type."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. لا يمكنك استخدام ”LIKE“ مع أعمدة من هذا النوع."
#. SsqWz
#: connectivity/inc/strings.hrc:43
msgctxt "STR_QUERY_INVALID_LIKE_STRING"
msgid "The query cannot be executed. “LIKE” can be used with a string argument only."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. يمكن استخدام ”LIKE“ مع وسيطة سلسلة فقط."
#. ZFFrf
#: connectivity/inc/strings.hrc:44
msgctxt "STR_QUERY_NOT_LIKE_TOO_COMPLEX"
msgid "The query cannot be executed. The “NOT LIKE” condition is too complex."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. شرط ”NOT LIKE“ معقد جدًا."
#. AaZzs
#: connectivity/inc/strings.hrc:45
msgctxt "STR_QUERY_LIKE_WILDCARD"
msgid "The query cannot be executed. The “LIKE” condition contains wildcard in the middle."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. يحتوي شرط ”LIKE“ على رمز تعميم في المنتصف."
#. GN6F9
#: connectivity/inc/strings.hrc:46
msgctxt "STR_QUERY_LIKE_WILDCARD_MANY"
msgid "The query cannot be executed. The “LIKE” condition contains too many wildcards."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. يحتوي شرط ”LIKE“ على عدد من رموز التعميم أكثر مما ينبغي."
#. LreLr
#: connectivity/inc/strings.hrc:47
msgctxt "STR_INVALID_COLUMNNAME"
msgid "The column name “$columnname$” is not valid."
-msgstr ""
+msgstr "اسم العمود ”$columnname$“ غير صالح."
#. FT3Zb
#: connectivity/inc/strings.hrc:48
@@ -238,7 +238,7 @@ msgstr "تعذر إنشاء عرض: لا يوجد كائن أوامر."
#: connectivity/inc/strings.hrc:61
msgctxt "STR_NO_CONNECTION"
msgid "The connection could not be created. Maybe the necessary data provider is not installed."
-msgstr ""
+msgstr "يتعذر إنشاء الاتصال. ربما لم يتم تثبيت موفر البيانات اللازم."
#. GRZEu
#. dbase
@@ -269,7 +269,7 @@ msgstr "تعذر إنشاء الفهرس. ظهر خطأ غير معروف."
#: connectivity/inc/strings.hrc:67
msgctxt "STR_COULD_NOT_CREATE_INDEX_NAME"
msgid "The index could not be created. The file “$filename$” is used by another index."
-msgstr ""
+msgstr "تعذّر إنشاء الفهرس. الملف ”$filename$“ مستخدَم من فهرس آخر."
#. GcK7B
#: connectivity/inc/strings.hrc:68
@@ -281,7 +281,7 @@ msgstr "تعذّر إنشاء الفهرس. حجم العمود المحدد ك
#: connectivity/inc/strings.hrc:69
msgctxt "STR_SQL_NAME_ERROR"
msgid "The name “$name$” does not match SQL naming constraints."
-msgstr ""
+msgstr "لا يتطابق الاسم ”$name$“ مع قيود تسمية SQL."
#. wv2Cx
#: connectivity/inc/strings.hrc:70
@@ -293,31 +293,31 @@ msgstr "تعذر حذف الملف $filename$."
#: connectivity/inc/strings.hrc:71
msgctxt "STR_INVALID_COLUMN_TYPE"
msgid "Invalid column type for column “$columnname$”."
-msgstr ""
+msgstr "نوع عمود غير صالح للعمود ”$columnname$“."
#. wB2gE
#: connectivity/inc/strings.hrc:72
msgctxt "STR_INVALID_COLUMN_PRECISION"
msgid "Invalid precision for column “$columnname$”."
-msgstr ""
+msgstr "دقة غير صالحة للعمود ”$columnname$“."
#. v67fT
#: connectivity/inc/strings.hrc:73
msgctxt "STR_INVALID_PRECISION_SCALE"
msgid "Precision is less than scale for column “$columnname$”."
-msgstr ""
+msgstr "الدقة أقل من مقياس العمود ”$columnname$“."
#. J3KEu
#: connectivity/inc/strings.hrc:74
msgctxt "STR_INVALID_COLUMN_NAME_LENGTH"
msgid "Invalid column name length for column “$columnname$”."
-msgstr ""
+msgstr "طول اسم العمود غير صالح للعمود ”$columnname$“."
#. ZQUww
#: connectivity/inc/strings.hrc:75
msgctxt "STR_DUPLICATE_VALUE_IN_COLUMN"
msgid "Duplicate value found in column “$columnname$”."
-msgstr ""
+msgstr "عُثر على قيمة مكررة في العمود ”$columnname$“."
#. zSeBJ
#: connectivity/inc/strings.hrc:76
@@ -327,36 +327,39 @@ msgid ""
"\n"
"The specified value “$value$” is longer than the number of digits allowed."
msgstr ""
+"العمود ”$columnname$“ حُدِّد باعتباره من النوع ”عشري“، يبلغ الحد الأقصى للطول $precision$ من الحروف ($scale$ بالفواصل العشرية).\n"
+"\n"
+"القيمة المحددة ”$value$“ أطول من عدد الأرقام المسموح به."
#. M6CvC
#: connectivity/inc/strings.hrc:77
msgctxt "STR_COLUMN_NOT_ALTERABLE"
msgid "The column “$columnname$” could not be altered. Maybe the file system is write-protected."
-msgstr ""
+msgstr "تعذر تغيير العمود ”$columnname$“. قد يكون نظام الملفات محميًا ضد الكتابة."
#. st6hA
#: connectivity/inc/strings.hrc:78
msgctxt "STR_INVALID_COLUMN_VALUE"
msgid "The column “$columnname$” could not be updated. The value is invalid for that column."
-msgstr ""
+msgstr "يتعذر تحميل العمود ”$columnname$“. القيمة غير صالحة لذلك العمود."
#. 5rH5W
#: connectivity/inc/strings.hrc:79
msgctxt "STR_COLUMN_NOT_ADDABLE"
msgid "The column “$columnname$” could not be added. Maybe the file system is write-protected."
-msgstr ""
+msgstr "تعذرت إضافة العمود ”$columnname$“. قد يكون نظام الملفات محميًا ضد الكتابة."
#. B9ACk
#: connectivity/inc/strings.hrc:80
msgctxt "STR_COLUMN_NOT_DROP"
msgid "The column at position “$position$” could not be dropped. Maybe the file system is write-protected."
-msgstr ""
+msgstr "تعذر إسقاط العمود ”$position$“. قد يكون نظام الملفات محميًا ضد الكتابة."
#. KfedE
#: connectivity/inc/strings.hrc:81
msgctxt "STR_TABLE_NOT_DROP"
msgid "The table “$tablename$” could not be dropped. Maybe the file system is write-protected."
-msgstr ""
+msgstr "تعذر إسقاط الجدول ”$tablename$“. قد يكون نظام الملفات محميًا ضد الكتابة."
#. R3BGx
#: connectivity/inc/strings.hrc:82
@@ -368,7 +371,7 @@ msgstr "يتعذر تغيير الجدول."
#: connectivity/inc/strings.hrc:83
msgctxt "STR_INVALID_DBASE_FILE"
msgid "The file “$filename$” is an invalid (or unrecognized) dBASE file."
-msgstr ""
+msgstr "الملف ”$filename$“ عبارة عن ملف dBASE غير صالح (أو لم يتم التعرف عليه)."
#. LhHTA
#. Evoab2
@@ -388,31 +391,31 @@ msgstr "يمكن الفرز حسب أعمدة الجدول فقط."
#: connectivity/inc/strings.hrc:88
msgctxt "STR_QUERY_COMPLEX_COUNT"
msgid "The query cannot be executed. It is too complex. Only “COUNT(*)” is supported."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. فهو معقد للغاية. لا يُدعم إلا عامل التشغيل ”‪‎COUNT(*)‬“."
#. PJivi
#: connectivity/inc/strings.hrc:89
msgctxt "STR_QUERY_INVALID_BETWEEN"
msgid "The query cannot be executed. The “BETWEEN” arguments are not correct."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. وسائط ”BETWEEN“ غير صحيحة."
#. CHRju
#: connectivity/inc/strings.hrc:90
msgctxt "STR_QUERY_FUNCTION_NOT_SUPPORTED"
msgid "The query cannot be executed. The function is not supported."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. الدالة غير مدعومة."
#. mnc5r
#: connectivity/inc/strings.hrc:91
msgctxt "STR_TABLE_READONLY"
msgid "The table cannot be changed. It is read only."
-msgstr ""
+msgstr "لا يمكن تغيير الجدول. فهو للقراءة فقط."
#. TUUpf
#: connectivity/inc/strings.hrc:92
msgctxt "STR_DELETE_ROW"
msgid "The row could not be deleted. The option “Display inactive records” is set."
-msgstr ""
+msgstr "تعذر حذف الصف. تم تعيين الخيار ”عرض سجلات غير نشطة“."
#. TZTfv
#: connectivity/inc/strings.hrc:93
@@ -424,37 +427,37 @@ msgstr "تعذر حذف الصف. فقد تم حذفه بالفعل."
#: connectivity/inc/strings.hrc:94
msgctxt "STR_QUERY_MORE_TABLES"
msgid "The query cannot be executed. It contains more than one table."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. فهو يشتمل على أكثر من جدول."
#. L4Ffm
#: connectivity/inc/strings.hrc:95
msgctxt "STR_QUERY_NO_TABLE"
msgid "The query cannot be executed. It contains no valid table."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. فهو لا يشتمل على أي جدول صالح."
#. 3KADk
#: connectivity/inc/strings.hrc:96
msgctxt "STR_QUERY_NO_COLUMN"
msgid "The query cannot be executed. It contains no valid columns."
-msgstr ""
+msgstr "لا يمكن تنفيذ الاستعلام. فهو لا يشتمل على أية أعمدة صالحة."
#. WcpZM
#: connectivity/inc/strings.hrc:97
msgctxt "STR_INVALID_PARA_COUNT"
msgid "The count of the given parameter values does not match the parameters."
-msgstr ""
+msgstr "عدد قيم المعلمات المحددة لا يتطابق مع المعلمات."
#. CFcjS
#: connectivity/inc/strings.hrc:98
msgctxt "STR_NO_VALID_FILE_URL"
msgid "The URL “$URL$” is not valid. A connection cannot be created."
-msgstr ""
+msgstr "المسار ”$URL$“ غير صالح. لا يمكن إنشاء اتصال."
#. YFjkG
#: connectivity/inc/strings.hrc:99
msgctxt "STR_NO_CLASSNAME"
msgid "The driver class “$classname$” could not be loaded."
-msgstr ""
+msgstr "تعذر تحميل فئة برنامج التشغيل ”$classname$“."
#. jbnZZ
#: connectivity/inc/strings.hrc:100
@@ -466,31 +469,31 @@ msgstr "تعذر العثور على أية عملية تثبيت Java. الرج
#: connectivity/inc/strings.hrc:101
msgctxt "STR_NO_RESULTSET"
msgid "The execution of the query does not return a valid result set."
-msgstr ""
+msgstr "لا يعمل تنفيذ الاستعلام على استرجاع مجموعة نتائج صالحة."
#. JGxgF
#: connectivity/inc/strings.hrc:102
msgctxt "STR_NO_ROWCOUNT"
msgid "The execution of the update statement does not affect any rows."
-msgstr ""
+msgstr "لا يؤثر تنفيذ عبارة update على أية صفوف."
#. yCACF
#: connectivity/inc/strings.hrc:103
msgctxt "STR_NO_CLASSNAME_PATH"
msgid "The additional driver class path is “$classpath$”."
-msgstr ""
+msgstr "مسار فئة برنامج التشغيل الإضافي هو ”$classpath$“."
#. sX2NM
#: connectivity/inc/strings.hrc:104
msgctxt "STR_UNKNOWN_PARA_TYPE"
msgid "The type of parameter at position “$position$” is unknown."
-msgstr ""
+msgstr "نوع المعلمة في الموضع ”$position$“ غير معروف."
#. gSPCX
#: connectivity/inc/strings.hrc:105
msgctxt "STR_UNKNOWN_COLUMN_TYPE"
msgid "The type of column at position “$position$” is unknown."
-msgstr ""
+msgstr "نوع العمود في الموضع ”$position$“ غير معروف."
#. 3FmFX
#. KAB
@@ -510,7 +513,7 @@ msgstr "لا يوجد هكذا جدول!"
#: connectivity/inc/strings.hrc:110
msgctxt "STR_NO_MAC_OS_FOUND"
msgid "No suitable macOS installation was found."
-msgstr ""
+msgstr "لم يُعثر على تثبيت نظام تشغيل ماك مناسب."
#. HNSzq
#. hsqldb
@@ -529,13 +532,13 @@ msgstr "لا يشتمل عنوان URL على أي مسار نظام ملفات
#: connectivity/inc/strings.hrc:114
msgctxt "STR_NO_TABLE_CONTAINER"
msgid "An error occurred while obtaining the connection’s table container."
-msgstr ""
+msgstr "حدث خطأ أثناء الحصول على حاوية جدول الاتصالات."
#. uxoGW
#: connectivity/inc/strings.hrc:115
msgctxt "STR_NO_TABLENAME"
msgid "There is no table named “$tablename$”."
-msgstr ""
+msgstr "لا يوجد جدول بالاسم ”$tablename$“."
#. 3BxCF
#: connectivity/inc/strings.hrc:116
@@ -559,13 +562,13 @@ msgstr "تم اعتراض عملية السجل."
#: connectivity/inc/strings.hrc:120
msgctxt "STR_PARSER_CYCLIC_SUB_QUERIES"
msgid "The statement contains a cyclic reference to one or more subqueries."
-msgstr ""
+msgstr "في الإفادة مرجع تكراري إلى استعلام فرعي واحد أو أكثر."
#. jDAGJ
#: connectivity/inc/strings.hrc:121
msgctxt "STR_DB_OBJECT_NAME_WITH_SLASHES"
msgid "The name must not contain any slashes (“/”)."
-msgstr ""
+msgstr "يجب ألا يكون في الاسم أية شُرط مائلة (”/“)."
#. 5Te4k
#: connectivity/inc/strings.hrc:122
@@ -583,7 +586,7 @@ msgstr "يجب ألا يكون في أسماء الاستعلامات أية م
#: connectivity/inc/strings.hrc:124
msgctxt "STR_DB_OBJECT_NAME_IS_USED"
msgid "The name “$1$” is already in use in the database."
-msgstr ""
+msgstr "الاسم ”$1$“ مستخدم بالفعل في قاعدة البيانات."
#. gD8xU
#: connectivity/inc/strings.hrc:125
@@ -616,7 +619,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po b/source/ar/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
index 7ed22c03e33..fab8647cfcd 100644
--- a/source/ar/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
+++ b/source/ar/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-10-20 13:07+0200\n"
-"PO-Revision-Date: 2015-07-02 10:44+0000\n"
-"Last-Translator: صفا الفليج <safa1996alfulaij@gmail.com>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
+"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistryfirebirdorgopenofficeofficedataaccess/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1435833868.000000\n"
#. DfEKx
@@ -34,4 +34,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "Firebird External"
-msgstr ""
+msgstr "فيربيرد خارجية"
diff --git a/source/ar/connectivity/registry/hsqldb/org/openoffice/Office/DataAccess.po b/source/ar/connectivity/registry/hsqldb/org/openoffice/Office/DataAccess.po
index 8a8a10c167d..64d39760ded 100644
--- a/source/ar/connectivity/registry/hsqldb/org/openoffice/Office/DataAccess.po
+++ b/source/ar/connectivity/registry/hsqldb/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2019-07-11 18:38+0200\n"
-"PO-Revision-Date: 2015-07-02 10:44+0000\n"
-"Last-Translator: صفا الفليج <safa1996alfulaij@gmail.com>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
+"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistryhsqldborgopenofficeofficedataaccess/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1435833890.000000\n"
#. yescE
@@ -24,4 +24,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "HSQLDB Embedded"
-msgstr "HSQLDB مضمّنة"
+msgstr "HSQLDB‏ مضمّنة"
diff --git a/source/ar/connectivity/registry/macab/org/openoffice/Office/DataAccess.po b/source/ar/connectivity/registry/macab/org/openoffice/Office/DataAccess.po
index b3e64d024c4..e4533101581 100644
--- a/source/ar/connectivity/registry/macab/org/openoffice/Office/DataAccess.po
+++ b/source/ar/connectivity/registry/macab/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2019-07-11 18:38+0200\n"
-"PO-Revision-Date: 2015-07-02 10:45+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
+"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistrymacaborgopenofficeofficedataaccess/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1435833920.000000\n"
#. f596y
@@ -24,4 +24,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "Mac OS X Address Book"
-msgstr "دفتر عناوين ماك أوإس إكس"
+msgstr "دفتر عناوين ماك أوإس ١٠"
diff --git a/source/ar/connectivity/registry/mysql_jdbc/org/openoffice/Office/DataAccess.po b/source/ar/connectivity/registry/mysql_jdbc/org/openoffice/Office/DataAccess.po
index 5cf441b6b5d..cfefbaea4ed 100644
--- a/source/ar/connectivity/registry/mysql_jdbc/org/openoffice/Office/DataAccess.po
+++ b/source/ar/connectivity/registry/mysql_jdbc/org/openoffice/Office/DataAccess.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-03-21 12:30+0100\n"
-"PO-Revision-Date: 2021-02-13 19:36+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistrymysql_jdbcorgopenofficeofficedataaccess/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1540149325.000000\n"
#. ny8vx
@@ -24,7 +24,7 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "MySQL (JDBC)"
-msgstr "بياناتMySQL (توصيلية جافا JDBC)"
+msgstr "MySQL (JDBC)"
#. F637n
#: Drivers.xcu
@@ -34,4 +34,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "MySQL (ODBC)"
-msgstr "بياناتMySQL (توصيلية مفتوحة ODBC)"
+msgstr "MySQL (ODBC)"
diff --git a/source/ar/cui/messages.po b/source/ar/cui/messages.po
index a09ff0511b6..cba632bfc4e 100644
--- a/source/ar/cui/messages.po
+++ b/source/ar/cui/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-06 10:56+0200\n"
-"PO-Revision-Date: 2023-06-27 14:34+0000\n"
+"PO-Revision-Date: 2023-08-11 01:05+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/cuimessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1563567066.000000\n"
#. GyY9M
@@ -95,7 +95,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -1754,7 +1754,7 @@ msgstr "جدول"
#: cui/inc/strings.hrc:323
msgctxt "RID_SVXSTR_DESC_LINEEND"
msgid "Please enter a name for the new arrow style:"
-msgstr ""
+msgstr "الرجاء إدخال اسم طراز السهم الجديد:"
#. xD9BU
#: cui/inc/strings.hrc:324
@@ -1826,7 +1826,7 @@ msgstr "التعرف على المسارات"
#: cui/inc/strings.hrc:335
msgctxt "RID_SVXSTR_DETECT_DOI"
msgid "DOI citation recognition"
-msgstr ""
+msgstr "التعرف على اقتباسات دوي"
#. JfySE
#: cui/inc/strings.hrc:336
@@ -2061,7 +2061,7 @@ msgstr "التلميحة"
#: cui/inc/strings.hrc:382
msgctxt "RID_SVXSTR_COMMANDEXPERIMENTAL"
msgid "Experimental"
-msgstr ""
+msgstr "تجريبي"
#. 3FZFt
#: cui/inc/strings.hrc:384
@@ -2181,7 +2181,7 @@ msgstr "حُفظت النتائج بنجاح في الملف’GraphicTestResult
#: cui/inc/strings.hrc:407
msgctxt "RID_CUISTR_OPT_READONLY"
msgid "This property is locked for editing."
-msgstr ""
+msgstr "هذه الخاصة مقفلة ضد الكتابة"
#. RAA72
#: cui/inc/strings.hrc:409
@@ -2200,7 +2200,7 @@ msgstr ""
#: cui/inc/strings.hrc:413
msgctxt "RID_COLOR_SCHEME_LIBREOFFICE_AUTOMATIC"
msgid "Automatic"
-msgstr ""
+msgstr "تلقائي"
#. mpS3V
#: cui/inc/tipoftheday.hrc:54
@@ -2219,13 +2219,13 @@ msgstr "تحتاج إتاحة التغييرات على أجزاء من مستن
#: cui/inc/tipoftheday.hrc:56
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To print the notes of your slides go to File ▸ Print ▸ %PRODUCTNAME Impress tab and select Notes under Document ▸ Type."
-msgstr ""
+msgstr "لطباعة ملاحظات الشرائح اذهب إلى تبويب ملف ◂ طباعة ◂ %PRODUCTNAME إمبريس وحدد الملاحظات من مستند ◂ طباعة."
#. TWjA5
#: cui/inc/tipoftheday.hrc:57
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To start temporarily with a fresh user profile, or to restore a non-working %PRODUCTNAME, use Help ▸ Restart in Safe Mode."
-msgstr "لتبدأ مؤقتا بملف مستخدم جديد، أو لاستعادة %PRODUCTNAME غير شغال، استخدم مساعدة ▸ إعادة تشغيل في الطور الآمن."
+msgstr "لتبدأ مؤقتا بملف مستخدم جديد، أو لاستعادة %PRODUCTNAME غير شغال، استخدم مساعدة ◂ إعادة تشغيل في الطور الآمن."
#. Hv5Ff
#. https://help.libreoffice.org/%PRODUCTVERSION/%LANGUAGENAME/text/shared/01/profile_safe_mode.html
@@ -2263,7 +2263,7 @@ msgstr "يمكنك إنشاء استمارات قابلة للملء من الم
#: cui/inc/tipoftheday.hrc:63
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Cannot see all the text in a cell? Expand the input line in the formula bar and you can scroll."
-msgstr "لا يمكنك رؤية كل النص في الخلية؟ وسّع سطر الإدخال في شريط الصيغة ويمكنك اللف."
+msgstr "لا يمكنك رؤية كل النص في الخلية؟ وسّع سطر الإدخال في شريط المعادلة ويمكنك اللف."
#. 3JyGD
#: cui/inc/tipoftheday.hrc:64
@@ -2508,7 +2508,7 @@ msgstr ""
#: cui/inc/tipoftheday.hrc:103
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to count words for just one particular paragraph style? Use Edit ▸ Find and Replace, click Paragraph Styles, select the style in Find, and click Find All. Read the result in the status bar."
-msgstr "تريد عَدّ الكلمات لطراز مقطع واحد بعينه؟ استخدم تحرير ▸ جد واستبدل، انقر طرز المقاطع، حدد الطراز في ’جد‘، وانقر ’جد الكل“. اقرأ النتيجة في شريط الحالة."
+msgstr "تريد عَدّ الكلمات لطراز مقطع واحد بعينه؟ استخدم تحرير ◂ جد واستبدل، انقر طرز المقاطع، حدد الطراز في ’جد‘، وانقر ’جد الكل“. اقرأ النتيجة في شريط الحالة."
#. VBCF7
#: cui/inc/tipoftheday.hrc:104
@@ -2588,7 +2588,7 @@ msgstr ""
#: cui/inc/tipoftheday.hrc:118
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to find words containing more than 10 characters? Edit ▸ Find and Replace ▸ Search ▸ [a-z]{10,} ▸ Other Options ▸ check Regular expressions."
-msgstr "تريد إيجاد الكلمات التي تحوي أكثر من 10 محارف؟ تحرير ▸ جد واستبدل ▸ ابحث ▸ ‎[a-z]‎{‎10‎,} ▸ خيارات أخرى ▸ أشّر التعابير النظامية."
+msgstr "تريد إيجاد الكلمات التي تحوي أكثر من 10 محارف؟ تحرير ◂ جد واستبدل ◂ ابحث ◂ ‎[a-z]‎{‎10‎,} ◂ خيارات أخرى ◂ أشّر التعابير النظامية."
#. 7dDjc
#: cui/inc/tipoftheday.hrc:119
@@ -2732,7 +2732,7 @@ msgstr ""
#: cui/inc/tipoftheday.hrc:142
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Use column or row labels in formulas. For example, if you have two columns, “Time” and “KM”, use =Time/KM to get minutes per kilometer."
-msgstr "استخدم لصائق الأعمدة أو الصفوف في الصيغ. مثلا، إذا كان لديك عمودان، \"الوقت\" و \"كم\"، فاستخدم =الوقت\\كم لتحصل على الدقائق لكل كيلومتر."
+msgstr "استخدم لصائق الأعمدة أو الصفوف في المعادلات. مثلا، إذا كان لديك عمودان، \"الوقت\" و \"كم\"، فاستخدم =الوقت\\كم لتحصل على الدقائق لكل كيلومتر."
#. E7GZz
#: cui/inc/tipoftheday.hrc:143
@@ -2915,7 +2915,7 @@ msgstr ""
#: cui/inc/tipoftheday.hrc:172
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to remove all <> at once and keep the text inside? Edit ▸ Find and Replace: Search = [<>], Replace = blank and check “Regular expressions” under Other options."
-msgstr "تريد إزالة الكل <> دفعة واحدة والإحتفاظ بالنص في الداخل؟ تحرير ▸ جد واستبدل: بحث = [<>]، استبدال = فراغ وأشّر \"تعابير نظامية\" تحت ’خيارات أخرى‘."
+msgstr "تريد إزالة الكل <> دفعة واحدة والإحتفاظ بالنص في الداخل؟ تحرير ◂ جد واستبدل: بحث = [<>]، استبدال = فراغ وأشّر \"تعابير نظامية\" تحت ’خيارات أخرى‘."
#. e3dfT
#. local help missing
@@ -3155,7 +3155,7 @@ msgstr ""
#: cui/inc/tipoftheday.hrc:210
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Edit ▸ Find and Replace lets you insert special characters directly: right click in input fields or press Shift+%MOD1+S."
-msgstr "تحرير ▸ جد واستبدل يتيح لك إدراج محارف خاصة مباشرة: انقر يمينا في حقول الإدخال أو اضغط Shift+%MOD1+S."
+msgstr "تحرير ◂ جد واستبدل يتيح لك إدراج محارف خاصة مباشرة: انقر يمينا في حقول الإدخال أو اضغط Shift+%MOD1+S."
#. vNBR3
#: cui/inc/tipoftheday.hrc:211
@@ -7065,7 +7065,7 @@ msgstr "القيم"
#: cui/uiconfig/ui/colorconfigwin.ui:1180
msgctxt "colorconfigwin|formulas"
msgid "Formulas"
-msgstr "الصيغ"
+msgstr "المعادلات"
#. 9kx8m
#: cui/uiconfig/ui/colorconfigwin.ui:1213
diff --git a/source/ar/dbaccess/messages.po b/source/ar/dbaccess/messages.po
index 5ea8f63a1f0..fdfbde91369 100644
--- a/source/ar/dbaccess/messages.po
+++ b/source/ar/dbaccess/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/dbaccessmessages/ar/>\n"
"Language: ar\n"
@@ -47,7 +47,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/desktop/messages.po b/source/ar/desktop/messages.po
index d2790129d0a..db0b0292d8d 100644
--- a/source/ar/desktop/messages.po
+++ b/source/ar/desktop/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/desktopmessages/ar/>\n"
"Language: ar\n"
@@ -807,7 +807,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/editeng/messages.po b/source/ar/editeng/messages.po
index 1662220636e..ee4b152141c 100644
--- a/source/ar/editeng/messages.po
+++ b/source/ar/editeng/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-11-14 14:35+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/editengmessages/ar/>\n"
"Language: ar\n"
@@ -110,7 +110,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/extensions/messages.po b/source/ar/extensions/messages.po
index 28a2b845cb2..dc2194636ed 100644
--- a/source/ar/extensions/messages.po
+++ b/source/ar/extensions/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:20+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/extensionsmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022440.000000\n"
#. cBx8W
@@ -47,7 +47,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/filter/messages.po b/source/ar/filter/messages.po
index 66456835f31..83d4c4155a0 100644
--- a/source/ar/filter/messages.po
+++ b/source/ar/filter/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/filtermessages/ar/>\n"
"Language: ar\n"
@@ -345,7 +345,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/filter/source/config/fragments/filters.po b/source/ar/filter/source/config/fragments/filters.po
index 0bb960f88d5..fd738058974 100644
--- a/source/ar/filter/source/config/fragments/filters.po
+++ b/source/ar/filter/source/config/fragments/filters.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-06 17:53+0100\n"
-"PO-Revision-Date: 2022-07-04 16:15+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-09 22:34+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentsfilters/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1530484897.000000\n"
#. FR4Ff
@@ -1067,7 +1067,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Report Chart"
-msgstr "خُطاطة تقرير أوپن‌أوفيس.أورغ 1.0"
+msgstr "خُطاطة تقرير أوبن‌أوفيس.أورج 1.0"
#. a9ZBj
#: StarOffice_Drawing.xcu
@@ -1127,7 +1127,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Spreadsheet"
-msgstr "جدول أوپن‌أوفيس.أورغ 1.0 ممتدّ"
+msgstr "جدول أوبن‌أوفيس.أورج 1.0 ممتدّ"
#. ybPJp
#: StarOffice_XML__Chart_.xcu
@@ -1137,7 +1137,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Chart"
-msgstr "رسم أوپن‌أوفيس.أورغ 1.0 بيانيّ"
+msgstr "رسم أوبن‌أوفيس.أورج 1.0 بيانيّ"
#. wnAXQ
#: StarOffice_XML__Draw_.xcu
@@ -1147,7 +1147,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Drawing"
-msgstr "رسمة أوپن‌أوفيس.أورغ 1.0"
+msgstr "رسمة أوبن‌أوفيس.أورج 1.0"
#. rGSr3
#: StarOffice_XML__Impress_.xcu
@@ -1157,7 +1157,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Presentation"
-msgstr "عرض أوپن‌أوفيس.أورغ 1.0 تقديميّ"
+msgstr "عرض أوبن‌أوفيس.أورج 1.0 تقديميّ"
#. QCoxC
#: StarOffice_XML__Math_.xcu
@@ -1167,7 +1167,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Formula"
-msgstr "صيغة أوپن‌أوفيس.أورغ 1.0"
+msgstr "معادلة أوبن‌أوفيس.أورج 1.0"
#. 4Lr4M
#: StarOffice_XML__Writer_.xcu
@@ -1177,7 +1177,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Text Document"
-msgstr "مستند أوپن‌أوفيس.أورغ 1.0 نصّيّ"
+msgstr "مستندأوبن‌أوفيس.أورج 1.0 نصّيّ"
#. WDxtc
#: T602Document.xcu
@@ -1530,7 +1530,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Spreadsheet Template"
-msgstr "قالب جدول أوپن‌أوفيس.أورغ 1.0 ممتدّ"
+msgstr "قالب جدول أوبن‌أوفيس.أورج 1.0 ممتدّ"
#. 5qdNy
#: calc_jpg_Export.xcu
@@ -1662,7 +1662,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Drawing Template"
-msgstr "قالب رسمة أوپن‌أوفيس.أورغ 1.0"
+msgstr "قالب رسمة أوبن‌أوفيس.أورج 1.0"
#. m4Wdq
#: draw_bmp_Export.xcu
@@ -1922,7 +1922,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Drawing (Impress)"
-msgstr "رسمة أوپن‌أوفيس.أورغ 1.0 (إمبريس)"
+msgstr "رسمة أوبن‌أوفيس.أورج 1.0 (إمبريس)"
#. oviUa
#: impress_StarOffice_XML_Impress_Template.xcu
@@ -1932,7 +1932,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Presentation Template"
-msgstr "قالب عرض أوپن‌أوفيس.أورغ 1.0 تقديميّ"
+msgstr "قالب عرض أوبن‌أوفيس.أورج 1.0 تقديميّ"
#. ptcbj
#: impress_bmp_Export.xcu
@@ -2062,7 +2062,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "ODF Formula"
-msgstr "صيغة ODF"
+msgstr "معادلة ODF"
#. PEQr7
#: math_pdf_Export.xcu
@@ -2122,7 +2122,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Text Document Template"
-msgstr "قالب مستند أوپن‌أوفس.أورغ 1.0 نصّيّ"
+msgstr "قالب مستندأوبن‌أوفيس.أورج 1.0 نصّيّ"
#. vu9L5
#: writer_globaldocument_StarOffice_XML_Writer.xcu
@@ -2132,7 +2132,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Text Document"
-msgstr "مستند أوپن‌أوفس.أورغ 1.0 نصّيّ"
+msgstr "مستندأوبن‌أوفيس.أورج 1.0 نصّيّ"
#. ngztG
#: writer_globaldocument_StarOffice_XML_Writer_GlobalDocument.xcu
@@ -2142,7 +2142,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "OpenOffice.org 1.0 Master Document"
-msgstr "مستند أوپن‌أوفس.أورغ 1.0 رئيس"
+msgstr "مستندأوبن‌أوفيس.أورج 1.0 رئيس"
#. AnZbG
#: writer_globaldocument_pdf_Export.xcu
diff --git a/source/ar/forms/messages.po b/source/ar/forms/messages.po
index 568e2dd30a1..5f36f6d6389 100644
--- a/source/ar/forms/messages.po
+++ b/source/ar/forms/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/formsmessages/ar/>\n"
"Language: ar\n"
@@ -387,7 +387,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/formula/messages.po b/source/ar/formula/messages.po
index 5c402ca0b88..6e0b33b5183 100644
--- a/source/ar/formula/messages.po
+++ b/source/ar/formula/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2022-04-25 17:34+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-14 18:19+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/formulamessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1542022440.000000\n"
#. YfKFn
@@ -24,10 +24,9 @@ msgstr "IF"
#. EgqkZ
#: formula/inc/core_resource.hrc:2279
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "IFERROR"
-msgstr "ISERROR"
+msgstr "IFERROR"
#. Vowev
#: formula/inc/core_resource.hrc:2280
@@ -67,14 +66,14 @@ msgstr "#البيانات"
#: formula/inc/core_resource.hrc:2289
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "#Totals"
-msgstr ""
+msgstr "#المجموع"
#. ZF2Pc
#. L10n: preserve the leading '#' hash character in translations.
#: formula/inc/core_resource.hrc:2291
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "#This Row"
-msgstr ""
+msgstr "#هذا الصف"
#. kHXXq
#: formula/inc/core_resource.hrc:2292
@@ -589,10 +588,9 @@ msgstr "NORMSDIST"
#. iXthM
#: formula/inc/core_resource.hrc:2377
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "NORM.S.DIST"
-msgstr "NORMSDIST"
+msgstr "NORM.S.DIST"
#. CADmA
#: formula/inc/core_resource.hrc:2378
@@ -614,10 +612,9 @@ msgstr "NORMSINV"
#. pCD9f
#: formula/inc/core_resource.hrc:2381
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "NORM.S.INV"
-msgstr "NORMSINV"
+msgstr "NORM.S.INV"
#. 6MkED
#: formula/inc/core_resource.hrc:2382
@@ -629,7 +626,7 @@ msgstr "GAMMALN"
#: formula/inc/core_resource.hrc:2383
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "GAMMALN.PRECISE"
-msgstr ""
+msgstr "GAMMALN.PRECISE"
#. uq6bt
#: formula/inc/core_resource.hrc:2384
@@ -639,10 +636,9 @@ msgstr "ERRORTYPE"
#. VvyBc
#: formula/inc/core_resource.hrc:2385
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ERROR.TYPE"
-msgstr "ERRORTYPE"
+msgstr "ERROR.TYPE"
#. hA6t7
#: formula/inc/core_resource.hrc:2386
@@ -666,7 +662,7 @@ msgstr "ATAN2"
#: formula/inc/core_resource.hrc:2389
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CEILING.MATH"
-msgstr ""
+msgstr "CEILING.MATH"
#. MCSCn
#: formula/inc/core_resource.hrc:2390
@@ -678,19 +674,19 @@ msgstr "CEILING"
#: formula/inc/core_resource.hrc:2391
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CEILING.XCL"
-msgstr ""
+msgstr "CEILING.XCL"
#. WvaBc
#: formula/inc/core_resource.hrc:2392
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CEILING.PRECISE"
-msgstr ""
+msgstr "CEILING.PRECISE"
#. rEus7
#: formula/inc/core_resource.hrc:2393
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ISO.CEILING"
-msgstr ""
+msgstr "ISO.CEILING"
#. Q8bBZ
#: formula/inc/core_resource.hrc:2394
@@ -702,19 +698,19 @@ msgstr "FLOOR"
#: formula/inc/core_resource.hrc:2395
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FLOOR.XCL"
-msgstr ""
+msgstr "FLOOR.XCL"
#. wALpZ
#: formula/inc/core_resource.hrc:2396
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FLOOR.MATH"
-msgstr ""
+msgstr "FLOOR.MATH"
#. rKCyS
#: formula/inc/core_resource.hrc:2397
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FLOOR.PRECISE"
-msgstr ""
+msgstr "FLOOR.PRECISE"
#. WHtuv
#: formula/inc/core_resource.hrc:2398
@@ -940,17 +936,15 @@ msgstr "VARPA"
#. 9ofpD
#: formula/inc/core_resource.hrc:2435
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "VAR.P"
-msgstr "VARP"
+msgstr "VAR.P"
#. CmJnc
#: formula/inc/core_resource.hrc:2436
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "VAR.S"
-msgstr "VARP"
+msgstr "VAR.S"
#. Fn4hd
#: formula/inc/core_resource.hrc:2437
@@ -978,17 +972,15 @@ msgstr "STDEVPA"
#. wJefG
#: formula/inc/core_resource.hrc:2441
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "STDEV.P"
-msgstr "STDEVP"
+msgstr "STDEV.P"
#. ZQKhp
#: formula/inc/core_resource.hrc:2442
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "STDEV.S"
-msgstr "STDEVP"
+msgstr "STDEV.S"
#. dnFm9
#: formula/inc/core_resource.hrc:2443
@@ -1004,10 +996,9 @@ msgstr "NORMDIST"
#. ZmN24
#: formula/inc/core_resource.hrc:2445
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "NORM.DIST"
-msgstr "NORMDIST"
+msgstr "NORM.DIST"
#. ZotkE
#: formula/inc/core_resource.hrc:2446
@@ -1017,10 +1008,9 @@ msgstr "EXPONDIST"
#. QR4X5
#: formula/inc/core_resource.hrc:2447
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "EXPON.DIST"
-msgstr "EXPONDIST"
+msgstr "EXPON.DIST"
#. rj7xi
#: formula/inc/core_resource.hrc:2448
@@ -1030,10 +1020,9 @@ msgstr "BINOMDIST"
#. 3DUoC
#: formula/inc/core_resource.hrc:2449
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "BINOM.DIST"
-msgstr "BINOMDIST"
+msgstr "BINOM.DIST"
#. 5PEVt
#: formula/inc/core_resource.hrc:2450
@@ -1045,7 +1034,7 @@ msgstr "POISSON"
#: formula/inc/core_resource.hrc:2451
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "POISSON.DIST"
-msgstr ""
+msgstr "POISSON.DIST"
#. TJ2Am
#: formula/inc/core_resource.hrc:2452
@@ -1103,10 +1092,9 @@ msgstr "VDB"
#. GCfAw
#: formula/inc/core_resource.hrc:2461
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "PDURATION"
-msgstr "DURATION"
+msgstr "PDURATION"
#. i6LFt
#: formula/inc/core_resource.hrc:2462
@@ -1454,38 +1442,33 @@ msgstr "MID"
#. CcD9A
#: formula/inc/core_resource.hrc:2519
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "LENB"
-msgstr "LEN"
+msgstr "LENB"
#. LNZ8z
#: formula/inc/core_resource.hrc:2520
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RIGHTB"
-msgstr "RIGHT"
+msgstr "RIGHTB"
#. WtUCd
#: formula/inc/core_resource.hrc:2521
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "LEFTB"
-msgstr "LEFT"
+msgstr "LEFTB"
#. hMJEw
#: formula/inc/core_resource.hrc:2522
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "REPLACEB"
-msgstr "REPLACE"
+msgstr "REPLACEB"
#. KAutM
#: formula/inc/core_resource.hrc:2523
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "MIDB"
-msgstr "MID"
+msgstr "MIDB"
#. 5ouAE
#: formula/inc/core_resource.hrc:2524
@@ -1515,37 +1498,37 @@ msgstr "CONCATENATE"
#: formula/inc/core_resource.hrc:2528
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CONCAT"
-msgstr ""
+msgstr "CONCAT"
#. 5iLsv
#: formula/inc/core_resource.hrc:2529
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "TEXTJOIN"
-msgstr ""
+msgstr "TEXTJOIN"
#. XFAVk
#: formula/inc/core_resource.hrc:2530
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "IFS"
-msgstr ""
+msgstr "IFS"
#. mqNA5
#: formula/inc/core_resource.hrc:2531
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "SWITCH"
-msgstr ""
+msgstr "SWITCH"
#. adC5v
#: formula/inc/core_resource.hrc:2532
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "MINIFS"
-msgstr ""
+msgstr "MINIFS"
#. cXh5s
#: formula/inc/core_resource.hrc:2533
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "MAXIFS"
-msgstr ""
+msgstr "MAXIFS"
#. 6DKDF
#: formula/inc/core_resource.hrc:2534
@@ -1597,10 +1580,9 @@ msgstr "HYPGEOMDIST"
#. oUBqZ
#: formula/inc/core_resource.hrc:2542
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "HYPGEOM.DIST"
-msgstr "HYPGEOMDIST"
+msgstr "HYPGEOM.DIST"
#. XWa2D
#: formula/inc/core_resource.hrc:2543
@@ -1610,10 +1592,9 @@ msgstr "LOGNORMDIST"
#. g2ozv
#: formula/inc/core_resource.hrc:2544
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "LOGNORM.DIST"
-msgstr "LOGNORMDIST"
+msgstr "LOGNORM.DIST"
#. bWRCD
#: formula/inc/core_resource.hrc:2545
@@ -1625,20 +1606,19 @@ msgstr "TDIST"
#: formula/inc/core_resource.hrc:2546
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.DIST.2T"
-msgstr ""
+msgstr "T.DIST.2T"
#. F5Pfo
#: formula/inc/core_resource.hrc:2547
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.DIST"
-msgstr "TDIST"
+msgstr "T.DIST"
#. BVPMN
#: formula/inc/core_resource.hrc:2548
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.DIST.RT"
-msgstr ""
+msgstr "T.DIST.RT"
#. CHDLb
#: formula/inc/core_resource.hrc:2549
@@ -1648,16 +1628,15 @@ msgstr "FDIST"
#. XBqcu
#: formula/inc/core_resource.hrc:2550
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "F.DIST"
-msgstr "FDIST"
+msgstr "F.DIST"
#. P9uGQ
#: formula/inc/core_resource.hrc:2551
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "F.DIST.RT"
-msgstr ""
+msgstr "F.DIST.RT"
#. 9iTFp
#: formula/inc/core_resource.hrc:2552
@@ -1667,10 +1646,9 @@ msgstr "CHIDIST"
#. 4bU9E
#: formula/inc/core_resource.hrc:2553
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CHISQ.DIST.RT"
-msgstr "CHISQDIST"
+msgstr "CHISQ.DIST.RT"
#. CA3gq
#: formula/inc/core_resource.hrc:2554
@@ -1682,7 +1660,7 @@ msgstr "WEIBULL"
#: formula/inc/core_resource.hrc:2555
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "WEIBULL.DIST"
-msgstr ""
+msgstr "WEIBULL.DIST"
#. BuVL2
#: formula/inc/core_resource.hrc:2556
@@ -1692,10 +1670,9 @@ msgstr "NEGBINOMDIST"
#. JDW2e
#: formula/inc/core_resource.hrc:2557
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "NEGBINOM.DIST"
-msgstr "NEGBINOMDIST"
+msgstr "NEGBINOM.DIST"
#. WGm4P
#: formula/inc/core_resource.hrc:2558
@@ -1707,7 +1684,7 @@ msgstr "CRITBINOM"
#: formula/inc/core_resource.hrc:2559
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "BINOM.INV"
-msgstr ""
+msgstr "BINOM.INV"
#. HXdvV
#: formula/inc/core_resource.hrc:2560
@@ -1773,13 +1750,13 @@ msgstr "MODE"
#: formula/inc/core_resource.hrc:2570
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "MODE.SNGL"
-msgstr ""
+msgstr "MODE.SNGL"
#. MUvgH
#: formula/inc/core_resource.hrc:2571
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "MODE.MULT"
-msgstr ""
+msgstr "MODE.MULT"
#. DYFQo
#: formula/inc/core_resource.hrc:2572
@@ -1789,16 +1766,15 @@ msgstr "ZTEST"
#. QLThG
#: formula/inc/core_resource.hrc:2573
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "Z.TEST"
-msgstr "ZTEST"
+msgstr "Z.TEST"
#. uG2Uy
#: formula/inc/core_resource.hrc:2574
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "AGGREGATE"
-msgstr ""
+msgstr "AGGREGATE"
#. ky6Cc
#: formula/inc/core_resource.hrc:2575
@@ -1808,10 +1784,9 @@ msgstr "TTEST"
#. FR8fD
#: formula/inc/core_resource.hrc:2576
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.TEST"
-msgstr "TTEST"
+msgstr "T.TEST"
#. YbRDQ
#: formula/inc/core_resource.hrc:2577
@@ -1835,49 +1810,49 @@ msgstr "PERCENTRANK"
#: formula/inc/core_resource.hrc:2580
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "PERCENTILE.INC"
-msgstr ""
+msgstr "PERCENTILE.INC"
#. L7s3h
#: formula/inc/core_resource.hrc:2581
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "PERCENTRANK.INC"
-msgstr ""
+msgstr "PERCENTRANK.INC"
#. wNGXD
#: formula/inc/core_resource.hrc:2582
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "QUARTILE.INC"
-msgstr ""
+msgstr "QUARTILE.INC"
#. 29rpM
#: formula/inc/core_resource.hrc:2583
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RANK.EQ"
-msgstr ""
+msgstr "RANK.EQ"
#. yEcqx
#: formula/inc/core_resource.hrc:2584
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "PERCENTILE.EXC"
-msgstr ""
+msgstr "PERCENTILE.EXC"
#. AEPUL
#: formula/inc/core_resource.hrc:2585
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "PERCENTRANK.EXC"
-msgstr ""
+msgstr "PERCENTRANK.EXC"
#. gFk6s
#: formula/inc/core_resource.hrc:2586
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "QUARTILE.EXC"
-msgstr ""
+msgstr "QUARTILE.EXC"
#. TDAAm
#: formula/inc/core_resource.hrc:2587
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RANK.AVG"
-msgstr ""
+msgstr "RANK.AVG"
#. gK7Lz
#: formula/inc/core_resource.hrc:2588
@@ -1911,10 +1886,9 @@ msgstr "NORMINV"
#. CABJF
#: formula/inc/core_resource.hrc:2593
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "NORM.INV"
-msgstr "NORMINV"
+msgstr "NORM.INV"
#. vd2Tg
#: formula/inc/core_resource.hrc:2594
@@ -1926,14 +1900,13 @@ msgstr "CONFIDENCE"
#: formula/inc/core_resource.hrc:2595
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CONFIDENCE.NORM"
-msgstr ""
+msgstr "CONFIDENCE.NORM"
#. JqE2i
#: formula/inc/core_resource.hrc:2596
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CONFIDENCE.T"
-msgstr "CONFIDENCE"
+msgstr "CONFIDENCE.T"
#. ADALA
#: formula/inc/core_resource.hrc:2597
@@ -1943,10 +1916,9 @@ msgstr "FTEST"
#. xBfc3
#: formula/inc/core_resource.hrc:2598
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "F.TEST"
-msgstr "FTEST"
+msgstr "F.TEST"
#. gqjR4
#: formula/inc/core_resource.hrc:2599
@@ -1976,13 +1948,13 @@ msgstr "COVAR"
#: formula/inc/core_resource.hrc:2603
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "COVARIANCE.P"
-msgstr ""
+msgstr "COVARIANCE.P"
#. X9QM6
#: formula/inc/core_resource.hrc:2604
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "COVARIANCE.S"
-msgstr ""
+msgstr "COVARIANCE.S"
#. 735GD
#: formula/inc/core_resource.hrc:2605
@@ -2048,49 +2020,49 @@ msgstr "FORECAST"
#: formula/inc/core_resource.hrc:2615
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.ADD"
-msgstr ""
+msgstr "FORECAST.ETS.ADD"
#. CgCME
#: formula/inc/core_resource.hrc:2616
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.SEASONALITY"
-msgstr ""
+msgstr "FORECAST.ETS.SEASONALITY"
#. Ea5Fw
#: formula/inc/core_resource.hrc:2617
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.MULT"
-msgstr ""
+msgstr "FORECAST.ETS.MULT"
#. WSLPQ
#: formula/inc/core_resource.hrc:2618
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.PI.ADD"
-msgstr ""
+msgstr "FORECAST.ETS.PI.ADD"
#. Qb7FC
#: formula/inc/core_resource.hrc:2619
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.PI.MULT"
-msgstr ""
+msgstr "FORECAST.ETS.PI.MULT"
#. CqQHS
#: formula/inc/core_resource.hrc:2620
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.STAT.ADD"
-msgstr ""
+msgstr "FORECAST.ETS.STAT.ADD"
#. tHMWM
#: formula/inc/core_resource.hrc:2621
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.ETS.STAT.MULT"
-msgstr ""
+msgstr "FORECAST.ETS.STAT.MULT"
#. 2DtCt
#: formula/inc/core_resource.hrc:2622
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FORECAST.LINEAR"
-msgstr ""
+msgstr "FORECAST.LINEAR"
#. pid8Q
#: formula/inc/core_resource.hrc:2623
@@ -2100,10 +2072,9 @@ msgstr "CHIINV"
#. W4s9c
#: formula/inc/core_resource.hrc:2624
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CHISQ.INV.RT"
-msgstr "CHISQINV"
+msgstr "CHISQ.INV.RT"
#. FAYGA
#: formula/inc/core_resource.hrc:2625
@@ -2113,10 +2084,9 @@ msgstr "GAMMADIST"
#. hDsw2
#: formula/inc/core_resource.hrc:2626
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "GAMMA.DIST"
-msgstr "GAMMADIST"
+msgstr "GAMMA.DIST"
#. YnUod
#: formula/inc/core_resource.hrc:2627
@@ -2126,10 +2096,9 @@ msgstr "GAMMAINV"
#. UsH9F
#: formula/inc/core_resource.hrc:2628
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "GAMMA.INV"
-msgstr "GAMMAINV"
+msgstr "GAMMA.INV"
#. uVsmG
#: formula/inc/core_resource.hrc:2629
@@ -2141,14 +2110,13 @@ msgstr "TINV"
#: formula/inc/core_resource.hrc:2630
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.INV.2T"
-msgstr ""
+msgstr "T.INV.2T"
#. QEgDG
#: formula/inc/core_resource.hrc:2631
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "T.INV"
-msgstr "TINV"
+msgstr "T.INV"
#. GyiqD
#: formula/inc/core_resource.hrc:2632
@@ -2158,16 +2126,15 @@ msgstr "FINV"
#. vxU5e
#: formula/inc/core_resource.hrc:2633
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "F.INV"
-msgstr "FINV"
+msgstr "F.INV"
#. zQB8F
#: formula/inc/core_resource.hrc:2634
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "F.INV.RT"
-msgstr ""
+msgstr "F.INV.RT"
#. DduFG
#: formula/inc/core_resource.hrc:2635
@@ -2177,10 +2144,9 @@ msgstr "CHITEST"
#. 8RNiE
#: formula/inc/core_resource.hrc:2636
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CHISQ.TEST"
-msgstr "CHISQDIST"
+msgstr "CHISQ.TEST"
#. SHLfw
#: formula/inc/core_resource.hrc:2637
@@ -2190,10 +2156,9 @@ msgstr "LOGINV"
#. CEKRG
#: formula/inc/core_resource.hrc:2638
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "LOGNORM.INV"
-msgstr "LOGNORMDIST"
+msgstr "LOGNORM.INV"
#. EVF8A
#: formula/inc/core_resource.hrc:2639
@@ -2215,17 +2180,15 @@ msgstr "BETAINV"
#. LKwJS
#: formula/inc/core_resource.hrc:2642
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "BETA.DIST"
-msgstr "BETADIST"
+msgstr "BETA.DIST"
#. psoXo
#: formula/inc/core_resource.hrc:2643
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "BETA.INV"
-msgstr "BETAINV"
+msgstr "BETA.INV"
#. yg6Em
#: formula/inc/core_resource.hrc:2644
@@ -2237,13 +2200,13 @@ msgstr "WEEKNUM"
#: formula/inc/core_resource.hrc:2645
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ISOWEEKNUM"
-msgstr ""
+msgstr "ISOWEEKNUM"
#. iN85u
#: formula/inc/core_resource.hrc:2646
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "WEEKNUM_OOO"
-msgstr ""
+msgstr "WEEKNUM_OOO"
#. SWHk4
#: formula/inc/core_resource.hrc:2647
@@ -2310,7 +2273,7 @@ msgstr "DECIMAL"
#: formula/inc/core_resource.hrc:2658
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CONVERT_OOO"
-msgstr ""
+msgstr "CONVERT_OOO"
#. Pdt6b
#: formula/inc/core_resource.hrc:2659
@@ -2368,10 +2331,9 @@ msgstr "CHISQDIST"
#. N57in
#: formula/inc/core_resource.hrc:2668
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CHISQ.DIST"
-msgstr "CHISQDIST"
+msgstr "CHISQ.DIST"
#. XA6Hg
#: formula/inc/core_resource.hrc:2669
@@ -2381,10 +2343,9 @@ msgstr "CHISQINV"
#. RAQNt
#: formula/inc/core_resource.hrc:2670
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "CHISQ.INV"
-msgstr "CHISQINV"
+msgstr "CHISQ.INV"
#. B7QQq
#: formula/inc/core_resource.hrc:2671
@@ -2478,87 +2439,85 @@ msgstr "#N/A"
#: formula/inc/core_resource.hrc:2700
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FILTERXML"
-msgstr ""
+msgstr "FILTERXML"
#. KNiFR
#: formula/inc/core_resource.hrc:2701
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "COLOR"
-msgstr ""
+msgstr "COLOR"
#. ufFAa
#: formula/inc/core_resource.hrc:2702
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "WEBSERVICE"
-msgstr ""
+msgstr "WEBSERVICE"
#. ftd3C
#: formula/inc/core_resource.hrc:2703
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ERF.PRECISE"
-msgstr ""
+msgstr "ERF.PRECISE"
#. Gz4Zt
#: formula/inc/core_resource.hrc:2704
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ERFC.PRECISE"
-msgstr ""
+msgstr "ERFC.PRECISE"
#. ywAMF
#: formula/inc/core_resource.hrc:2705
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ENCODEURL"
-msgstr ""
+msgstr "ENCODEURL"
#. kQW77
#: formula/inc/core_resource.hrc:2706
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RAWSUBTRACT"
-msgstr ""
+msgstr "RAWSUBTRACT"
#. DgyUW
#: formula/inc/core_resource.hrc:2707
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "ROUNDSIG"
-msgstr ""
+msgstr "ROUNDSIG"
#. nAvYh
#: formula/inc/core_resource.hrc:2708
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FINDB"
-msgstr "FIND"
+msgstr "FINDB"
#. 8FkJr
#: formula/inc/core_resource.hrc:2709
-#, fuzzy
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "SEARCHB"
-msgstr "SEARCH"
+msgstr "SEARCHB"
#. tNMTu
#: formula/inc/core_resource.hrc:2710
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "REGEX"
-msgstr ""
+msgstr "REGEX"
#. FWYvN
#: formula/inc/core_resource.hrc:2711
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "FOURIER"
-msgstr ""
+msgstr "FOURIER"
#. RJfcx
#: formula/inc/core_resource.hrc:2712
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RAND.NV"
-msgstr ""
+msgstr "RAND.NV"
#. uYSAT
#: formula/inc/core_resource.hrc:2713
msgctxt "RID_STRLIST_FUNCTION_NAMES"
msgid "RANDBETWEEN.NV"
-msgstr ""
+msgstr "RANDBETWEEN.NV"
#. wH3TZ
msgctxt "stock"
@@ -2573,7 +2532,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -2689,38 +2648,37 @@ msgstr "ال_تالي >"
#: formula/uiconfig/ui/formuladialog.ui:153
msgctxt "formuladialog|functiontab"
msgid "Functions"
-msgstr ""
+msgstr "الدوال"
#. 54kbd
#: formula/uiconfig/ui/formuladialog.ui:176
msgctxt "formuladialog|structtab"
msgid "Structure"
-msgstr ""
+msgstr "البنية"
#. RGrYD
#: formula/uiconfig/ui/formuladialog.ui:208
msgctxt "formuladialog|label2"
msgid "Function result:"
-msgstr ""
+msgstr "نتيجة الدالة:"
#. dN9gA
#: formula/uiconfig/ui/formuladialog.ui:356
msgctxt "formuladialog|formula"
msgid "For_mula:"
-msgstr ""
+msgstr "ال_معادلة:"
#. jvCvJ
#: formula/uiconfig/ui/formuladialog.ui:371
msgctxt "formuladialog|label1"
msgid "Result:"
-msgstr ""
+msgstr "النّتيجة:"
#. rJsXw
#: formula/uiconfig/ui/formuladialog.ui:417
-#, fuzzy
msgctxt "formuladialog|ed_formula-atkobject"
msgid "Formula"
-msgstr "ال_صيغة"
+msgstr "المعادلة"
#. Bdgot
#: formula/uiconfig/ui/formuladialog.ui:468
@@ -2732,19 +2690,19 @@ msgstr "كبّر"
#: formula/uiconfig/ui/functionpage.ui:26
msgctxt "functionpage|label_search"
msgid "_Search:"
-msgstr ""
+msgstr "ا_بحث:"
#. kBsGA
#: formula/uiconfig/ui/functionpage.ui:45
msgctxt "functionpage|extended_tip|search"
msgid "Search for a function name. Also matches function descriptions."
-msgstr ""
+msgstr "ابحث عن اسم دالة. يبحث أيضا في وصف الدوال."
#. 2vn36
#: formula/uiconfig/ui/functionpage.ui:60
msgctxt "functionpage|label1"
msgid "_Category:"
-msgstr ""
+msgstr "ال_فئة:"
#. WQC5A
#: formula/uiconfig/ui/functionpage.ui:75
@@ -2762,19 +2720,19 @@ msgstr "الكل"
#: formula/uiconfig/ui/functionpage.ui:80
msgctxt "functionpage|extended_tip|category"
msgid "Lists all the categories to which the different functions are assigned. Select a category to view the appropriate functions in the list field below."
-msgstr ""
+msgstr "يسرد كل الفئات التي تنتمي إليها الدوال المختلفة. اختر فئة لعرض الدوال التي تنتمي إليها في الحقل أدناه."
#. AZDn7
#: formula/uiconfig/ui/functionpage.ui:95
msgctxt "functionpage|label2"
msgid "_Function:"
-msgstr ""
+msgstr "ال_دالة:"
#. TSCPY
#: formula/uiconfig/ui/functionpage.ui:141
msgctxt "functionpage|extended_tip|function"
msgid "Displays the functions found under the selected category. Double-click to select a function."
-msgstr ""
+msgstr "يعرض كل الدوال التي عثر عليها في الفئة المحددة. انقر مرتين لتحديد دالة."
#. jY887
#: formula/uiconfig/ui/functionpage.ui:155
@@ -2840,10 +2798,10 @@ msgstr "حدد"
#: formula/uiconfig/ui/structpage.ui:28
msgctxt "structpage|label1"
msgid "_Structure:"
-msgstr ""
+msgstr "الب_نية:"
#. KGSPW
#: formula/uiconfig/ui/structpage.ui:77
msgctxt "structpage|extended_tip|struct"
msgid "Displays a hierarchical representation of the current function."
-msgstr ""
+msgstr "يعرض التمثيل الهيكلي للدالة الحالية."
diff --git a/source/ar/fpicker/messages.po b/source/ar/fpicker/messages.po
index d6d449f8260..1e6d2ecaa8e 100644
--- a/source/ar/fpicker/messages.po
+++ b/source/ar/fpicker/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-06-09 11:50+0200\n"
-"PO-Revision-Date: 2022-07-04 16:15+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/fpickermessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.12.2\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1538496475.000000\n"
#. SJGCw
@@ -103,7 +103,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/framework/messages.po b/source/ar/framework/messages.po
index 8ed9849f202..872e8e1873a 100644
--- a/source/ar/framework/messages.po
+++ b/source/ar/framework/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2022-07-04 16:15+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-14 18:19+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/frameworkmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1513250878.000000\n"
#. 5dTDC
@@ -36,14 +36,12 @@ msgstr "أغل~ق وارجع إلى "
#. 2AsV6
#: framework/inc/strings.hrc:27
-#, fuzzy
msgctxt "STR_TOOLBAR_VISIBLE_BUTTONS"
msgid "Visible ~Buttons"
msgstr "الأزرار ال~مرئية"
#. 342Pc
#: framework/inc/strings.hrc:28
-#, fuzzy
msgctxt "STR_TOOLBAR_CUSTOMIZE_TOOLBAR"
msgid "~Customize Toolbar..."
msgstr "~خصّص شريط الأدوات..."
@@ -56,28 +54,24 @@ msgstr "أزِل إ~رساء شريط الأدوات"
#. 7GcGg
#: framework/inc/strings.hrc:30
-#, fuzzy
msgctxt "STR_TOOLBAR_DOCK_TOOLBAR"
msgid "~Dock Toolbar"
msgstr "أر~صِف شريط الأدوات"
#. hFZqj
#: framework/inc/strings.hrc:31
-#, fuzzy
msgctxt "STR_TOOLBAR_DOCK_ALL_TOOLBARS"
msgid "Dock ~All Toolbars"
msgstr "أرصِف ~كلّ أشرطة الأدوات"
#. xUzeo
#: framework/inc/strings.hrc:32
-#, fuzzy
msgctxt "STR_TOOLBAR_LOCK_TOOLBAR"
msgid "~Lock Toolbar Position"
msgstr "أوصِ~د شريط الأدوات"
#. a9XNN
#: framework/inc/strings.hrc:33
-#, fuzzy
msgctxt "STR_TOOLBAR_CLOSE_TOOLBAR"
msgid "Close ~Toolbar"
msgstr "أ~غلق شريط الأدوات"
@@ -116,7 +110,7 @@ msgstr " (بعيد)"
#: framework/inc/strings.hrc:39
msgctxt "STR_EMDASH_SEPARATOR"
msgid " — "
-msgstr ""
+msgstr " ‏ — "
#. JFH6k
#: framework/inc/strings.hrc:40
@@ -275,43 +269,43 @@ msgstr "حقل تاريخ"
#: framework/inc/strings.hrc:63
msgctxt "RID_STR_PROPTITLE_TIMEFIELD"
msgid "Time Field"
-msgstr ""
+msgstr "حقل وقت"
#. DWfsm
#: framework/inc/strings.hrc:64
msgctxt "RID_STR_PROPTITLE_NUMERICFIELD"
msgid "Numeric Field"
-msgstr ""
+msgstr "قل عددي"
#. TYjnr
#: framework/inc/strings.hrc:65
msgctxt "RID_STR_PROPTITLE_CURRENCYFIELD"
msgid "Currency Field"
-msgstr ""
+msgstr "حقل عملة"
#. B6MEP
#: framework/inc/strings.hrc:66
msgctxt "RID_STR_PROPTITLE_PATTERNFIELD"
msgid "Pattern Field"
-msgstr ""
+msgstr "حقل نمط"
#. DEn9D
#: framework/inc/strings.hrc:67
msgctxt "RID_STR_PROPTITLE_FORMATTED"
msgid "Formatted Field"
-msgstr ""
+msgstr "حقل مُنسَّق"
#. V4iMu
#: framework/inc/strings.hrc:69
msgctxt "RID_STR_PROPTITLE_PUSHBUTTON"
msgid "Push Button"
-msgstr ""
+msgstr "زر ضغط"
#. TreFC
#: framework/inc/strings.hrc:70
msgctxt "RID_STR_PROPTITLE_RADIOBUTTON"
msgid "Option Button"
-msgstr ""
+msgstr "زر خيار"
#. NFysA
#: framework/inc/strings.hrc:71
@@ -323,7 +317,7 @@ msgstr "حقل لصيقة"
#: framework/inc/strings.hrc:72
msgctxt "RID_STR_PROPTITLE_GROUPBOX"
msgid "Group Box"
-msgstr ""
+msgstr "مربع مجموعة"
#. 5474w
#: framework/inc/strings.hrc:73
@@ -341,25 +335,25 @@ msgstr "التحكم بالصورة"
#: framework/inc/strings.hrc:75
msgctxt "RID_STR_PROPTITLE_FILECONTROL"
msgid "File Selection"
-msgstr ""
+msgstr "تحديد الملف"
#. 3SUEn
#: framework/inc/strings.hrc:76
msgctxt "RID_STR_PROPTITLE_SCROLLBAR"
msgid "Scrollbar"
-msgstr ""
+msgstr "شريط تمرير"
#. VtEN6
#: framework/inc/strings.hrc:77
msgctxt "RID_STR_PROPTITLE_SPINBUTTON"
msgid "Spin Button"
-msgstr ""
+msgstr "زر تدوير"
#. eGgm4
#: framework/inc/strings.hrc:78
msgctxt "RID_STR_PROPTITLE_NAVBAR"
msgid "Navigation Bar"
-msgstr ""
+msgstr "شريط ملاحة"
#. wH3TZ
msgctxt "stock"
@@ -374,7 +368,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/nlpsolver/help/en/com.sun.star.comp.Calc.NLPSolver.po b/source/ar/nlpsolver/help/en/com.sun.star.comp.Calc.NLPSolver.po
index f2859aaf11a..1fc8f1af7df 100644
--- a/source/ar/nlpsolver/help/en/com.sun.star.comp.Calc.NLPSolver.po
+++ b/source/ar/nlpsolver/help/en/com.sun.star.comp.Calc.NLPSolver.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-07-06 20:19+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-09 22:34+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/nlpsolverhelpencomsunstarcompcalcnlpsolver/ar/>\n"
"Language: ar\n"
@@ -437,7 +437,7 @@ msgctxt ""
"par_id0603200910430873\n"
"help.text"
msgid "Bounds are specified by selecting one or more variables (as range) on the left side and entering a numerical value (not a cell or a formula) on the right side. That way you can also choose one or more variables to be <emph>Integer</emph> or <emph>Binary</emph> only."
-msgstr "التكبيلات تُحدَّد بتحديد متغير أو أكثر (كمجال) من الجانب الأيسر وإدخال قيمة رقمية (ليس خلية أو صيغة) في الجانب الأيمن. بهذه الطريقة يمكنك اختيار متغير أو أكثر ليصبح <emph>عدد صحيح</emph> أو <emph>ثنائي</emph> فقط."
+msgstr "التكبيلات تُحدَّد بتحديد متغير أو أكثر (كمجال) من الجانب الأيسر وإدخال قيمة رقمية (ليس خلية أو معادلة) في الجانب الأيمن. بهذه الطريقة يمكنك اختيار متغير أو أكثر ليصبح <emph>عدد صحيح</emph> أو <emph>ثنائي</emph> فقط."
#. 4SEEA
#: help.tree
diff --git a/source/ar/officecfg/registry/data/org/openoffice/Office.po b/source/ar/officecfg/registry/data/org/openoffice/Office.po
index d0783077c92..1878b910854 100644
--- a/source/ar/officecfg/registry/data/org/openoffice/Office.po
+++ b/source/ar/officecfg/registry/data/org/openoffice/Office.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:28+0200\n"
-"PO-Revision-Date: 2022-07-04 16:15+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-09 22:34+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/officecfgregistrydataorgopenofficeoffice/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022440.000000\n"
#. HhMVS
@@ -764,7 +764,7 @@ msgctxt ""
"ObjectUIName\n"
"value.text"
msgid "%PRODUCTNAME %PRODUCTVERSION Formula"
-msgstr "صيغة %PRODUCTNAME %PRODUCTVERSION"
+msgstr "معادلة %PRODUCTNAME %PRODUCTVERSION"
#. 8YBGM
#: Embedding.xcu
diff --git a/source/ar/officecfg/registry/data/org/openoffice/Office/UI.po b/source/ar/officecfg/registry/data/org/openoffice/Office/UI.po
index fd8235971bb..3ab16a7d587 100644
--- a/source/ar/officecfg/registry/data/org/openoffice/Office/UI.po
+++ b/source/ar/officecfg/registry/data/org/openoffice/Office/UI.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-06-19 12:46+0200\n"
-"PO-Revision-Date: 2023-06-26 14:05+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/officecfgregistrydataorgopenofficeofficeui/ar/>\n"
"Language: ar\n"
@@ -454,7 +454,7 @@ msgctxt ""
"TooltipLabel\n"
"value.text"
msgid "Insert Formula Object"
-msgstr "أدرِج كائن صيغة"
+msgstr "أدرِج كائن معادلة"
#. K5x3E
#: CalcCommands.xcu
@@ -1274,7 +1274,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "~Go to Sheet..."
-msgstr ""
+msgstr "ا~نتقل إلى ورقة..."
#. 79aNB
#: CalcCommands.xcu
@@ -2394,7 +2394,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "~Formula Bar"
-msgstr "ش~ريط الصيغ"
+msgstr "ش~ريط المعادلات"
#. b7GVW
#: CalcCommands.xcu
@@ -4294,7 +4294,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Formula to Value"
-msgstr "صيغة للقيمة"
+msgstr "معادلة للقيمة"
#. u5Hxi
#: CalcCommands.xcu
@@ -4514,7 +4514,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Show Formula"
-msgstr "إظهار الصيغة"
+msgstr "إظهار المعادلة"
#. BHNBd
#: CalcCommands.xcu
@@ -4614,7 +4614,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Paste Only Formula"
-msgstr "ألصق الصيغة فقط"
+msgstr "ألصق المعادلة فقط"
#. BXhXV
#: CalcCommands.xcu
@@ -5244,7 +5244,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Formula Bar"
-msgstr "شريط الصيغة"
+msgstr "شريط المعادلة"
#. 4KM2t
#: CalcWindowState.xcu
@@ -18551,7 +18551,7 @@ msgctxt ""
"TooltipLabel\n"
"value.text"
msgid "Find text in values, to search in formulas use the dialog"
-msgstr "جد النص في قيم، لتبحث في صيغ استخدم الحوار"
+msgstr "جد النص في قيم، لتبحث في معادلات استخدم الحوار"
#. NCRsb
#: GenericCommands.xcu
@@ -21153,7 +21153,7 @@ msgctxt ""
"TooltipLabel\n"
"value.text"
msgid "Insert Formula Object"
-msgstr "أدرِج كائن صيغة"
+msgstr "أدرِج كائن معادلة"
#. 2ykCZ
#: GenericCommands.xcu
@@ -23234,7 +23234,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Formula Options"
-msgstr "خيارات الصيغ"
+msgstr "خيارات المعادلات"
#. cQUpM
#: GenericCommands.xcu
@@ -28211,7 +28211,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "~Import Formula..."
-msgstr "ا~ستيراد صيغة..."
+msgstr "ا~ستيراد معادلة..."
#. PqBP6
#: MathCommands.xcu
@@ -28381,7 +28381,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Formula Cursor"
-msgstr "مؤشر الصيغة"
+msgstr "مؤشر المعادلة"
#. uNnM4
#: MathCommands.xcu
@@ -31791,7 +31791,7 @@ msgctxt ""
"TooltipLabel\n"
"value.text"
msgid "Insert Formula Object"
-msgstr "أدرِج كائن صيغة"
+msgstr "أدرِج كائن معادلة"
#. 4tQrL
#: WriterCommands.xcu
@@ -33501,7 +33501,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Edit Fo~rmula"
-msgstr "حرّر ال~صيغة"
+msgstr "حرّر ال~معادلة"
#. iABvA
#: WriterCommands.xcu
@@ -33511,7 +33511,7 @@ msgctxt ""
"TooltipLabel\n"
"value.text"
msgid "Insert or Edit Formula"
-msgstr "أدرِج أو حرّر صيغة"
+msgstr "أدرِج أو حرّر معادلة"
#. DGAud
#: WriterCommands.xcu
@@ -34941,7 +34941,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Go to next table formula"
-msgstr "اذهب إلى صيغة الجدول التالية"
+msgstr "اذهب إلى معادلة الجدول التالية"
#. EcSGG
#: WriterCommands.xcu
@@ -34951,7 +34951,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Go to previous table formula"
-msgstr "اذهب الى صيغة الجدول السابقة"
+msgstr "اذهب الى معادلة الجدول السابقة"
#. L98F7
#: WriterCommands.xcu
@@ -34961,7 +34961,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Go to next faulty table formula"
-msgstr "اذهب إلى صيغة الجدول الخاطئة التالية"
+msgstr "اذهب إلى معادلة الجدول الخاطئة التالية"
#. 27XxB
#: WriterCommands.xcu
@@ -34971,7 +34971,7 @@ msgctxt ""
"Label\n"
"value.text"
msgid "Go to previous faulty table formula"
-msgstr "اذهب إلى صيغة الجدول الخاطئة السابقة"
+msgstr "اذهب إلى معادلة الجدول الخاطئة السابقة"
#. KxPWA
#: WriterCommands.xcu
diff --git a/source/ar/oox/messages.po b/source/ar/oox/messages.po
index 3925a2be827..d6f8dfc0ccc 100644
--- a/source/ar/oox/messages.po
+++ b/source/ar/oox/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-07-04 18:05+0200\n"
-"PO-Revision-Date: 2021-03-06 20:37+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/ooxmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. C5e9E
#: oox/inc/strings.hrc:15
@@ -46,7 +46,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/reportdesign/messages.po b/source/ar/reportdesign/messages.po
index 058437eb4ce..484406980f3 100644
--- a/source/ar/reportdesign/messages.po
+++ b/source/ar/reportdesign/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-01-31 18:20+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/reportdesignmessages/ar/>\n"
"Language: ar\n"
@@ -185,7 +185,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -409,7 +409,7 @@ msgstr "احفظ كرابط"
#: reportdesign/inc/strings.hrc:53
msgctxt "RID_STR_FORMULA"
msgid "Formula"
-msgstr "الصيغة"
+msgstr "المعادلة"
#. t22cv
#: reportdesign/inc/strings.hrc:54
diff --git a/source/ar/sc/messages.po b/source/ar/sc/messages.po
index 8cc4ba85295..bb2cb283a29 100644
--- a/source/ar/sc/messages.po
+++ b/source/ar/sc/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:20+0200\n"
-"PO-Revision-Date: 2023-06-26 14:05+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/scmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022445.000000\n"
#. kBovX
@@ -95,7 +95,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -559,7 +559,7 @@ msgstr "إدراج ارتباط"
#: sc/inc/globstr.hrc:102
msgctxt "STR_UNDO_ENTERMATRIX"
msgid "Insert Array Formula"
-msgstr "إدراج صيغة مصفوفة"
+msgstr "إدراج معادلة مصفوفة"
#. CUCCD
#: sc/inc/globstr.hrc:103
@@ -1422,7 +1422,7 @@ msgstr "خطأ: المتغير مفقود"
#: sc/inc/globstr.hrc:251
msgctxt "STR_LONG_ERR_CODE_OVF"
msgid "Error: Formula overflow"
-msgstr "خطأ: تجاوز الصيغة"
+msgstr "خطأ: تجاوز المعادلة"
#. zRh8E
#: sc/inc/globstr.hrc:252
@@ -1519,7 +1519,7 @@ msgstr "الحماية"
#: sc/inc/globstr.hrc:268
msgctxt "STR_FORMULAS"
msgid "Formulas"
-msgstr "الصيغ"
+msgstr "المعادلات"
#. FHNAK
#: sc/inc/globstr.hrc:269
@@ -1962,7 +1962,7 @@ msgstr "رؤوس الصفوف والأعمدة"
#: sc/inc/globstr.hrc:341
msgctxt "STR_SCATTR_PAGE_FORMULAS"
msgid "Formulas"
-msgstr "الصيغ"
+msgstr "المعادلات"
#. sdJqo
#: sc/inc/globstr.hrc:342
@@ -2829,7 +2829,7 @@ msgstr "هو تكرار"
#: sc/inc/globstr.hrc:474
msgctxt "STR_COND_FORMULA"
msgid "Formula is"
-msgstr "الصيغة هي"
+msgstr "المعادلة هي"
#. KRFLk
#: sc/inc/globstr.hrc:475
@@ -3031,9 +3031,9 @@ msgid ""
"\n"
"Do you want to recalculate all formula cells in this document now?"
msgstr ""
-"المستند حُفِظ آخر مرة ببرنامج غير %PRODUCTNAME. قد تُنتِج بعض خلايا الصيغ قيم مختلفة عند إعادة الحساب.\n"
+"المستند حُفِظ آخر مرة ببرنامج غير %PRODUCTNAME. قد تُنتِج بعض خلايا المعادلات قيم مختلفة عند إعادة الحساب.\n"
"\n"
-"هل تود إعادة حساب كل خلايا الصيغ في هذا المستند الآن؟"
+"هل تود إعادة حساب كل خلايا المعادلات في هذا المستند الآن؟"
#. rD6BE
#: sc/inc/globstr.hrc:507
@@ -3108,7 +3108,7 @@ msgstr "اسم غير معرف لخلية متغيرة."
#: sc/inc/globstr.hrc:518
msgctxt "STR_INVALIDFORM"
msgid "Undefined name as formula cell."
-msgstr "اسم غير معرف لخلية صيغة."
+msgstr "اسم غير معرف لخلية معادلة."
#. F2Piu
#: sc/inc/globstr.hrc:519
@@ -6321,7 +6321,7 @@ msgstr "القيمة المراد اختبارها."
#: sc/inc/scfuncs.hrc:797
msgctxt "SC_OPCODE_IS_FORMULA"
msgid "Returns TRUE if the cell is a formula cell."
-msgstr "إرجاع القيمة TRUE إذا كانت الخلية خلية صيغة."
+msgstr "إرجاع القيمة TRUE إذا كانت الخلية خلية معادلة."
#. PnGFr
#: sc/inc/scfuncs.hrc:798
@@ -6340,7 +6340,7 @@ msgstr "القيمة المراد اختبارها."
#: sc/inc/scfuncs.hrc:805
msgctxt "SC_OPCODE_FORMULA"
msgid "Returns the formula of a formula cell."
-msgstr "إرجاع الصيغة لخلية تحتوي على صيغة."
+msgstr "إرجاع المعادلة لخلية تحتوي على معادلة."
#. 8ZmRa
#: sc/inc/scfuncs.hrc:806
@@ -6352,7 +6352,7 @@ msgstr "المرجع"
#: sc/inc/scfuncs.hrc:807
msgctxt "SC_OPCODE_FORMULA"
msgid "The formula cell."
-msgstr "خلية الصيغة."
+msgstr "خلية المعادلة."
#. yKm8E
#: sc/inc/scfuncs.hrc:813
@@ -6431,7 +6431,7 @@ msgstr "موضع الخلية التي تريد أن تختبرها."
#: sc/inc/scfuncs.hrc:845
msgctxt "SC_OPCODE_CURRENT"
msgid "Calculates the current value of the formula at the present location."
-msgstr "يحسب القيمة الحالية للصيغة في الموضع الحالي."
+msgstr "يحسب القيمة الحالية للمعادلة في الموضع الحالي."
#. yQMAM
#: sc/inc/scfuncs.hrc:851
@@ -14681,7 +14681,7 @@ msgstr ""
#: sc/inc/scfuncs.hrc:3463
msgctxt "SC_OPCODE_STYLE"
msgid "Applies a Style to the formula cell."
-msgstr "يطبّق طرازًا تنسيق على خلية الصيغة."
+msgstr "يطبّق طرازًا تنسيق على خلية المعادلة."
#. NQuDE
#: sc/inc/scfuncs.hrc:3464
@@ -14933,7 +14933,7 @@ msgstr "القيمة"
#: sc/inc/scfuncs.hrc:3545
msgctxt "SC_OPCODE_CURRENCY"
msgid "Value is a number, a reference to a cell containing a number or a formula that results in a number."
-msgstr "القيمة هي رقم، أو مرجع إلى خلية بها رقم، أو صيغة تنتج رقمًا."
+msgstr "القيمة هي رقم، أو مرجع إلى خلية بها رقم، أو معادلة تنتج رقمًا."
#. oCD4X
#: sc/inc/scfuncs.hrc:3546
@@ -17456,7 +17456,7 @@ msgstr "الضغط على زر الفأرة"
#: sc/inc/strings.hrc:112
msgctxt "STR_ACC_TOOLBAR_FORMULA"
msgid "Formula Tool Bar"
-msgstr "شريط أدوات الصيغة"
+msgstr "شريط أدوات المعادلة"
#. nAcNZ
#: sc/inc/strings.hrc:113
@@ -17910,7 +17910,7 @@ msgstr "وسّع شريط المعادلة"
#: sc/inc/strings.hrc:190
msgctxt "SCSTR_QHELP_COLLAPSE_FORMULA"
msgid "Collapse Formula Bar"
-msgstr "طي شريط الصيغة"
+msgstr "طي شريط المعادلة"
#. nSD8r
#: sc/inc/strings.hrc:192
@@ -19726,7 +19726,7 @@ msgstr ""
#: sc/uiconfig/scalc/ui/cellprotectionpage.ui:54
msgctxt "cellprotectionpage|checkHideFormula"
msgid "Hide _formula"
-msgstr "أخفِ ال_صيغة"
+msgstr "أخفِ ال_معادلة"
#. jCAZ4
#: sc/uiconfig/scalc/ui/cellprotectionpage.ui:64
@@ -20501,7 +20501,7 @@ msgstr "قيمة الخلية"
#: sc/uiconfig/scalc/ui/conditionalentry.ui:472
msgctxt "conditionalentry|type"
msgid "Formula is"
-msgstr "الصيغة هي"
+msgstr "المعادلة هي"
#. BWDxf
#: sc/uiconfig/scalc/ui/conditionalentry.ui:473
@@ -23986,7 +23986,7 @@ msgstr "يحفظ كل التغييرات ويغلق الحوار."
#, fuzzy
msgctxt "goalseekdlg|formulatext"
msgid "_Formula cell:"
-msgstr "خلية _صيغة"
+msgstr "خلية _معادلة"
#. t8oEF
#: sc/uiconfig/scalc/ui/goalseekdlg.ui:118
@@ -33031,7 +33031,7 @@ msgstr "ت_مييز القيم"
#: sc/uiconfig/scalc/ui/tpviewpage.ui:105
msgctxt "extended_tip|value"
msgid "Mark the Value highlighting box to show the cell contents in different colors, depending on type. Text cells are formatted in black, formulas in green, number cells in blue, and protected cells are shown with light grey background, no matter how their display is formatted."
-msgstr "أشّر مربع تمييز القيمة لإظهار محتويات الخلايا بألوان مختلفة، استنادا إلى النوع. تُنسَّق خلايا النص بالأسود والصيغ بالأخضر وخلايا الأرقام بالأزرق وتظهر الخلايا المحمية بخلفية رمادية فاتحة بغضّ النظر عن تنسيق عَرضها."
+msgstr "أشّر مربع تمييز القيمة لإظهار محتويات الخلايا بألوان مختلفة، استنادا إلى النوع. تُنسَّق خلايا النص بالأسود والمعادلات بالأخضر وخلايا الأرقام بالأزرق وتظهر الخلايا المحمية بخلفية رمادية فاتحة بغضّ النظر عن تنسيق عَرضها."
#. ah84V
#: sc/uiconfig/scalc/ui/tpviewpage.ui:116
@@ -33701,7 +33701,7 @@ msgstr ""
#: sc/uiconfig/scalc/ui/warnautocorrect.ui:13
msgctxt "warnautocorrect|WarnAutoCorrect"
msgid "%PRODUCTNAME Calc found an error in the formula entered."
-msgstr "عثر %PRODUCTNAME كالك على خطأ في الصيغة المُدخَلة."
+msgstr "عثر %PRODUCTNAME كالك على خطأ في المعادلة المُدخَلة."
#. 7BDGp
#: sc/uiconfig/scalc/ui/warnautocorrect.ui:14
diff --git a/source/ar/scaddins/messages.po b/source/ar/scaddins/messages.po
index 0288e3a4007..836dabbe7cf 100644
--- a/source/ar/scaddins/messages.po
+++ b/source/ar/scaddins/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-11-14 14:36+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/scaddinsmessages/ar/>\n"
"Language: ar\n"
@@ -20,7 +20,7 @@ msgstr ""
#: scaddins/inc/analysis.hrc:28
msgctxt "ANALYSIS_Workday"
msgid "Returns the serial number of the date before or after a specified number of workdays"
-msgstr "إرجاع العدد التسلسلي لتاريخ بعد أو قبل العدد المحدد لأيام العمل"
+msgstr "إرجاع العدد التسلسلي لتاريخ قبل أو بعد العدد المحدد لأيام العمل"
#. 752Ac
#: scaddins/inc/analysis.hrc:29
@@ -98,7 +98,7 @@ msgstr "أساس"
#: scaddins/inc/analysis.hrc:45
msgctxt "ANALYSIS_Yearfrac"
msgid "Basis indicates the day-count convention to use in the calculation"
-msgstr ""
+msgstr "يشير الأساس إلى اصطلاح جرد الأيام لاستخدامه في الحساب"
#. HzGC3
#: scaddins/inc/analysis.hrc:50
@@ -4072,7 +4072,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/sccomp/messages.po b/source/ar/sccomp/messages.po
index 107eeab0b7e..e5fa1fbabf8 100644
--- a/source/ar/sccomp/messages.po
+++ b/source/ar/sccomp/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-03-29 16:03+0200\n"
-"PO-Revision-Date: 2021-03-06 20:37+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/sccompmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1511366208.000000\n"
#. whDxm
@@ -113,7 +113,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/scp2/source/math.po b/source/ar/scp2/source/math.po
index 498781e249d..82318ad20ce 100644
--- a/source/ar/scp2/source/math.po
+++ b/source/ar/scp2/source/math.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2019-07-11 18:38+0200\n"
-"PO-Revision-Date: 2023-06-26 14:05+0000\n"
+"PO-Revision-Date: 2023-08-09 22:34+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/scp2sourcemath/ar/>\n"
"Language: ar\n"
@@ -23,7 +23,7 @@ msgctxt ""
"STR_FI_TOOLTIP_MATH\n"
"LngText.text"
msgid "Create and edit scientific formulas and equations by using Math."
-msgstr "إنشاء الصيغ العلمية و المعادلات و تحريرها باستخدام ماث."
+msgstr "إنشاء المعادلات وتحريرها باستخدام ماث."
#. GhCeF
#: module_math.ulf
@@ -41,7 +41,7 @@ msgctxt ""
"STR_DESC_MODULE_PRG_MATH\n"
"LngText.text"
msgid "Create and edit scientific formulas and equations by using %PRODUCTNAME Math."
-msgstr "إنشاء الصيغ العلمية والمعادلات وتحريرها باستخدام %PRODUCTNAME ماث."
+msgstr "إنشاء المعادلات وتحريرها باستخدام %PRODUCTNAME ماث."
#. BUC7Z
#: module_math.ulf
@@ -95,7 +95,7 @@ msgctxt ""
"STR_REG_VAL_SO60_FORMULA\n"
"LngText.text"
msgid "%SXWFORMATNAME %SXWFORMATVERSION Formula"
-msgstr "صيغة %SXWFORMATNAME %SXWFORMATVERSION"
+msgstr "معادلة %SXWFORMATNAME %SXWFORMATVERSION"
#. 6XiB5
#: registryitem_math.ulf
@@ -104,4 +104,4 @@ msgctxt ""
"STR_REG_VAL_OO_FORMULA\n"
"LngText.text"
msgid "OpenDocument Formula"
-msgstr "صيغة OpenDocument"
+msgstr "معادلة OpenDocument"
diff --git a/source/ar/sd/messages.po b/source/ar/sd/messages.po
index 9d42de0d946..11fca068292 100644
--- a/source/ar/sd/messages.po
+++ b/source/ar/sd/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:29+0200\n"
-"PO-Revision-Date: 2023-06-26 14:05+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/sdmessages/ar/>\n"
"Language: ar\n"
@@ -227,7 +227,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/sfx2/messages.po b/source/ar/sfx2/messages.po
index 3eaa372a88f..b890d82f16f 100644
--- a/source/ar/sfx2/messages.po
+++ b/source/ar/sfx2/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-17 15:14+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/sfx2messages/ar/>\n"
"Language: ar\n"
@@ -2050,7 +2050,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -4790,7 +4790,7 @@ msgstr "رسمة _درو"
#: sfx2/uiconfig/ui/startcenter.ui:321
msgctxt "startcenter|math_all"
msgid "_Math Formula"
-msgstr "صيغة ما_ث"
+msgstr "معادلة ما_ث"
#. nnwDC
#: sfx2/uiconfig/ui/startcenter.ui:341
diff --git a/source/ar/shell/messages.po b/source/ar/shell/messages.po
index 70e2a52150d..3b5fabbe880 100644
--- a/source/ar/shell/messages.po
+++ b/source/ar/shell/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-19 13:14+0100\n"
-"PO-Revision-Date: 2022-03-12 17:25+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/shellmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.8.1\n"
+"X-Generator: Weblate 4.15.2\n"
#. 9taro
#: shell/inc/spsupp/spsuppStrings.hrc:15
@@ -68,7 +68,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/starmath/messages.po b/source/ar/starmath/messages.po
index f4fc6e31ecb..fc08c2b8008 100644
--- a/source/ar/starmath/messages.po
+++ b/source/ar/starmath/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-10-10 13:36+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-14 18:19+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/starmathmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.15.2\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1525785875.000000\n"
#. GrDhX
@@ -32,289 +32,289 @@ msgstr "خاص"
#: starmath/inc/smmod.hrc:24
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "alpha"
-msgstr "ألفا"
+msgstr "alpha"
#. rhVhw
#: starmath/inc/smmod.hrc:25
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "ALPHA"
-msgstr "ألفا_ك"
+msgstr "ALPHA"
#. U3CqD
#: starmath/inc/smmod.hrc:26
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "beta"
-msgstr "بيتا"
+msgstr "beta"
#. pEoCL
#: starmath/inc/smmod.hrc:27
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "BETA"
-msgstr "بيتا_ك"
+msgstr "BETA"
#. D2jkQ
#: starmath/inc/smmod.hrc:28
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "gamma"
-msgstr "جاما"
+msgstr "gamma"
#. 4Cw8A
#: starmath/inc/smmod.hrc:29
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "GAMMA"
-msgstr "جاما_ك"
+msgstr "GAMMA"
#. uMmke
#: starmath/inc/smmod.hrc:30
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "delta"
-msgstr "دلتا"
+msgstr "delta"
#. dBy8u
#: starmath/inc/smmod.hrc:31
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "DELTA"
-msgstr "دلتا_ك"
+msgstr "DELTA"
#. CrJqB
#: starmath/inc/smmod.hrc:32
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "epsilon"
-msgstr "إبسلون"
+msgstr "epsilon"
#. jSZ7F
#: starmath/inc/smmod.hrc:33
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "EPSILON"
-msgstr "إبسلون_ك"
+msgstr "EPSILON"
#. kRvNs
#: starmath/inc/smmod.hrc:34
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "zeta"
-msgstr "زيتا"
+msgstr "zeta"
#. YA3sh
#: starmath/inc/smmod.hrc:35
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "ZETA"
-msgstr "زيتا_ك"
+msgstr "ZETA"
#. kEWFU
#: starmath/inc/smmod.hrc:36
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "eta"
-msgstr "إيتا"
+msgstr "eta"
#. r8ivE
#: starmath/inc/smmod.hrc:37
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "ETA"
-msgstr "إيتا_ك"
+msgstr "ETA"
#. CaW5B
#: starmath/inc/smmod.hrc:38
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "theta"
-msgstr "ثيتا"
+msgstr "theta"
#. MUaj7
#: starmath/inc/smmod.hrc:39
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "THETA"
-msgstr "ثيتا_ك"
+msgstr "THETA"
#. FAdCp
#: starmath/inc/smmod.hrc:40
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "iota"
-msgstr "أوتا"
+msgstr "iota"
#. 2RFqS
#: starmath/inc/smmod.hrc:41
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "IOTA"
-msgstr "أوتا_ك"
+msgstr "IOTA"
#. E6LBi
#: starmath/inc/smmod.hrc:42
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "kappa"
-msgstr "كيبا"
+msgstr "kappa"
#. PGGyZ
#: starmath/inc/smmod.hrc:43
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "KAPPA"
-msgstr "كيبا_ك"
+msgstr "KAPPA"
#. QhGid
#: starmath/inc/smmod.hrc:44
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "lambda"
-msgstr "لامدا"
+msgstr "lambda"
#. JBLgu
#: starmath/inc/smmod.hrc:45
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "LAMBDA"
-msgstr "لامدا_ك"
+msgstr "LAMBDA"
#. AkyEU
#: starmath/inc/smmod.hrc:46
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "mu"
-msgstr "مو"
+msgstr "mu"
#. t4RFD
#: starmath/inc/smmod.hrc:47
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "MU"
-msgstr "مو_ك"
+msgstr "MU"
#. DwBRA
#: starmath/inc/smmod.hrc:48
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "nu"
-msgstr "نو"
+msgstr "nu"
#. sDc6Z
#: starmath/inc/smmod.hrc:49
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "NU"
-msgstr "نو_ك"
+msgstr "NU"
#. dMns2
#: starmath/inc/smmod.hrc:50
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "xi"
-msgstr "زاي"
+msgstr "xi"
#. 2cEVh
#: starmath/inc/smmod.hrc:51
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "XI"
-msgstr "زاي_ك"
+msgstr "XI"
#. PWUDK
#: starmath/inc/smmod.hrc:52
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "omicron"
-msgstr "أوميكرون"
+msgstr "omicron"
#. ZvPw7
#: starmath/inc/smmod.hrc:53
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "OMICRON"
-msgstr "أوميكرون_ك"
+msgstr "OMICRON"
#. VmDhA
#: starmath/inc/smmod.hrc:54
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "pi"
-msgstr "باي"
+msgstr "pi"
#. A3eoZ
#: starmath/inc/smmod.hrc:55
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "PI"
-msgstr "باي_ك"
+msgstr "PI"
#. Pu9vL
#: starmath/inc/smmod.hrc:56
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "rho"
-msgstr "رو"
+msgstr "rho"
#. HjNFe
#: starmath/inc/smmod.hrc:57
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "RHO"
-msgstr "رو_ك"
+msgstr "RHO"
#. 9Aa3V
#: starmath/inc/smmod.hrc:58
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "sigma"
-msgstr "سيجما"
+msgstr "sigma"
#. JLWqn
#: starmath/inc/smmod.hrc:59
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "SIGMA"
-msgstr "سيجما_ك"
+msgstr "SIGMA"
#. NTuqk
#: starmath/inc/smmod.hrc:60
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "tau"
-msgstr "تاو"
+msgstr "tau"
#. GdhQ5
#: starmath/inc/smmod.hrc:61
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "TAU"
-msgstr "تاو_ك"
+msgstr "TAU"
#. 6djSp
#: starmath/inc/smmod.hrc:62
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "upsilon"
-msgstr "أبسيلون"
+msgstr "upsilon"
#. ymFBb
#: starmath/inc/smmod.hrc:63
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "UPSILON"
-msgstr "أبسيلون_ك"
+msgstr "UPSILON"
#. YxRXi
#: starmath/inc/smmod.hrc:64
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "phi"
-msgstr "فاي"
+msgstr "phi"
#. enCD7
#: starmath/inc/smmod.hrc:65
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "PHI"
-msgstr "فاي_ك"
+msgstr "PHI"
#. GcQPF
#: starmath/inc/smmod.hrc:66
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "chi"
-msgstr "خاي"
+msgstr "chi"
#. 6SBnr
#: starmath/inc/smmod.hrc:67
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "CHI"
-msgstr "خاي_ك"
+msgstr "CHI"
#. NAmaK
#: starmath/inc/smmod.hrc:68
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "psi"
-msgstr "بسي"
+msgstr "psi"
#. GLZ2h
#: starmath/inc/smmod.hrc:69
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "PSI"
-msgstr "بسي_ك"
+msgstr "PSI"
#. JEF5A
#: starmath/inc/smmod.hrc:70
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "omega"
-msgstr "أوميغا"
+msgstr "omega"
#. 9QKj8
#: starmath/inc/smmod.hrc:71
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "OMEGA"
-msgstr "أوميغا_ك"
+msgstr "OMEGA"
#. YQGDY
#: starmath/inc/smmod.hrc:72
@@ -362,7 +362,7 @@ msgstr "عنصر"
#: starmath/inc/smmod.hrc:79
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "noelement"
-msgstr "noelement"
+msgstr "لاعنصر"
#. nDkSp
#: starmath/inc/smmod.hrc:80
@@ -380,7 +380,7 @@ msgstr "strictlygreaterthan"
#: starmath/inc/smmod.hrc:82
msgctxt "RID_UI_SYMBOL_NAMES"
msgid "notequal"
-msgstr "notequal"
+msgstr "لايساوي"
#. 6UYC3
#: starmath/inc/smmod.hrc:83
@@ -437,7 +437,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -782,7 +782,7 @@ msgstr "الاختلاف"
#: starmath/inc/strings.hrc:80
msgctxt "RID_XSETQUOTIENTY_HELP"
msgid "Quotient Set"
-msgstr ""
+msgstr "مجموعة حاصل القسمة"
#. ToVZV
#: starmath/inc/strings.hrc:81
@@ -836,7 +836,7 @@ msgstr "ليس مجموعة فائقة أو يساوي"
#: starmath/inc/strings.hrc:89
msgctxt "RID_FUNCX_HELP"
msgid "General function"
-msgstr ""
+msgstr "دالة عامة"
#. AcgYW
#: starmath/inc/strings.hrc:90
@@ -846,10 +846,9 @@ msgstr "قيمة مطلقة"
#. rFEx7
#: starmath/inc/strings.hrc:91
-#, fuzzy
msgctxt "RID_FACTX_HELP"
msgid "Factorial"
-msgstr "Factorial"
+msgstr "مضروب"
#. Cj4hL
#: starmath/inc/strings.hrc:92
@@ -961,49 +960,45 @@ msgstr "ظل تمام الزائد"
#. afq2C
#: starmath/inc/strings.hrc:110
-#, fuzzy
msgctxt "RID_ARSINHX_HELP"
msgid "Area Hyperbolic Sine"
-msgstr "جيب الزائد"
+msgstr "قوس جيب الزائد"
#. bYkRi
#: starmath/inc/strings.hrc:111
-#, fuzzy
msgctxt "RID_ARCOSHX_HELP"
msgid "Area Hyperbolic Cosine"
-msgstr "جيب التمام الزائد"
+msgstr "قوس جيب التمام الزائد"
#. acsCE
#: starmath/inc/strings.hrc:112
-#, fuzzy
msgctxt "RID_ARTANHX_HELP"
msgid "Area Hyperbolic Tangent"
-msgstr "ظل الزائد"
+msgstr "قوس ظل الزائد"
#. v9ccB
#: starmath/inc/strings.hrc:113
-#, fuzzy
msgctxt "RID_ARCOTHX_HELP"
msgid "Area Hyperbolic Cotangent"
-msgstr "ظل تمام الزائد"
+msgstr "قوس ظل تمام الزائد"
#. G2RAG
#: starmath/inc/strings.hrc:114
msgctxt "RID_OPERX_HELP"
msgid "General operator"
-msgstr ""
+msgstr "معامل عام"
#. EZ2X2
#: starmath/inc/strings.hrc:115
msgctxt "RID_OPER_FROMX_HELP"
msgid "General operator Subscript Bottom"
-msgstr ""
+msgstr "أسفل منخفض المعامل العام"
#. HaUqv
#: starmath/inc/strings.hrc:116
msgctxt "RID_OPER_TOX_HELP"
msgid "General operator Superscript Top"
-msgstr ""
+msgstr "قمة مرتفع المعامل العام"
#. Pch4L
#: starmath/inc/strings.hrc:117
@@ -2721,7 +2716,7 @@ msgstr "الم_بدئي"
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:30
msgctxt "alignmentdialog|extended_tip|default"
msgid "Click here to save your changes as the default settings for new formulas."
-msgstr "انقر هنا لتحفظ تغييراتك كإعدادات مبدئية للصيغ الجديدة."
+msgstr "انقر هنا لتحفظ تغييراتك كإعدادات مبدئية للمعادلات الجديدة."
#. kGsuJ
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:113
@@ -2733,7 +2728,7 @@ msgstr "ي_سار"
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:122
msgctxt "alignmentdialog|extended_tip|left"
msgid "Aligns the selected elements of a formula to the left."
-msgstr "يحاذي العناصر المحددة للصيغة إلى اليسار."
+msgstr "يحاذي العناصر المحددة للمعادلة إلى اليسار."
#. v8DVF
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:134
@@ -2745,7 +2740,7 @@ msgstr "_موسَّط"
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:143
msgctxt "alignmentdialog|extended_tip|center"
msgid "Aligns the elements of a formula to the center."
-msgstr "يحاذي عناصر الصيغة إلى الوسط."
+msgstr "يحاذي عناصر المعادلة إلى الوسط."
#. 5TgYZ
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:155
@@ -2757,7 +2752,7 @@ msgstr "ي_مين"
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:164
msgctxt "alignmentdialog|extended_tip|right"
msgid "Aligns the elements of a formula to the right."
-msgstr "يحاذي عناصر الصيغة إلى اليمين."
+msgstr "يحاذي عناصر المعادلة إلى اليمين."
#. LbzHM
#: starmath/uiconfig/smath/ui/alignmentdialog.ui:180
@@ -2829,7 +2824,7 @@ msgstr "يعرض معاينة للتحديد الحالي."
#: starmath/uiconfig/smath/ui/catalogdialog.ui:249
msgctxt "catalogdialog|extended_tip|CatalogDialog"
msgid "Opens the Symbols dialog, in which you can select a symbol to insert in the formula."
-msgstr "يفتح حوار الرموز الذي يمكنك من خلاله تحديد رمز لإدراجه في الصيغة."
+msgstr "يفتح حوار الرموز الذي يمكنك من خلاله تحديد رمز لإدراجه في المعادلة."
#. 4SGdP
#: starmath/uiconfig/smath/ui/fontdialog.ui:16
@@ -2967,7 +2962,7 @@ msgstr "الفهار_س:"
#: starmath/uiconfig/smath/ui/fontsizedialog.ui:341
msgctxt "fontsizedialog|extended_tip|spinB_text"
msgid "Select the size for text in a formula relative to the base size."
-msgstr "حدد حجم النص للصيغة نسبةً إلى الحجم الأساسي."
+msgstr "حدد حجم النص للمعادلة نسبةً إلى الحجم الأساسي."
#. AqFSQ
#: starmath/uiconfig/smath/ui/fontsizedialog.ui:360
@@ -3105,7 +3100,7 @@ msgstr ""
#: starmath/uiconfig/smath/ui/fonttypedialog.ui:326
msgctxt "fonttypedialog|extended_tip|textCB"
msgid "Define the font for the text in your formula here."
-msgstr "عرّف خط النص في صيغتك هنا."
+msgstr "عرّف خط النص في معادلتك هنا."
#. PEDax
#: starmath/uiconfig/smath/ui/fonttypedialog.ui:341
@@ -3237,13 +3232,13 @@ msgstr "المقياس:"
#: starmath/uiconfig/smath/ui/printeroptions.ui:184
msgctxt "printeroptions|extended_tip|scaling"
msgid "Reduces or enlarges the size of the printed formula by a specified factor."
-msgstr "يصغّر أو يكبّر حجم الصيغة المطبوعة بعامل محدد."
+msgstr "يصغّر أو يكبّر حجم المعادلة المطبوعة بعامل محدد."
#. cqANF
#: starmath/uiconfig/smath/ui/printeroptions.ui:202
msgctxt "printeroptions|extended_tip|scalingspim"
msgid "Enter the scale factor for scaling the formula."
-msgstr "أدخِل عامل التحجيم لتحجيم الصيغة."
+msgstr "أدخِل عامل التحجيم لتحجيم المعادلة."
#. mKDDK
#: starmath/uiconfig/smath/ui/printeroptions.ui:225
diff --git a/source/ar/svl/messages.po b/source/ar/svl/messages.po
index 784b6d99a59..1658531dc16 100644
--- a/source/ar/svl/messages.po
+++ b/source/ar/svl/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-01-31 18:20+0100\n"
-"PO-Revision-Date: 2022-03-12 17:25+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/svlmessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.8.1\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1519741483.000000\n"
#. PDMJD
@@ -67,7 +67,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/svtools/messages.po b/source/ar/svtools/messages.po
index 3f2a65baf4d..52cf1975eb4 100644
--- a/source/ar/svtools/messages.po
+++ b/source/ar/svtools/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:28+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/svtoolsmessages/ar/>\n"
"Language: ar\n"
@@ -1550,7 +1550,7 @@ msgstr "مستند رئيسي"
#: include/svtools/strings.hrc:312
msgctxt "STR_DESCRIPTION_FACTORY_MATH"
msgid "Formula"
-msgstr "الصيغة"
+msgstr "المعادلة"
#. t58zy
#: include/svtools/strings.hrc:313
@@ -1568,19 +1568,19 @@ msgstr "قالب جدول أوبن‌أوفيس.أورج 1.0 مُمتد"
#: include/svtools/strings.hrc:315
msgctxt "STR_DESCRIPTION_DRAW_TEMPLATE"
msgid "OpenOffice.org 1.0 Drawing Template"
-msgstr "قالب رسمة أوپن‌أُفِس.أورغ 1.0"
+msgstr "قالب رسمة أوبن‌أوفيس.أورج 1.0"
#. CTUQg
#: include/svtools/strings.hrc:316
msgctxt "STR_DESCRIPTION_IMPRESS_TEMPLATE"
msgid "OpenOffice.org 1.0 Presentation Template"
-msgstr "قالب عرض أوپن‌أُفِس.أورغ 1.0 تقديميّ"
+msgstr "قالب عرض أوبن‌أوفيس.أورج 1.0 تقديميّ"
#. Cbvtx
#: include/svtools/strings.hrc:317
msgctxt "STR_DESCRIPTION_WRITER_TEMPLATE"
msgid "OpenOffice.org 1.0 Text Document Template"
-msgstr "قالب مستند أوپن‌أُفِس.أورغ 1.0 نصّيّ"
+msgstr "قالب مستند أوبن‌أوفيس.أورج 1.0 نصّيّ"
#. FBCWx
#: include/svtools/strings.hrc:318
@@ -1628,7 +1628,7 @@ msgstr "عرض ميكروسوفت باوربوينت"
#: include/svtools/strings.hrc:325
msgctxt "STR_DESCRIPTION_SXMATH_DOC"
msgid "OpenOffice.org 1.0 Formula"
-msgstr "صيغة أوبن‌أوفيس.أورج 1.0"
+msgstr "معادلة أوبن‌أُفِس.أورغ 1.0"
#. CFw78
#: include/svtools/strings.hrc:326
@@ -1787,7 +1787,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/svx/messages.po b/source/ar/svx/messages.po
index 090709837f2..f41d49ef324 100644
--- a/source/ar/svx/messages.po
+++ b/source/ar/svx/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:20+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/svxmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022449.000000\n"
#. 3GkZj
@@ -7440,7 +7440,7 @@ msgstr ""
#: include/svx/strings.hrc:1332
msgctxt "RID_SVXSTR_FORMULA_HINT"
msgid "Formula"
-msgstr "صيغة"
+msgstr "معادلة"
#. rBgY5
#: include/svx/strings.hrc:1333
@@ -10369,7 +10369,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -16473,7 +16473,7 @@ msgstr "ابحث _في:"
#: svx/uiconfig/ui/findreplacedialog-mobile.ui:965
msgctxt "findreplacedialog-mobile|calcsearchin"
msgid "Formulas"
-msgstr "الصيغ"
+msgstr "المعادلات"
#. BC8U6
#: svx/uiconfig/ui/findreplacedialog-mobile.ui:966
@@ -16840,7 +16840,7 @@ msgstr "ابحث _في:"
#: svx/uiconfig/ui/findreplacedialog.ui:1074
msgctxt "findreplacedialog|calcsearchin"
msgid "Formulas"
-msgstr "الصيغ"
+msgstr "المعادلات"
#. bpBeC
#: svx/uiconfig/ui/findreplacedialog.ui:1075
diff --git a/source/ar/sw/messages.po b/source/ar/sw/messages.po
index 782c67846de..34b1fd3df3b 100644
--- a/source/ar/sw/messages.po
+++ b/source/ar/sw/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:21+0200\n"
-"PO-Revision-Date: 2023-06-27 14:34+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/swmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1544511256.000000\n"
#. oKCHH
@@ -203,7 +203,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
@@ -8265,7 +8265,7 @@ msgstr "القيمة"
#: sw/inc/strings.hrc:1095
msgctxt "STR_FORMULA"
msgid "Formula"
-msgstr "الصيغة"
+msgstr "المعادلة"
#. Eq5xq
#: sw/inc/strings.hrc:1096
@@ -8955,13 +8955,13 @@ msgstr "مُدخَل فهرس"
#: sw/inc/strings.hrc:1215
msgctxt "ST_TABLE_FORMULA"
msgid "Table formula"
-msgstr "صيغة جدول"
+msgstr "معادلة جدول"
#. DtkuT
#: sw/inc/strings.hrc:1216
msgctxt "ST_TABLE_FORMULA_ERROR"
msgid "Wrong table formula"
-msgstr "صيغة جدول خاطئة"
+msgstr "معادلة جدول خاطئة"
#. A6Vgk
#: sw/inc/strings.hrc:1217
@@ -9178,25 +9178,25 @@ msgstr "مُدخَل الفهرس السابق"
#: sw/inc/strings.hrc:1253
msgctxt "STR_IMGBTN_TBLFML_UP"
msgid "Previous table formula"
-msgstr "صيغة الجدول السابقة"
+msgstr "معادلة الجدول السابقة"
#. GqESF
#: sw/inc/strings.hrc:1254
msgctxt "STR_IMGBTN_TBLFML_DOWN"
msgid "Next table formula"
-msgstr "صيغة الجدول التالية"
+msgstr "معادلة الجدول التالية"
#. gBgxo
#: sw/inc/strings.hrc:1255
msgctxt "STR_IMGBTN_TBLFML_ERR_UP"
msgid "Previous faulty table formula"
-msgstr "صيغة الجدول الخاطئة السابقة"
+msgstr "معادلة الجدول الخاطئة السابقة"
#. UAon9
#: sw/inc/strings.hrc:1256
msgctxt "STR_IMGBTN_TBLFML_ERR_DOWN"
msgid "Next faulty table formula"
-msgstr "صيغة الجدول الخاطئة التالية"
+msgstr "معادلة الجدول الخاطئة التالية"
#. L2Apv
#: sw/inc/strings.hrc:1257
@@ -10107,7 +10107,7 @@ msgstr "COMPANY;CR;FIRSTNAME; ;LASTNAME;CR;ADDRESS;CR;CITY; ;STATEPROV; ;POSTALC
#: sw/inc/strings.hrc:1427
msgctxt "STR_TBL_FORMULA"
msgid "Text formula"
-msgstr "صيغة نص"
+msgstr "معادلة نص"
#. RmBFW
#: sw/inc/strings.hrc:1429
diff --git a/source/ar/sysui/desktop/share.po b/source/ar/sysui/desktop/share.po
index 371f4a84c67..8aacf623059 100644
--- a/source/ar/sysui/desktop/share.po
+++ b/source/ar/sysui/desktop/share.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-21 18:06+0100\n"
-"PO-Revision-Date: 2022-07-04 16:16+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-09 22:34+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/sysuidesktopshare/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1511612289.000000\n"
#. a9uCy
@@ -50,7 +50,7 @@ msgctxt ""
"formula\n"
"LngText.text"
msgid "OpenOffice.org 1.0 Formula"
-msgstr "صيغة أوبن‌أُفِس.أورغ 1.0"
+msgstr "معادلة أوبن‌أُفِس.أورغ 1.0"
#. iJFTG
#: documents.ulf
@@ -158,7 +158,7 @@ msgctxt ""
"oasis-formula\n"
"LngText.text"
msgid "OpenDocument Formula"
-msgstr "صيغة OpenDocument"
+msgstr "معادلة OpenDocument"
#. QaoV9
#: documents.ulf
@@ -527,7 +527,7 @@ msgctxt ""
"math_GenericName\n"
"LngText.text"
msgid "Formula Editor"
-msgstr "محرر الصيغة"
+msgstr "محرر المعادلات"
#. nVVgx
#: launcher.ulf
diff --git a/source/ar/uui/messages.po b/source/ar/uui/messages.po
index 4fcfeb51042..d654c5020b8 100644
--- a/source/ar/uui/messages.po
+++ b/source/ar/uui/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-10-10 13:36+0200\n"
-"PO-Revision-Date: 2023-06-23 16:29+0000\n"
-"Last-Translator: tx99h4 <tx99h4@hotmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/uuimessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -546,7 +546,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/vcl/messages.po b/source/ar/vcl/messages.po
index f44423ae8a7..3fe5df7db4d 100644
--- a/source/ar/vcl/messages.po
+++ b/source/ar/vcl/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-06-26 15:07+0200\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/vclmessages/ar/>\n"
"Language: ar\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022451.000000\n"
#. k5jTM
@@ -548,7 +548,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/wizards/messages.po b/source/ar/wizards/messages.po
index 93fcd58126f..7b7fb623a66 100644
--- a/source/ar/wizards/messages.po
+++ b/source/ar/wizards/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-12 14:06+0100\n"
-"PO-Revision-Date: 2023-06-26 13:18+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/wizardsmessages/ar/>\n"
"Language: ar\n"
@@ -50,7 +50,7 @@ msgstr "‫لقد تعذر إنشاء الرسمة.<BR>يُرجى التحقق
#: wizards/com/sun/star/wizards/common/strings.hrc:37
msgctxt "RID_COMMON_START_5"
msgid "The formula could not be created.<BR>Please check if the module '%PRODUCTNAME Math' is installed."
-msgstr "‫لقد تعذر إنشاء الصيغة.<BR>يُرجى التحقق من أن الوحدة « ‪%PRODUCTNAME Calc‬ » مُثبَّتة.‬"
+msgstr "‫لقد تعذر إنشاء المعادلة.<BR>يُرجى التحقق من أن الوحدة « ‪%PRODUCTNAME Calc‬ » مُثبَّتة.‬"
#. EcX4n
#: wizards/com/sun/star/wizards/common/strings.hrc:38
@@ -1625,7 +1625,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/writerperfect/messages.po b/source/ar/writerperfect/messages.po
index 6150f9473ba..33348cf9ec6 100644
--- a/source/ar/writerperfect/messages.po
+++ b/source/ar/writerperfect/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-03-23 11:46+0100\n"
-"PO-Revision-Date: 2023-06-26 14:05+0000\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/writerperfectmessages/ar/>\n"
"Language: ar\n"
@@ -77,7 +77,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/ar/xmlsecurity/messages.po b/source/ar/xmlsecurity/messages.po
index e15bcefdcb1..97c73060c97 100644
--- a/source/ar/xmlsecurity/messages.po
+++ b/source/ar/xmlsecurity/messages.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-03 12:32+0200\n"
-"PO-Revision-Date: 2022-07-04 16:15+0000\n"
-"Last-Translator: Riyadh Talal <riyadhtalal@gmail.com>\n"
+"PO-Revision-Date: 2023-08-10 11:57+0000\n"
+"Last-Translator: خالد حسني <khaled@libreoffice.org>\n"
"Language-Team: Arabic <https://translations.documentfoundation.org/projects/libo_ui-master/xmlsecuritymessages/ar/>\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1527110925.000000\n"
#. EyJrF
@@ -238,7 +238,7 @@ msgstr "ط_بّق"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr "أل‍_‍غ"
+msgstr "أل_غ"
#. MRCkv
msgctxt "stock"
diff --git a/source/bg/cui/messages.po b/source/bg/cui/messages.po
index 290c4288a0b..eba646e84c7 100644
--- a/source/bg/cui/messages.po
+++ b/source/bg/cui/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-06 10:56+0200\n"
-"PO-Revision-Date: 2023-07-12 20:18+0000\n"
+"PO-Revision-Date: 2023-08-16 03:36+0000\n"
"Last-Translator: Mihail Balabanov <m.balabanov@gmail.com>\n"
"Language-Team: Bulgarian <https://translations.documentfoundation.org/projects/libo_ui-master/cuimessages/bg/>\n"
"Language: bg\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.15.2\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1564897785.000000\n"
#. GyY9M
@@ -20820,7 +20820,7 @@ msgstr "Изберете отправната точка за вертикалн
#: cui/uiconfig/ui/swpossizepage.ui:547
msgctxt "swpossizepage|mirror"
msgid "_Mirror on even pages"
-msgstr "_Обръщане на четните страници"
+msgstr "Огледално на четните страници"
#. rubDV
#: cui/uiconfig/ui/swpossizepage.ui:556
diff --git a/source/bg/helpcontent2/source/text/simpress/01.po b/source/bg/helpcontent2/source/text/simpress/01.po
index 1a49e0da9e1..5ebd51c8018 100644
--- a/source/bg/helpcontent2/source/text/simpress/01.po
+++ b/source/bg/helpcontent2/source/text/simpress/01.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2023-02-02 12:20+0000\n"
+"PO-Revision-Date: 2023-08-15 19:50+0000\n"
"Last-Translator: Mihail Balabanov <m.balabanov@gmail.com>\n"
"Language-Team: Bulgarian <https://translations.documentfoundation.org/projects/libo_help-master/textsimpress01/bg/>\n"
"Language: bg\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1558857650.000000\n"
#. mu9aV
@@ -3326,7 +3326,7 @@ msgctxt ""
"par_id3154253\n"
"help.text"
msgid "<image id=\"img_id3156382\" src=\"cmd/lc_presentation.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3156382\">Icon Presentation Styles</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3156382\" src=\"cmd/lc_presentation.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3156382\">Икона „Стилове за презентации“</alt></image>"
#. FX2fC
#: 05100000.xhp
@@ -3362,7 +3362,7 @@ msgctxt ""
"par_id3145587\n"
"help.text"
msgid "<image id=\"img_id3150370\" src=\"cmd/lc_objectcatalog.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150370\">Icon Graphic Styles</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3150370\" src=\"cmd/lc_objectcatalog.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150370\">Икона „Графични стилове“</alt></image>"
#. CVtXt
#: 05100000.xhp
@@ -3398,7 +3398,7 @@ msgctxt ""
"par_id3156020\n"
"help.text"
msgid "<image id=\"img_id3153246\" src=\"cmd/lc_backgroundcolor.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153246\">Icon Fill format mode</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3153246\" src=\"cmd/lc_backgroundcolor.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153246\">Икона „Режим на запълване“</alt></image>"
#. Nafq7
#: 05100000.xhp
@@ -3434,7 +3434,7 @@ msgctxt ""
"par_id3147297\n"
"help.text"
msgid "<image id=\"img_id3151390\" src=\"cmd/lc_stylenewbyexample.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3151390\">Icon New Style from selection</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3151390\" src=\"cmd/lc_stylenewbyexample.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3151390\">Икона за нов стил от селекцията</alt></image>"
#. xeuEr
#: 05100000.xhp
@@ -3470,7 +3470,7 @@ msgctxt ""
"par_id3149888\n"
"help.text"
msgid "<image id=\"img_id3146878\" src=\"cmd/lc_styleupdatebyexample.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3146878\">Icon Update Style</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3146878\" src=\"cmd/lc_styleupdatebyexample.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3146878\">Икона за обновяване на стил</alt></image>"
#. FuMK5
#: 05100000.xhp
@@ -4460,7 +4460,7 @@ msgctxt ""
"par_id3150345\n"
"help.text"
msgid "<variable id=\"all\">Arranging objects affects the stacking order of all objects in your document.</variable>"
-msgstr ""
+msgstr "<variable id=\"all\">Пренареждането на обекти влияе върху реда на изобразяване на всички обекти в документа.</variable>"
#. 72UXD
#: 05250700.xhp
@@ -7934,7 +7934,7 @@ msgctxt ""
"par_id261623260666478\n"
"help.text"
msgid "Check this box to preserve the height-to-width ratio of the graphic bullet."
-msgstr ""
+msgstr "Отметнете това поле, за да се запазва съотношението между височината и ширината на графичния водещ символ."
#. AKwMq
#: bulletandposition.xhp
diff --git a/source/bg/sw/messages.po b/source/bg/sw/messages.po
index 2c492f72de4..e1abb0e0ad0 100644
--- a/source/bg/sw/messages.po
+++ b/source/bg/sw/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:21+0200\n"
-"PO-Revision-Date: 2023-08-08 14:34+0000\n"
+"PO-Revision-Date: 2023-08-16 03:36+0000\n"
"Last-Translator: Mihail Balabanov <m.balabanov@gmail.com>\n"
"Language-Team: Bulgarian <https://translations.documentfoundation.org/projects/libo_ui-master/swmessages/bg/>\n"
"Language: bg\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: Weblate 4.15.2\n"
+"X-Generator: Weblate 4.18.2\n"
"X-POOTLE-MTIME: 1562504032.000000\n"
#. oKCHH
@@ -16819,7 +16819,7 @@ msgstr "Изберете отправната точка за вертикалн
#: sw/uiconfig/swriter/ui/frmtypepage.ui:719
msgctxt "frmtypepage|mirror"
msgid "_Mirror on even pages"
-msgstr "_Обръщане на четните страници"
+msgstr "Огледално на четните страници"
#. Nftff
#: sw/uiconfig/swriter/ui/frmtypepage.ui:728
@@ -23066,85 +23066,85 @@ msgstr "Редактиране свойствата на избрания сти
#: sw/uiconfig/swriter/ui/numparapage.ui:204
msgctxt "numparapagedlg|labelFT_LIST_LEVEL"
msgid "List level:"
-msgstr ""
+msgstr "Ниво от списък:"
#. AEhib
#: sw/uiconfig/swriter/ui/numparapage.ui:220
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Assigned List Level"
-msgstr ""
+msgstr "Присвоено ниво от списък"
#. XAxAv
#: sw/uiconfig/swriter/ui/numparapage.ui:222
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Same as outline level"
-msgstr ""
+msgstr "Същото като нивото от плана"
#. CwDVL
#: sw/uiconfig/swriter/ui/numparapage.ui:223
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 1"
-msgstr ""
+msgstr "Ниво 1"
#. 9usTV
#: sw/uiconfig/swriter/ui/numparapage.ui:224
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 2"
-msgstr ""
+msgstr "Ниво 2"
#. xscSn
#: sw/uiconfig/swriter/ui/numparapage.ui:225
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 3"
-msgstr ""
+msgstr "Ниво 3"
#. PGVKB
#: sw/uiconfig/swriter/ui/numparapage.ui:226
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 4"
-msgstr ""
+msgstr "Ниво 4"
#. dEiJP
#: sw/uiconfig/swriter/ui/numparapage.ui:227
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 5"
-msgstr ""
+msgstr "Ниво 5"
#. jC6LW
#: sw/uiconfig/swriter/ui/numparapage.ui:228
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 6"
-msgstr ""
+msgstr "Ниво 6"
#. 8AGMm
#: sw/uiconfig/swriter/ui/numparapage.ui:229
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 7"
-msgstr ""
+msgstr "Ниво 7"
#. pR8n4
#: sw/uiconfig/swriter/ui/numparapage.ui:230
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 8"
-msgstr ""
+msgstr "Ниво 8"
#. zPEoE
#: sw/uiconfig/swriter/ui/numparapage.ui:231
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 9"
-msgstr ""
+msgstr "Ниво 9"
#. YBCiv
#: sw/uiconfig/swriter/ui/numparapage.ui:232
msgctxt "numparapage|comboLB_LIST_LEVEL"
msgid "Level 10"
-msgstr ""
+msgstr "Ниво 10"
#. nezuH
#: sw/uiconfig/swriter/ui/numparapage.ui:239
msgctxt "numparapage|extended_tip|comboLB_LIST_LEVEL"
msgid "Assigns a list level from 1 to 10 to the selected paragraphs or Paragraph Style."
-msgstr ""
+msgstr "Присвоява ниво от списък (от 1 до 10) на избраните абзаци или абзацен стил."
#. sQw2M
#: sw/uiconfig/swriter/ui/numparapage.ui:259
@@ -23306,13 +23306,13 @@ msgstr "Номерация:"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:88
msgctxt "optcaptionpage|numseparatorft"
msgid "After number:"
-msgstr ""
+msgstr "След номера:"
#. rDYMn
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:102
msgctxt "optcaptionpage|separatorft"
msgid "Before caption:"
-msgstr ""
+msgstr "Преди надписа:"
#. 9XdwG
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:116
@@ -23324,19 +23324,19 @@ msgstr "Позиция:"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:134
msgctxt "optcaptionpage|extended_tip|position"
msgid "Determines the position of the caption with respect to the object."
-msgstr ""
+msgstr "Определя позицията на надписа спрямо обекта."
#. wgXg3
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:147
msgctxt "optcaptionpage|tooltip_text|separator"
msgid "Enter optional text characters to appear after the caption category and number."
-msgstr ""
+msgstr "По желание въведете текст, който да се показва след категорията и номера на надписа."
#. 8zdFg
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:154
msgctxt "optcaptionpage|extended_tip|separator"
msgid "Enter optional characters to appear after the caption category and number, and before the caption contents."
-msgstr ""
+msgstr "По желание въведете текст, който да се показва след категорията и номера и преди текста на надписа."
#. SxBrV
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:170
@@ -23348,25 +23348,25 @@ msgstr ". "
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:172
msgctxt "optcaptionpage|tooltip_text|numseparator"
msgid "For Numbering first option, define characters to display between caption number and caption category."
-msgstr ""
+msgstr "За настройка „Първо номерацията“ задайте знаци, които да се показват между номера и категорията на надписа."
#. DCBXg
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:175
msgctxt "optcaptionpage|extended_tip|numseparator"
msgid "For Numbering first option, defines the characters to be displayed between the caption number and the caption category."
-msgstr ""
+msgstr "За настройка „Първо номерацията“ определя знаците, които да се показват между номера и категорията на надписа."
#. UPQT3
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:192
msgctxt "optcaptionpage|extended_tip|numbering"
msgid "Specifies the type of numbering required."
-msgstr ""
+msgstr "Задава типа на желаната номерация."
#. TCT4E
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:215
msgctxt "optcaptionpage|extended_tip|comboboxtext-entry"
msgid "Choose the name for the caption of the object."
-msgstr ""
+msgstr "Изберете името за надписа на обекта."
#. H5DQS
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:222
@@ -23384,7 +23384,7 @@ msgstr "Надпис"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:270
msgctxt "optcaptionpage|label4"
msgid "_Up to level:"
-msgstr ""
+msgstr "До ниво:"
#. R78ig
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:284
@@ -23396,19 +23396,19 @@ msgstr "Разделител:"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:298
msgctxt "captionoptions|tooltip_text|chapseparator"
msgid "Specify the character to display between the heading number and the caption number."
-msgstr ""
+msgstr "Задайте знака, който да се показва между номера на заглавие и номера на надписа."
#. AYmms
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:305
msgctxt "optcationpage|extended_tip|chapseparator"
msgid "Specify the character to display between the heading number and the caption number."
-msgstr ""
+msgstr "Задайте знака, който да се показва между номера на заглавие и номера на надписа."
#. DyivF
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:318
msgctxt "optcaptionpage|tooltip_text|level"
msgid "Display the heading number of the first prior heading whose outline level is equal to or less than the selected outline level. If [None] is selected, no heading number is displayed."
-msgstr ""
+msgstr "Показва се номерът на първото предишно заглавие, чието ниво в плана е равно на или по-малко от избраното. Ако е избрано [Няма], не се добавя номер на заглавие."
#. FmxD9
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:322
@@ -23420,13 +23420,13 @@ msgstr "Няма"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:326
msgctxt "optcaptionpage|extended_tip|level"
msgid "The heading number of the first prior heading whose outline level is equal to or less than the selected outline level is displayed before the caption number. For example, select “2” to use the heading number of the first prior heading with outline level 1 or outline level 2. If [None] is selected, no heading number is displayed. Heading numbers must be enabled to use this option. Use “Tools - Heading Numbering.”"
-msgstr ""
+msgstr "Преди номера на надписа се показва номерът на първото предходно заглавие с ниво в плана, равно на или по-малко от избраното ниво. Например изберете „2“, за да се използва номерът на първото предходно заглавие от ниво 1 или 2. Ако е избрано [Няма], няма да се показва номер на заглавие. За да работи тази настройка, трябва да е включено номерирането на заглавията. Използвайте „Инструменти - Номерация на заглавия“."
#. w2mxD
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:341
msgctxt "optcaptionpage|label11"
msgid "Heading Number Before Caption Number"
-msgstr ""
+msgstr "Номер на заглавие преди номер на надпис"
#. 6QFaH
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:374
@@ -23444,7 +23444,7 @@ msgstr "Няма"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:394
msgctxt "optcaptionpage|extended_tip|charstyle"
msgid "Specifies the character style of the caption paragraph."
-msgstr ""
+msgstr "Указва знаковия стил на абзаца на надписа."
#. 9nDHG
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:405
@@ -23456,7 +23456,7 @@ msgstr "Прилагане на кант и сянка"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:413
msgctxt "optcaptionpage|extended_tip|applyborder"
msgid "Applies the border and shadow of the object to the caption frame."
-msgstr ""
+msgstr "Прилага канта и сянката на обекта върху рамката с надписа."
#. Xxb3U
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:429
@@ -23496,7 +23496,7 @@ msgstr "Първо номерацията"
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:589
msgctxt "optcaptionpage|extended_tip|captionorder"
msgid "Place the caption number before or after the caption category."
-msgstr ""
+msgstr "Номерът на надписа да се показва преди или след категорията."
#. gB7ua
#: sw/uiconfig/swriter/ui/optcaptionpage.ui:598
@@ -24670,7 +24670,7 @@ msgstr "Неозаглавено 1"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:16
msgctxt "outlinenumbering|extended_tip|form1"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. stM8e
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:25
@@ -24682,7 +24682,7 @@ msgstr "Неозаглавено 2"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:29
msgctxt "outlinenumbering|extended_tip|form2"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. Sbvhz
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:38
@@ -24694,7 +24694,7 @@ msgstr "Неозаглавено 3"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:42
msgctxt "outlinenumbering|extended_tip|form3"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. Dsuic
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:51
@@ -24706,7 +24706,7 @@ msgstr "Неозаглавено 4"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:55
msgctxt "outlinenumbering|extended_tip|form4"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. FcNJ7
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:64
@@ -24718,7 +24718,7 @@ msgstr "Неозаглавено 5"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:68
msgctxt "outlinenumbering|extended_tip|form5"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. RZ5wa
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:77
@@ -24730,7 +24730,7 @@ msgstr "Неозаглавено 6"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:81
msgctxt "outlinenumbering|extended_tip|form6"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. 7nVF5
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:90
@@ -24742,7 +24742,7 @@ msgstr "Неозаглавено 7"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:94
msgctxt "outlinenumbering|extended_tip|form7"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. YyuRY
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:103
@@ -24754,7 +24754,7 @@ msgstr "Неозаглавено 8"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:107
msgctxt "outlinenumbering|extended_tip|form8"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. yeNqB
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:116
@@ -24766,7 +24766,7 @@ msgstr "Неозаглавено 9"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:120
msgctxt "outlinenumbering|extended_tip|form9"
msgid "Select this predefined numbering format to be the numbering format for this document. It will overwrite the current settings."
-msgstr ""
+msgstr "Избиране на този предварително дефиниран формат на номерация за настоящия документ. Той ще замени текущите настройки."
#. KqFzs
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:135
@@ -24778,19 +24778,19 @@ msgstr "Записване като..."
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:139
msgctxt "outlinenumbering|extended_tip|saveas"
msgid "Opens a dialog box where you enter a name to identify the current settings. The name you enter will appear in the dropdown list when the Load/Save button is clicked, both in the current and in other documents. Click on the name to load the saved settings into a document."
-msgstr ""
+msgstr "Отваря диалогов прозорец, в който да зададете име за текущите настройки. Въведеното име ще се показва в падащия списък, когато щракнете върху бутона „Зареждане/Записване“, както в текущия, така и в други документи. Щракнете върху името, за да заредите записаните настройки в документа."
#. yPHBs
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:146
msgctxt "outlinenumbering|extended_tip|form"
msgid "Click a numbering scheme in the list, and then enter a name for the scheme. The numbers correspond to the outline level of the styles."
-msgstr ""
+msgstr "Щракнете върху схема за номериране в списъка и въведете име за нея. Числата съответстват на нивата на стиловете в плана."
#. NPisV
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:153
msgctxt "outlinenumbering|OutlineNumberingDialog"
msgid "Heading Numbering"
-msgstr ""
+msgstr "Номерация на заглавия"
#. pBP94
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:170
@@ -24814,13 +24814,13 @@ msgstr "Позиция"
#: sw/uiconfig/swriter/ui/outlinenumbering.ui:374
msgctxt "outlinenumbering|extended_tip|OutlineNumberingDialog"
msgid "Use this dialog to specify the numbering format for headings in the current document. For each outline level, you can assign a paragraph style and a numbering scheme. Use “1-10” to apply the same setting for all outline levels."
-msgstr ""
+msgstr "Използвайте този диалог, за да зададете формата на номерацията на заглавията в текущия документ. За всяко ниво от плана можете да присвоите стил на абзац и схема за номериране. Използвайте „1 – 10“, за да приложите една и съща настройка върху всички нива от плана."
#. p9CCk
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:70
msgctxt "outlinenumberingpage|extended_tip|level"
msgid "Click the outline level that you want to modify, then specify the numbering options for that level. Use “1-10” to apply the same setting for all outline levels."
-msgstr ""
+msgstr "Щракнете върху нивото от плана, което искате да промените, после задайте настройките за номериране за това ниво. Използвайте „1 – 10“, за да приложите една и съща настройка върху всички нива от плана."
#. 2ibio
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:81
@@ -24844,13 +24844,13 @@ msgstr "Стил на абзац:"
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:183
msgctxt "outlinenumberingpage|tooltip_text|style"
msgid "Select the paragraph style to assign to the selected outline level. Select [None] to skip the outline level."
-msgstr ""
+msgstr "Изберете стила на абзац, който да бъде присвоен на избраното ниво от плана. За пропускане на нивото изберете [Няма]."
#. GQWw4
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:186
msgctxt "outlinenumberingpage|extended_tip|style"
msgid "Select the paragraph style to assign to the selected outline level. Select [None] to skip the outline level."
-msgstr ""
+msgstr "Изберете стила на абзац, който да бъде присвоен на избраното ниво от плана. За пропускане на нивото изберете [Няма]."
#. nrfyA
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:199
@@ -24886,7 +24886,7 @@ msgstr "Изберете знаковия стил на знака за номе
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:281
msgctxt "outlinenumberingpage|extended_tip|sublevelsnf"
msgid "Select the number of outline levels to display in the heading number, where 1 starts at the current level, and increasing the value shows additional previous levels. For example, select “3” to display the current level and the two previous levels in the heading number."
-msgstr ""
+msgstr "Изберете броя нива от плана, които да се показват в номера на заглавието, като 1 означава започване от текущото ниво, а увеличаването на стойността добавя допълнителни предходни нива. Например, ако изберете „3“, в номера на заглавието ще се показват текущото ниво и предишните две нива."
#. XVzhy
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:294
@@ -24898,7 +24898,7 @@ msgstr "Започване от:"
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:314
msgctxt "outlinenumberingpage|extended_tip|startat"
msgid "Enter the number at which to start the numbering for the selected outline level."
-msgstr ""
+msgstr "Въведете номера, от който да започне номерирането за избраното ниво от плана."
#. YoP59
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:329
@@ -24910,13 +24910,13 @@ msgstr "Номерация"
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:365
msgctxt "outlinenumberingpage|extended_tip|prefix"
msgid "Enter the text that you want to display before the heading number."
-msgstr ""
+msgstr "Въведете текста, който искате да се изписва преди номера на заглавието."
#. SnCta
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:383
msgctxt "outlinenumberingpage|extended_tip|suffix"
msgid "Enter the text that you want to display after the heading number."
-msgstr ""
+msgstr "Въведете текста, който искате да се изписва след номера на заглавието."
#. zoAuC
#: sw/uiconfig/swriter/ui/outlinenumberingpage.ui:396
@@ -25436,121 +25436,121 @@ msgstr "По избор"
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:8
msgctxt "pagenumberdlg|PageNumberDialog"
msgid "Page Number Wizard"
-msgstr ""
+msgstr "Помощник за номера на страници"
#. wuKF8
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:92
msgctxt "pagenumberdlg|positionLabel"
msgid "Position:"
-msgstr ""
+msgstr "Позиция:"
#. fSaWV
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:97
msgctxt "pagenumberdlg|positionLabel-atkobject"
msgid "Position"
-msgstr ""
+msgstr "Позиция"
#. qxoiA
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:113
msgctxt "pagenumberdlg|positionCombo"
msgid "Top of page (Header)"
-msgstr ""
+msgstr "Отгоре в страницата (горен колонтитул)"
#. G7aWi
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:114
msgctxt "pagenumberdlg|positionCombo"
msgid "Bottom of page (Footer)"
-msgstr ""
+msgstr "Отдолу в страницата (долен колонтитул)"
#. rEUYC
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:118
msgctxt "pagenumbering|extended_tip|positionCombo"
msgid "Insert page number in footer."
-msgstr ""
+msgstr "Вмъкване номера на страницата в долен колонтитул."
#. aUbVT
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:134
msgctxt "pagenumberdlg|alignmentLabel"
msgid "Alignment:"
-msgstr ""
+msgstr "Подравняване:"
#. F7e8D
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:139
msgctxt "pagenumberdlg|alignmentLabel-atkobject"
msgid "Alignment"
-msgstr ""
+msgstr "Подравняване"
#. XEkoF
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:155
msgctxt "pagenumberdlg|alignmentCombo"
msgid "Left"
-msgstr ""
+msgstr "Отляво"
#. s8FsG
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:156
msgctxt "pagenumberdlg|alignmentCombo"
msgid "Center"
-msgstr ""
+msgstr "Центрирано"
#. Pmvsv
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:157
msgctxt "pagenumberdlg|alignmentCombo"
msgid "Right"
-msgstr ""
+msgstr "Отдясно"
#. 5xBPD
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:161
msgctxt "pagenumbering|extended_tip|alignmentCombo"
msgid "Align page number in page footer or header."
-msgstr ""
+msgstr "Подравняване номера на страница в горния или долния колонтитул."
#. ij6L3
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:173
msgctxt "pagenumberdlg|mirrorCheckbox"
msgid "Mirror on even pages"
-msgstr ""
+msgstr "Огледално на четните страници"
#. gr98T
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:182
msgctxt "pagenumberdlg|extended_tip|mirrorCheckbox"
msgid "Creates separate left/right pages with mirrored page number placements"
-msgstr ""
+msgstr "Създава отделни леви/десни страници с огледално разположение на номерата на страниците."
#. ddnjH
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:194
msgctxt "pagenumberdlg|pagetotalCheckbox"
msgid "Include page total"
-msgstr ""
+msgstr "Включване на общия брой страници"
#. EHbmr
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:204
msgctxt "pagenumberdlg|extended_tip|pagetotalCheckbox"
msgid "Also insert the total number of pages"
-msgstr ""
+msgstr "Вмъкване и на общия брой на страниците"
#. mFDFf
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:220
msgctxt "pagenumberdlg|numfmtLabel"
msgid "Page numbers:"
-msgstr ""
+msgstr "Номера на страниците:"
#. zBZCW
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:228
msgctxt "pagenumberdlg|alignmentLabel-atkobject"
msgid "Number format"
-msgstr ""
+msgstr "Числов формат"
#. xuA2n
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:247
msgctxt "pagenumberdlg|extended_tip|numfmtlb"
msgid "Select a numbering scheme for the page numbering."
-msgstr ""
+msgstr "Изберете схема за номериране на страниците."
#. LUsGq
#: sw/uiconfig/swriter/ui/pagenumberdlg.ui:274
msgctxt "pagenumberdlg|previewLabel"
msgid "Preview"
-msgstr ""
+msgstr "Мостра"
#. ZodAv
#: sw/uiconfig/swriter/ui/pageorientationcontrol.ui:20
@@ -29456,43 +29456,43 @@ msgstr "Изберете знака за запълване, който иска
#: sw/uiconfig/swriter/ui/tocentriespage.ui:342
msgctxt "tocentriespage|chapterentryft"
msgid "Heading _info:"
-msgstr ""
+msgstr "Информация за заглавие:"
#. 6sVHf
#: sw/uiconfig/swriter/ui/tocentriespage.ui:356
msgctxt "tocentriespage|tooltip_text|chapterentry"
msgid "Select the heading information to include in the index entry."
-msgstr ""
+msgstr "Изберете информацията за заглавието, която да се включи в елемента на указателя."
#. D8Gmo
#: sw/uiconfig/swriter/ui/tocentriespage.ui:360
msgctxt "tocentriespage|chapterentry"
msgid "Number"
-msgstr ""
+msgstr "Номер"
#. fhFJe
#: sw/uiconfig/swriter/ui/tocentriespage.ui:361
msgctxt "tocentriespage|chapterentry"
msgid "Contents"
-msgstr ""
+msgstr "Съдържание"
#. po8tR
#: sw/uiconfig/swriter/ui/tocentriespage.ui:362
msgctxt "tocentriespage|chapterentry"
msgid "Number and contents"
-msgstr ""
+msgstr "Номер и съдържание"
#. HC6vb
#: sw/uiconfig/swriter/ui/tocentriespage.ui:366
msgctxt "tocentriespage|extended_tip|chapterentry"
msgid "Select the heading information to include in the index entry."
-msgstr ""
+msgstr "Изберете информацията за заглавието, която да се включи в елемента на указателя."
#. ZYqdq
#: sw/uiconfig/swriter/ui/tocentriespage.ui:379
msgctxt "tocentriespage|entryoutlinelevelft"
msgid "Show up to level:"
-msgstr ""
+msgstr "Показване до ниво:"
#. 9uGCG
#: sw/uiconfig/swriter/ui/tocentriespage.ui:393
diff --git a/source/ca-valencia/accessibility/messages.po b/source/ca-valencia/accessibility/messages.po
index 0591cfd4e0b..eda6c041ac5 100644
--- a/source/ca-valencia/accessibility/messages.po
+++ b/source/ca-valencia/accessibility/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-19 13:12+0100\n"
-"PO-Revision-Date: 2018-01-15 15:17+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/accessibilitymessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516029459.000000\n"
#. be4e7
@@ -79,64 +79,64 @@ msgstr "Fila %ROWNUMBER"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
diff --git a/source/ca-valencia/avmedia/messages.po b/source/ca-valencia/avmedia/messages.po
index f656255636b..b0da11196df 100644
--- a/source/ca-valencia/avmedia/messages.po
+++ b/source/ca-valencia/avmedia/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-02-18 12:16+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/avmediamessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/avmediamessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1517212369.000000\n"
#. m6G23
@@ -109,64 +109,64 @@ msgstr "Visualitza"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
diff --git a/source/ca-valencia/basctl/messages.po b/source/ca-valencia/basctl/messages.po
index 5697740198f..f746624a04c 100644
--- a/source/ca-valencia/basctl/messages.po
+++ b/source/ca-valencia/basctl/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:23+0200\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/basctlmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516029459.000000\n"
#. fniWp
@@ -338,19 +338,19 @@ msgstr "Les meues macros i els meus diàlegs"
#: basctl/inc/strings.hrc:78
msgctxt "RID_STR_SHAREMACROS"
msgid "Application Macros"
-msgstr ""
+msgstr "Macros de l'aplicació"
#. YcXKS
#: basctl/inc/strings.hrc:79
msgctxt "RID_STR_SHAREDIALOGS"
msgid "Application Dialogs"
-msgstr ""
+msgstr "Diàlegs de l'aplicació"
#. GFbe5
#: basctl/inc/strings.hrc:80
msgctxt "RID_STR_SHAREMACROSDIALOGS"
msgid "Application Macros & Dialogs"
-msgstr ""
+msgstr "Macros i diàlegs de l'aplicació"
#. BAMA5
#: basctl/inc/strings.hrc:81
@@ -429,6 +429,12 @@ msgid ""
"Choose “Rename” to give the imported dialog a new automatic name, or “Replace” to overwrite the existing dialog completely.\n"
" "
msgstr ""
+"La biblioteca ja conté un diàleg anomenat:\n"
+"\n"
+"$(ARG1)\n"
+"\n"
+"Trieu «Canvia el nom» per a donar un nom automàtic nou al diàleg importat, o bé, «Reemplaça» per a sobreescriure completament el diàleg existent.\n"
+" "
#. FRQSJ
#: basctl/inc/strings.hrc:93
@@ -561,90 +567,90 @@ msgstr "Extensió"
#: basctl/inc/strings.hrc:113
msgctxt "RID_STR_READONLY"
msgid "Read-only"
-msgstr ""
+msgstr "Només de lectura"
#. GJEts
#: basctl/inc/strings.hrc:114
msgctxt "RID_STR_READONLY_WARNING"
msgid "This module is read-only and cannot be edited."
-msgstr ""
+msgstr "Aquest mòdul és només de lectura i no es pot editar."
#. omG33
#: basctl/inc/strings.hrc:115
msgctxt "RID_STR_READONLY_WARNING"
msgid "This dialog is read-only and cannot be edited."
-msgstr ""
+msgstr "Aquest diàleg és només de lectura i no es pot editar."
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. PuxWj
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:26
msgctxt "basicmacrodialog|BasicMacroDialog"
msgid "BASIC Macros"
-msgstr ""
+msgstr "Macros del BASIC"
#. tFg7s
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:43
@@ -722,7 +728,7 @@ msgstr "Edita"
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:356
msgctxt "basicmacrodialog|extended_tip|edit"
msgid "Starts the Basic editor and opens the selected macro or dialog for editing."
-msgstr ""
+msgstr "Inicia l'editor del Basic i obri la macro o el diàleg seleccionat per a editar."
#. 9Uhec
#: basctl/uiconfig/basicide/ui/basicmacrodialog.ui:368
@@ -896,7 +902,7 @@ msgstr "Suprimeix l'element o els elements seleccionats després d'una confirmac
#: basctl/uiconfig/basicide/ui/dialogpage.ui:128
msgctxt "dialogpage|extended_tip|edit"
msgid "Opens the Basic editor so that you can modify the selected library."
-msgstr ""
+msgstr "Obri l'editor del BASIC perquè pugueu modificar la biblioteca seleccionada."
#. n9VLU
#: basctl/uiconfig/basicide/ui/dialogpage.ui:140
@@ -944,7 +950,7 @@ msgstr "_Importa..."
#: basctl/uiconfig/basicide/ui/dialogpage.ui:221
msgctxt "dialogpage|extended_tip|import"
msgid "Locate the Basic library that you want to add to the current list, and then click Open."
-msgstr ""
+msgstr "Cerqueu la biblioteca del Basic que voleu afegir a la llista actual i feu clic a Obri."
#. ubE5G
#: basctl/uiconfig/basicide/ui/dialogpage.ui:233
@@ -1022,7 +1028,7 @@ msgstr "Insereix com a referència (només de lectura)"
#: basctl/uiconfig/basicide/ui/importlibdialog.ui:122
msgctxt "importlibdialog|extended_tip|ref"
msgid "Adds the selected library as a read-only file. The library is reloaded each time you start the office suite."
-msgstr ""
+msgstr "Afig la biblioteca seleccionada com a fitxer de només lectura. La biblioteca es torna a carregar cada vegada que inicieu el paquet ofimàtic."
#. B9N7w
#: basctl/uiconfig/basicide/ui/importlibdialog.ui:133
@@ -1076,7 +1082,7 @@ msgstr "Suprimeix l'element o els elements seleccionats després d'una confirmac
#: basctl/uiconfig/basicide/ui/libpage.ui:186
msgctxt "libpage|extended_tip|edit"
msgid "Opens the Basic editor so that you can modify the selected library."
-msgstr ""
+msgstr "Obri l'editor del BASIC perquè pugueu modificar la biblioteca seleccionada."
#. AjENj
#: basctl/uiconfig/basicide/ui/libpage.ui:198
@@ -1112,7 +1118,7 @@ msgstr "_Importa..."
#: basctl/uiconfig/basicide/ui/libpage.ui:244
msgctxt "libpage|extended_tip|import"
msgid "Locate the Basic library that you want to add to the current list, and then click Open."
-msgstr ""
+msgstr "Cerqueu la biblioteca del Basic que voleu afegir a la llista actual i feu clic a Obri."
#. GhHRH
#: basctl/uiconfig/basicide/ui/libpage.ui:257
@@ -1238,7 +1244,7 @@ msgstr "Enumera les biblioteques de macros existents per a l'aplicació actual i
#: basctl/uiconfig/basicide/ui/modulepage.ui:128
msgctxt "modulepage|extended_tip|edit"
msgid "Opens the Basic editor so that you can modify the selected library."
-msgstr ""
+msgstr "Obri l'editor del BASIC perquè pugueu modificar la biblioteca seleccionada."
#. KjBGM
#: basctl/uiconfig/basicide/ui/modulepage.ui:140
@@ -1292,7 +1298,7 @@ msgstr "_Importa..."
#: basctl/uiconfig/basicide/ui/modulepage.ui:226
msgctxt "modulepage|extended_tip|import"
msgid "Locate the Basic library that you want to add to the current list, and then click Open."
-msgstr ""
+msgstr "Cerqueu la biblioteca del Basic que voleu afegir a la llista actual i feu clic a Obri."
#. GAYBh
#: basctl/uiconfig/basicide/ui/modulepage.ui:238
diff --git a/source/ca-valencia/basic/messages.po b/source/ca-valencia/basic/messages.po
index 6839dff8e88..936dcbcad73 100644
--- a/source/ca-valencia/basic/messages.po
+++ b/source/ca-valencia/basic/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-01-31 18:18+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/basicmessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/basicmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516029459.000000\n"
#. CacXi
@@ -782,67 +782,67 @@ msgstr "$(ARG1)"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. Vtc9n
#: basic/inc/strings.hrc:24
@@ -900,3 +900,5 @@ msgid ""
"$ERR\n"
"Additional information: $MSG"
msgstr ""
+"$ERR\n"
+"Informació addicional: $MSG"
diff --git a/source/ca-valencia/chart2/messages.po b/source/ca-valencia/chart2/messages.po
index 00941f4d924..df92a2ad20a 100644
--- a/source/ca-valencia/chart2/messages.po
+++ b/source/ca-valencia/chart2/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-11-22 14:43+0100\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/chart2messages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1540149627.000000\n"
#. NCRDD
@@ -43,67 +43,67 @@ msgstr "Piràmide"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. v9sqX
#: chart2/inc/strings.hrc:24
@@ -857,7 +857,7 @@ msgstr "Color de la vora"
#: chart2/inc/strings.hrc:148
msgctxt "STR_DATA_TABLE"
msgid "Data Table"
-msgstr ""
+msgstr "Taula de dades"
#. TuRxr
#: chart2/inc/strings.hrc:150
@@ -1301,7 +1301,7 @@ msgstr "Etiquetes de dades per a totes les sèries de dades"
#: chart2/uiconfig/ui/dlg_DataLabel.ui:107
msgctxt "dlg_DataLabel|CB_VALUE_AS_NUMBER"
msgid "Value as _number"
-msgstr ""
+msgstr "Valor com a _nombre"
#. sDLeD
#: chart2/uiconfig/ui/dlg_DataLabel.ui:115
@@ -1313,7 +1313,7 @@ msgstr "Mostra els valors absoluts dels punts de dades."
#: chart2/uiconfig/ui/dlg_DataLabel.ui:126
msgctxt "dlg_DataLabel|CB_VALUE_AS_PERCENTAGE"
msgid "Value as _percentage"
-msgstr ""
+msgstr "Valor com a _percentatge"
#. 5Hp8E
#: chart2/uiconfig/ui/dlg_DataLabel.ui:134
@@ -1325,7 +1325,7 @@ msgstr "Mostra el percentatge dels punts de dades a cada columna."
#: chart2/uiconfig/ui/dlg_DataLabel.ui:145
msgctxt "dlg_DataLabel|CB_CATEGORY"
msgid "_Category"
-msgstr ""
+msgstr "_Categoria"
#. oJGQF
#: chart2/uiconfig/ui/dlg_DataLabel.ui:153
@@ -1337,7 +1337,7 @@ msgstr "Mostra les etiquetes de text dels punts de dades."
#: chart2/uiconfig/ui/dlg_DataLabel.ui:164
msgctxt "dlg_DataLabel|CB_SYMBOL"
msgid "_Legend key"
-msgstr ""
+msgstr "Clau de la _llegenda"
#. 7WADc
#: chart2/uiconfig/ui/dlg_DataLabel.ui:172
@@ -1391,13 +1391,13 @@ msgstr "Format del nombre per al valor del percentatge"
#: chart2/uiconfig/ui/dlg_DataLabel.ui:259
msgctxt "dlg_DataLabel|CB_DATA_SERIES_NAME"
msgid "_Series name"
-msgstr ""
+msgstr "Nom _series"
#. 8bEui
#: chart2/uiconfig/ui/dlg_DataLabel.ui:267
msgctxt "dlg_DataLabel|extended_tip|CB_DATA_SERIES_NAME"
msgid "Shows the data series name in the label."
-msgstr ""
+msgstr "Mostra el nom de la sèrie de dades en l'etiqueta."
#. mFeMA
#: chart2/uiconfig/ui/dlg_DataLabel.ui:288
@@ -1541,7 +1541,7 @@ msgstr "Permet seleccionar el separador entre diverses cadenes de text per a un
#: chart2/uiconfig/ui/dlg_DataLabel.ui:406
msgctxt "dlg_DataLabel|label1"
msgid "Attribute Options"
-msgstr ""
+msgstr "Opcions de l'atribut"
#. gE7CA
#: chart2/uiconfig/ui/dlg_DataLabel.ui:458
@@ -1613,43 +1613,43 @@ msgstr "Obri el diàleg Etiquetes de dades, que vos permet definir les etiquetes
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:8
msgctxt "dlg_InsertDataTable|dlg_InsertDataTable"
msgid "Data Table"
-msgstr ""
+msgstr "Taula de dades"
#. SBrCL
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:85
msgctxt "dlg_InsertDataTable|horizontalBorderCB"
msgid "Show data table"
-msgstr ""
+msgstr "Mostra la taula de dades"
#. y4rFB
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:119
msgctxt "dlg_InsertDataTable|horizontalBorderCB"
msgid "Show horizontal border"
-msgstr ""
+msgstr "Mostra la vora horitzontal"
#. GstZR
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:135
msgctxt "dlg_InsertDataTable|verticalBorderCB"
msgid "Show vertical border"
-msgstr ""
+msgstr "Mostra la vora vertical"
#. KAzDB
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:151
msgctxt "dlg_InsertDataTable|outlineCB"
msgid "Show outline"
-msgstr ""
+msgstr "Mostra el contorn"
#. bm6hN
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:167
msgctxt "dlg_InsertDataTable|keysCB"
msgid "Show keys"
-msgstr ""
+msgstr "Mostra les claus"
#. JpXPi
#: chart2/uiconfig/ui/dlg_InsertDataTable.ui:187
msgctxt "dlg_InsertDataTable|dataTablePropertiesLabel"
msgid "Data Table Properties"
-msgstr ""
+msgstr "Propietats de la taula de dades"
#. 3GUtp
#: chart2/uiconfig/ui/dlg_InsertErrorBars.ui:28
@@ -3659,7 +3659,7 @@ msgstr "Seleccioneu un tipus de diagrama bàsic."
#: chart2/uiconfig/ui/tp_DataLabel.ui:39
msgctxt "tp_DataLabel|CB_VALUE_AS_NUMBER"
msgid "Value as _number"
-msgstr ""
+msgstr "Valor com a _nombre"
#. uGdoi
#: chart2/uiconfig/ui/tp_DataLabel.ui:47
@@ -3671,7 +3671,7 @@ msgstr "Mostra els valors absoluts dels punts de dades."
#: chart2/uiconfig/ui/tp_DataLabel.ui:58
msgctxt "tp_DataLabel|CB_VALUE_AS_PERCENTAGE"
msgid "Value as _percentage"
-msgstr ""
+msgstr "Valor com a _percentatge"
#. FcaPo
#: chart2/uiconfig/ui/tp_DataLabel.ui:66
@@ -3683,7 +3683,7 @@ msgstr "Mostra el percentatge dels punts de dades a cada columna."
#: chart2/uiconfig/ui/tp_DataLabel.ui:77
msgctxt "tp_DataLabel|CB_CATEGORY"
msgid "_Category"
-msgstr ""
+msgstr "_Categoria"
#. EZXZX
#: chart2/uiconfig/ui/tp_DataLabel.ui:85
@@ -3695,7 +3695,7 @@ msgstr "Mostra les etiquetes de text dels punts de dades."
#: chart2/uiconfig/ui/tp_DataLabel.ui:96
msgctxt "tp_DataLabel|CB_SYMBOL"
msgid "_Legend key"
-msgstr ""
+msgstr "Clau de la _llegenda"
#. Bm8gp
#: chart2/uiconfig/ui/tp_DataLabel.ui:104
@@ -3749,13 +3749,13 @@ msgstr "Format del nombre per al valor del percentatge"
#: chart2/uiconfig/ui/tp_DataLabel.ui:191
msgctxt "tp_DataLabel|CB_DATA_SERIES_NAME"
msgid "_Series name"
-msgstr ""
+msgstr "Nom de la _sèrie"
#. 3tWYv
#: chart2/uiconfig/ui/tp_DataLabel.ui:199
msgctxt "tp_DataLabel|extended_tip|CB_DATA_SERIES_NAME"
msgid "Shows the data series name in the label."
-msgstr ""
+msgstr "Mostra el nom de la sèrie de dades en l'etiqueta."
#. 3BZrx
#: chart2/uiconfig/ui/tp_DataLabel.ui:220
@@ -3899,7 +3899,7 @@ msgstr "Permet seleccionar el separador entre diverses cadenes de text per a un
#: chart2/uiconfig/ui/tp_DataLabel.ui:338
msgctxt "tp_DataLabel|label1"
msgid "Attribute Options"
-msgstr ""
+msgstr "Opcions de l'atribut"
#. avLCL
#: chart2/uiconfig/ui/tp_DataLabel.ui:390
@@ -4115,31 +4115,31 @@ msgstr "Personalitzeu els intervals de dades per a cada sèrie de dades"
#: chart2/uiconfig/ui/tp_DataTable.ui:33
msgctxt "tp_DataTable|horizontalBorderCB"
msgid "Show horizontal border"
-msgstr ""
+msgstr "Mostra la vora horitzontal"
#. EzGM5
#: chart2/uiconfig/ui/tp_DataTable.ui:49
msgctxt "tp_DataTable|verticalBorderCB"
msgid "Show vertical border"
-msgstr ""
+msgstr "Mostra la vora vertical"
#. ZTAZY
#: chart2/uiconfig/ui/tp_DataTable.ui:65
msgctxt "tp_DataTable|outlineCB"
msgid "Show outline"
-msgstr ""
+msgstr "Mostra el contorn"
#. kPDNa
#: chart2/uiconfig/ui/tp_DataTable.ui:81
msgctxt "tp_DataTable|keysCB"
msgid "Show keys"
-msgstr ""
+msgstr "Mostra les claus"
#. fybMv
#: chart2/uiconfig/ui/tp_DataTable.ui:101
msgctxt "tp_axisLabel|textflowL"
msgid "Data Table Properties"
-msgstr ""
+msgstr "Propietats de la taula de dades"
#. tGqhN
#: chart2/uiconfig/ui/tp_ErrorBars.ui:53
@@ -4721,19 +4721,19 @@ msgstr "R_esolució"
#: chart2/uiconfig/ui/tp_Scale.ui:281
msgctxt "tp_Scale|DATE-RESOLUTION"
msgid "Days"
-msgstr ""
+msgstr "Dies"
#. NL9uN
#: chart2/uiconfig/ui/tp_Scale.ui:282
msgctxt "tp_Scale|DATE-RESOLUTION"
msgid "Months"
-msgstr ""
+msgstr "Mesos"
#. BfyLg
#: chart2/uiconfig/ui/tp_Scale.ui:283
msgctxt "tp_Scale|DATE-RESOLUTION"
msgid "Years"
-msgstr ""
+msgstr "Anys"
#. WUANc
#: chart2/uiconfig/ui/tp_Scale.ui:287
@@ -5129,31 +5129,31 @@ msgstr "Nombre de punts per a calcular la mitjana de la línia de tendència de
#: chart2/uiconfig/ui/tp_Trendline.ui:317
msgctxt "tp_Trendline|label10"
msgid "_Type"
-msgstr ""
+msgstr "_Tipus"
#. P6TjC
#: chart2/uiconfig/ui/tp_Trendline.ui:322
msgctxt "tp_Trendline|extended_tip|label10"
msgid "How the trend line is calculated."
-msgstr ""
+msgstr "Com es calcula la línia de tendència."
#. GWKEC
#: chart2/uiconfig/ui/tp_Trendline.ui:336
msgctxt "tp_Trendline|liststore_moving_type"
msgid "Prior"
-msgstr ""
+msgstr "Anterior"
#. ZxUZe
#: chart2/uiconfig/ui/tp_Trendline.ui:337
msgctxt "tp_Trendline|liststore_moving_type"
msgid "Central"
-msgstr ""
+msgstr "Central"
#. 4CBxe
#: chart2/uiconfig/ui/tp_Trendline.ui:338
msgctxt "tp_Trendline|liststore_moving_type"
msgid "Averaged Abscissa"
-msgstr ""
+msgstr "Abscissa mitjana"
#. ptaCA
#: chart2/uiconfig/ui/tp_Trendline.ui:379
@@ -5333,7 +5333,7 @@ msgstr "Organització par_ell"
#: chart2/uiconfig/ui/tp_axisLabel.ui:113
msgctxt "tp_axisLabel|extended_tip|even"
msgid "Stagger numbers on the axis, odd numbers lower than even numbers."
-msgstr ""
+msgstr "Organitza els valors de l'eix, amb els nombres senars sota els nombres parells."
#. 2JwY3
#: chart2/uiconfig/ui/tp_axisLabel.ui:125
diff --git a/source/ca-valencia/connectivity/messages.po b/source/ca-valencia/connectivity/messages.po
index 78575cbd213..6d3172de75f 100644
--- a/source/ca-valencia/connectivity/messages.po
+++ b/source/ca-valencia/connectivity/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-07-06 20:18+0200\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/connectivitymessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/connectivitymessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1535975124.000000\n"
#. 9KHB8
@@ -27,7 +27,7 @@ msgstr "No hi ha cap connexió a la base de dades."
#: connectivity/inc/strings.hrc:26
msgctxt "STR_WRONG_PARAM_INDEX"
msgid "You tried to set a parameter at position “$pos$” but there is/are only “$count$” parameter(s) allowed. One reason may be that the property “ParameterNameSubstitution” is not set to TRUE in the data source."
-msgstr ""
+msgstr "Heu provat d'establir un paràmetre a la posició «$pos$», però només es permeten $count$ paràmetres. Un motiu pot ser que la propietat «ParameterNameSubstitution» no s'ha definit com a certa (TRUE) a la font de dades."
#. 6FnrV
#: connectivity/inc/strings.hrc:27
@@ -39,7 +39,7 @@ msgstr "No s'ha definit el flux d'entrada."
#: connectivity/inc/strings.hrc:28
msgctxt "STR_NO_ELEMENT_NAME"
msgid "There is no element named “$name$”."
-msgstr ""
+msgstr "No hi ha cap element anomenat «$name$»."
#. CWktu
#: connectivity/inc/strings.hrc:29
@@ -75,13 +75,13 @@ msgstr "L'índex del descriptor no és vàlid."
#: connectivity/inc/strings.hrc:34
msgctxt "STR_UNSUPPORTED_FUNCTION"
msgid "The driver does not support the function “$functionname$”."
-msgstr ""
+msgstr "El controlador no permet l'ús de la funció «$functionname$»."
#. GW3L8
#: connectivity/inc/strings.hrc:35
msgctxt "STR_UNSUPPORTED_FEATURE"
msgid "The driver does not support the functionality for “$featurename$”. It is not implemented."
-msgstr ""
+msgstr "El controlador no és compatible amb les funcionalitats de: «$featurename$». No està implementat."
#. zXVCV
#: connectivity/inc/strings.hrc:36
@@ -93,13 +93,13 @@ msgstr "La fórmula per a TypeInfoSettings és incorrecta."
#: connectivity/inc/strings.hrc:37
msgctxt "STR_STRING_LENGTH_EXCEEDED"
msgid "The string “$string$” exceeds the maximum length of $maxlen$ characters when converted to the target character set “$charset$”."
-msgstr ""
+msgstr "La cadena «$string$» supera el límit màxim de $maxlen$ caràcters en convertir-se al joc de caràcters de destinació «$charset$»."
#. THhEu
#: connectivity/inc/strings.hrc:38
msgctxt "STR_CANNOT_CONVERT_STRING"
msgid "The string “$string$” cannot be converted using the encoding “$charset$”."
-msgstr ""
+msgstr "La cadena «$string$» no es pot convertir utilitzant la codificació «$charset$»."
#. sSzsJ
#: connectivity/inc/strings.hrc:39
@@ -111,49 +111,49 @@ msgstr "L'URL de connexió no és vàlid."
#: connectivity/inc/strings.hrc:40
msgctxt "STR_QUERY_TOO_COMPLEX"
msgid "The query cannot be executed. It is too complex."
-msgstr ""
+msgstr "No es pot executar la consulta. És massa complicada."
#. ADy4t
#: connectivity/inc/strings.hrc:41
msgctxt "STR_OPERATOR_TOO_COMPLEX"
msgid "The query cannot be executed. The operator is too complex."
-msgstr ""
+msgstr "No es pot executar la consulta. L'operador és massa complicat."
#. XZGaK
#: connectivity/inc/strings.hrc:42
msgctxt "STR_QUERY_INVALID_LIKE_COLUMN"
msgid "The query cannot be executed. You cannot use “LIKE” with columns of this type."
-msgstr ""
+msgstr "La consulta no es pot executar. No podeu utilitzar «LIKE» amb columnes d'aquest tipus."
#. SsqWz
#: connectivity/inc/strings.hrc:43
msgctxt "STR_QUERY_INVALID_LIKE_STRING"
msgid "The query cannot be executed. “LIKE” can be used with a string argument only."
-msgstr ""
+msgstr "La consulta no es pot executar. «LIKE» només es pot utilitzar amb un argument de cadena."
#. ZFFrf
#: connectivity/inc/strings.hrc:44
msgctxt "STR_QUERY_NOT_LIKE_TOO_COMPLEX"
msgid "The query cannot be executed. The “NOT LIKE” condition is too complex."
-msgstr ""
+msgstr "La consulta no es pot executar. La condició «NO LIKE» és massa complexa."
#. AaZzs
#: connectivity/inc/strings.hrc:45
msgctxt "STR_QUERY_LIKE_WILDCARD"
msgid "The query cannot be executed. The “LIKE” condition contains wildcard in the middle."
-msgstr ""
+msgstr "La consulta no es pot executar. La condició «LIKE» conté comodins al mig."
#. GN6F9
#: connectivity/inc/strings.hrc:46
msgctxt "STR_QUERY_LIKE_WILDCARD_MANY"
msgid "The query cannot be executed. The “LIKE” condition contains too many wildcards."
-msgstr ""
+msgstr "La consulta no es pot executar. La condició «LIKE» conté massa comodins."
#. LreLr
#: connectivity/inc/strings.hrc:47
msgctxt "STR_INVALID_COLUMNNAME"
msgid "The column name “$columnname$” is not valid."
-msgstr ""
+msgstr "El nom de columna «$columnname$» no és vàlid."
#. FT3Zb
#: connectivity/inc/strings.hrc:48
@@ -238,7 +238,7 @@ msgstr "No s'ha pogut crear la visualització: no hi ha un objecte d'ordre."
#: connectivity/inc/strings.hrc:61
msgctxt "STR_NO_CONNECTION"
msgid "The connection could not be created. Maybe the necessary data provider is not installed."
-msgstr ""
+msgstr "No s'ha pogut crear la connexió. Potser el proveïdor de dades necessari no està instal·lat."
#. GRZEu
#. dbase
@@ -269,7 +269,7 @@ msgstr "No s'ha pogut crear l'índex. S'ha produït un error desconegut."
#: connectivity/inc/strings.hrc:67
msgctxt "STR_COULD_NOT_CREATE_INDEX_NAME"
msgid "The index could not be created. The file “$filename$” is used by another index."
-msgstr ""
+msgstr "No s'ha pogut crear l'índex. Un altre índex utilitza el fitxer «$filename$»."
#. GcK7B
#: connectivity/inc/strings.hrc:68
@@ -281,7 +281,7 @@ msgstr "No s'ha pogut crear l'índex. La mida de la columna seleccionada és mas
#: connectivity/inc/strings.hrc:69
msgctxt "STR_SQL_NAME_ERROR"
msgid "The name “$name$” does not match SQL naming constraints."
-msgstr ""
+msgstr "El nom «$name$» no coincideix amb les restriccions de nomenclatura SQL."
#. wv2Cx
#: connectivity/inc/strings.hrc:70
@@ -293,31 +293,31 @@ msgstr "No s'ha pogut suprimir el fitxer $filename$."
#: connectivity/inc/strings.hrc:71
msgctxt "STR_INVALID_COLUMN_TYPE"
msgid "Invalid column type for column “$columnname$”."
-msgstr ""
+msgstr "Tipus de columna no vàlid per a la columna «$columnname$»."
#. wB2gE
#: connectivity/inc/strings.hrc:72
msgctxt "STR_INVALID_COLUMN_PRECISION"
msgid "Invalid precision for column “$columnname$”."
-msgstr ""
+msgstr "La precisió de la columna «$columnname$» no és vàlida."
#. v67fT
#: connectivity/inc/strings.hrc:73
msgctxt "STR_INVALID_PRECISION_SCALE"
msgid "Precision is less than scale for column “$columnname$”."
-msgstr ""
+msgstr "La precisió és menor que l'escala de la columna «$columnname$»."
#. J3KEu
#: connectivity/inc/strings.hrc:74
msgctxt "STR_INVALID_COLUMN_NAME_LENGTH"
msgid "Invalid column name length for column “$columnname$”."
-msgstr ""
+msgstr "Longitud no vàlida del nom de la columna «$columnname$»."
#. ZQUww
#: connectivity/inc/strings.hrc:75
msgctxt "STR_DUPLICATE_VALUE_IN_COLUMN"
msgid "Duplicate value found in column “$columnname$”."
-msgstr ""
+msgstr "S'ha trobat un valor duplicat a la columna «$columnname$»."
#. zSeBJ
#: connectivity/inc/strings.hrc:76
@@ -327,36 +327,39 @@ msgid ""
"\n"
"The specified value “$value$” is longer than the number of digits allowed."
msgstr ""
+"La columna «$columnname$» s'ha definit com un tipus «Decimal», la longitud màxima és de $precision$ caràcters (amb $scale$ decimals).\n"
+"\n"
+"El valor especificat «$value$» és més llarg que el nombre de dígits permés."
#. M6CvC
#: connectivity/inc/strings.hrc:77
msgctxt "STR_COLUMN_NOT_ALTERABLE"
msgid "The column “$columnname$” could not be altered. Maybe the file system is write-protected."
-msgstr ""
+msgstr "No s'ha pogut modificar la columna «$columnname$». Potser el sistema de fitxers està protegit contra escriptura."
#. st6hA
#: connectivity/inc/strings.hrc:78
msgctxt "STR_INVALID_COLUMN_VALUE"
msgid "The column “$columnname$” could not be updated. The value is invalid for that column."
-msgstr ""
+msgstr "No s'ha pogut actualitzar la columna «$columnname$». El valor no és vàlid per a aquesta columna."
#. 5rH5W
#: connectivity/inc/strings.hrc:79
msgctxt "STR_COLUMN_NOT_ADDABLE"
msgid "The column “$columnname$” could not be added. Maybe the file system is write-protected."
-msgstr ""
+msgstr "No s'ha pogut afegir la columna «$columnname$». Potser el sistema de fitxers està protegit contra escriptura."
#. B9ACk
#: connectivity/inc/strings.hrc:80
msgctxt "STR_COLUMN_NOT_DROP"
msgid "The column at position “$position$” could not be dropped. Maybe the file system is write-protected."
-msgstr ""
+msgstr "No s'ha pogut descartar la columna en la posició «$position$». Potser el sistema de fitxers està protegit contra escriptura."
#. KfedE
#: connectivity/inc/strings.hrc:81
msgctxt "STR_TABLE_NOT_DROP"
msgid "The table “$tablename$” could not be dropped. Maybe the file system is write-protected."
-msgstr ""
+msgstr "No s'ha pogut suprimir la taula «$tablename$». Potser el sistema de fitxers està protegit contra escriptura."
#. R3BGx
#: connectivity/inc/strings.hrc:82
@@ -368,7 +371,7 @@ msgstr "No s'ha pogut modificar la taula."
#: connectivity/inc/strings.hrc:83
msgctxt "STR_INVALID_DBASE_FILE"
msgid "The file “$filename$” is an invalid (or unrecognized) dBASE file."
-msgstr ""
+msgstr "«$filename$» no és un fitxer del dBASE vàlid (o no s'ha reconegut)."
#. LhHTA
#. Evoab2
@@ -388,31 +391,31 @@ msgstr "Només es pot ordenar segons les columnes de la taula."
#: connectivity/inc/strings.hrc:88
msgctxt "STR_QUERY_COMPLEX_COUNT"
msgid "The query cannot be executed. It is too complex. Only “COUNT(*)” is supported."
-msgstr ""
+msgstr "La consulta no es pot executar. És massa complexa. Només s'admet «COUNT(*)»."
#. PJivi
#: connectivity/inc/strings.hrc:89
msgctxt "STR_QUERY_INVALID_BETWEEN"
msgid "The query cannot be executed. The “BETWEEN” arguments are not correct."
-msgstr ""
+msgstr "No es pot executar la consulta. Els arguments de «BETWEEN» no són correctes."
#. CHRju
#: connectivity/inc/strings.hrc:90
msgctxt "STR_QUERY_FUNCTION_NOT_SUPPORTED"
msgid "The query cannot be executed. The function is not supported."
-msgstr ""
+msgstr "No es pot executar la consulta. No s'admet aquesta funció."
#. mnc5r
#: connectivity/inc/strings.hrc:91
msgctxt "STR_TABLE_READONLY"
msgid "The table cannot be changed. It is read only."
-msgstr ""
+msgstr "No es pot canviar la taula. És només de lectura."
#. TUUpf
#: connectivity/inc/strings.hrc:92
msgctxt "STR_DELETE_ROW"
msgid "The row could not be deleted. The option “Display inactive records” is set."
-msgstr ""
+msgstr "No s'ha pogut suprimir la fila. L'opció «Mostra els registres inactius» està activada."
#. TZTfv
#: connectivity/inc/strings.hrc:93
@@ -424,37 +427,37 @@ msgstr "No s'ha pogut suprimir la fila. Ja s'ha suprimit."
#: connectivity/inc/strings.hrc:94
msgctxt "STR_QUERY_MORE_TABLES"
msgid "The query cannot be executed. It contains more than one table."
-msgstr ""
+msgstr "La consulta no es pot executar. Conté més d'una taula."
#. L4Ffm
#: connectivity/inc/strings.hrc:95
msgctxt "STR_QUERY_NO_TABLE"
msgid "The query cannot be executed. It contains no valid table."
-msgstr ""
+msgstr "No es pot executar la consulta. No conté cap taula vàlida."
#. 3KADk
#: connectivity/inc/strings.hrc:96
msgctxt "STR_QUERY_NO_COLUMN"
msgid "The query cannot be executed. It contains no valid columns."
-msgstr ""
+msgstr "La consulta no es pot executar. No conté columnes vàlides."
#. WcpZM
#: connectivity/inc/strings.hrc:97
msgctxt "STR_INVALID_PARA_COUNT"
msgid "The count of the given parameter values does not match the parameters."
-msgstr ""
+msgstr "El recompte dels valors dels paràmetres proporcionats no coincideix amb els paràmetres."
#. CFcjS
#: connectivity/inc/strings.hrc:98
msgctxt "STR_NO_VALID_FILE_URL"
msgid "The URL “$URL$” is not valid. A connection cannot be created."
-msgstr ""
+msgstr "L'URL «$URL$» no és vàlid. No es pot crear una connexió."
#. YFjkG
#: connectivity/inc/strings.hrc:99
msgctxt "STR_NO_CLASSNAME"
msgid "The driver class “$classname$” could not be loaded."
-msgstr ""
+msgstr "No s'ha pogut carregar la classe de controlador «$classname$»."
#. jbnZZ
#: connectivity/inc/strings.hrc:100
@@ -466,31 +469,31 @@ msgstr "No s'ha pogut trobar cap instal·lació del Java. Verifiqueu la vostra i
#: connectivity/inc/strings.hrc:101
msgctxt "STR_NO_RESULTSET"
msgid "The execution of the query does not return a valid result set."
-msgstr ""
+msgstr "L'execució de la consulta no retorna un conjunt de resultats vàlid."
#. JGxgF
#: connectivity/inc/strings.hrc:102
msgctxt "STR_NO_ROWCOUNT"
msgid "The execution of the update statement does not affect any rows."
-msgstr ""
+msgstr "L'execució de la declaració update no afecta cap fila."
#. yCACF
#: connectivity/inc/strings.hrc:103
msgctxt "STR_NO_CLASSNAME_PATH"
msgid "The additional driver class path is “$classpath$”."
-msgstr ""
+msgstr "El camí a les classes dels controladors addicionals és «$classpath$»."
#. sX2NM
#: connectivity/inc/strings.hrc:104
msgctxt "STR_UNKNOWN_PARA_TYPE"
msgid "The type of parameter at position “$position$” is unknown."
-msgstr ""
+msgstr "El tipus del paràmetre a la posició «$position$» és desconegut."
#. gSPCX
#: connectivity/inc/strings.hrc:105
msgctxt "STR_UNKNOWN_COLUMN_TYPE"
msgid "The type of column at position “$position$” is unknown."
-msgstr ""
+msgstr "El tipus de la columna a la posició «$position$» és desconegut."
#. 3FmFX
#. KAB
@@ -510,7 +513,7 @@ msgstr "No hi ha cap taula amb aquest nom."
#: connectivity/inc/strings.hrc:110
msgctxt "STR_NO_MAC_OS_FOUND"
msgid "No suitable macOS installation was found."
-msgstr ""
+msgstr "No s'ha trobat cap instal·lació del macOS adequada."
#. HNSzq
#. hsqldb
@@ -529,13 +532,13 @@ msgstr "L'URL proporcionat no conté cap camí a un sistema de fitxers vàlid. C
#: connectivity/inc/strings.hrc:114
msgctxt "STR_NO_TABLE_CONTAINER"
msgid "An error occurred while obtaining the connection’s table container."
-msgstr ""
+msgstr "S'ha produït un error en obtindre el contenidor de taules de la connexió."
#. uxoGW
#: connectivity/inc/strings.hrc:115
msgctxt "STR_NO_TABLENAME"
msgid "There is no table named “$tablename$”."
-msgstr ""
+msgstr "No hi ha cap taula anomenada «$tablename$»."
#. 3BxCF
#: connectivity/inc/strings.hrc:116
@@ -559,13 +562,13 @@ msgstr "S'ha vetat l'operació de registre."
#: connectivity/inc/strings.hrc:120
msgctxt "STR_PARSER_CYCLIC_SUB_QUERIES"
msgid "The statement contains a cyclic reference to one or more subqueries."
-msgstr ""
+msgstr "L'expressió conté una referència cíclica a una o més subconsultes."
#. jDAGJ
#: connectivity/inc/strings.hrc:121
msgctxt "STR_DB_OBJECT_NAME_WITH_SLASHES"
msgid "The name must not contain any slashes (“/”)."
-msgstr ""
+msgstr "El nom no pot contindre cap barra («/»)."
#. 5Te4k
#: connectivity/inc/strings.hrc:122
@@ -583,7 +586,7 @@ msgstr "Els noms de consulta no poden contindre cometes."
#: connectivity/inc/strings.hrc:124
msgctxt "STR_DB_OBJECT_NAME_IS_USED"
msgid "The name “$1$” is already in use in the database."
-msgstr ""
+msgstr "El nom «$1$» ja s'està fent servir a la base de dades."
#. gD8xU
#: connectivity/inc/strings.hrc:125
@@ -606,64 +609,64 @@ msgstr "No es pot mostrar tot el contingut de la taula. Caldrà que apliqueu un
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
diff --git a/source/ca-valencia/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po b/source/ca-valencia/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
index 70fd3df286e..7ecf9c1a9b0 100644
--- a/source/ca-valencia/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
+++ b/source/ca-valencia/connectivity/registry/firebird/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-10-20 13:07+0200\n"
-"PO-Revision-Date: 2014-01-30 06:59+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistryfirebirdorgopenofficeofficedataaccess/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1391065180.000000\n"
#. DfEKx
@@ -34,4 +34,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "Firebird External"
-msgstr ""
+msgstr "Firebird extern"
diff --git a/source/ca-valencia/connectivity/registry/flat/org/openoffice/Office/DataAccess.po b/source/ca-valencia/connectivity/registry/flat/org/openoffice/Office/DataAccess.po
index ec42dc81259..0d64e962629 100644
--- a/source/ca-valencia/connectivity/registry/flat/org/openoffice/Office/DataAccess.po
+++ b/source/ca-valencia/connectivity/registry/flat/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-10-10 13:35+0200\n"
-"PO-Revision-Date: 2013-11-20 14:03+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistryflatorgopenofficeofficedataaccess/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1384956193.000000\n"
#. P4Paq
@@ -24,4 +24,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "Text/CSV"
-msgstr ""
+msgstr "Text/CSV"
diff --git a/source/ca-valencia/connectivity/registry/mysqlc/org/openoffice/Office/DataAccess.po b/source/ca-valencia/connectivity/registry/mysqlc/org/openoffice/Office/DataAccess.po
index 4f782a9c678..d87c451875e 100644
--- a/source/ca-valencia/connectivity/registry/mysqlc/org/openoffice/Office/DataAccess.po
+++ b/source/ca-valencia/connectivity/registry/mysqlc/org/openoffice/Office/DataAccess.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-03-21 12:30+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/connectivityregistrymysqlcorgopenofficeofficedataaccess/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/connectivityregistrymysqlcorgopenofficeofficedataaccess/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1538496772.000000\n"
#. bTkZz
@@ -24,4 +24,4 @@ msgctxt ""
"DriverTypeDisplayName\n"
"value.text"
msgid "MySQL/MariaDB Connector"
-msgstr ""
+msgstr "Connector MySQL/MariaDB"
diff --git a/source/ca-valencia/cui/messages.po b/source/ca-valencia/cui/messages.po
index 9cf4ac4008e..0b38cb95c1b 100644
--- a/source/ca-valencia/cui/messages.po
+++ b/source/ca-valencia/cui/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-06 10:56+0200\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/cuimessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542195305.000000\n"
#. GyY9M
@@ -85,67 +85,67 @@ msgstr "Text"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. E6GDh
#: cui/inc/strings.hrc:23
@@ -400,31 +400,31 @@ msgstr "Canvia el nom de la barra d'eines"
#: cui/inc/strings.hrc:69
msgctxt "RID_SVXSTR_ALL_COMMANDS"
msgid "All Commands"
-msgstr ""
+msgstr "Totes les ordres"
#. A7cUy
#: cui/inc/strings.hrc:70
msgctxt "RID_SVXSTR_TABBED"
msgid "Tabbed"
-msgstr ""
+msgstr "En pestanyes"
#. xqrfE
#: cui/inc/strings.hrc:71
msgctxt "RID_SVXSTR_TABBED_COMPACT"
msgid "Tabbed Compact"
-msgstr ""
+msgstr "En pestanyes, compacta"
#. fLLH2
#: cui/inc/strings.hrc:72
msgctxt "RID_SVXSTR_GROUPEDBAR"
msgid "Groupedbar"
-msgstr ""
+msgstr "Barra agrupada"
#. AnFxX
#: cui/inc/strings.hrc:73
msgctxt "RID_SVXSTR_GROUPEDBAR_COMPACT"
msgid "Groupedbar Compact"
-msgstr ""
+msgstr "Barra agrupada, compacta"
#. GN45E
#: cui/inc/strings.hrc:75
@@ -496,7 +496,7 @@ msgstr "Les meues macros"
#: cui/inc/strings.hrc:87
msgctxt "RID_SVXSTR_PRODMACROS"
msgid "Application Macros"
-msgstr ""
+msgstr "Macros de l'aplicació"
#. RGCGW
#: cui/inc/strings.hrc:88
@@ -643,7 +643,7 @@ msgstr "Estils"
#: cui/inc/strings.hrc:114
msgctxt "RID_SVXSTR_GROUP_SIDEBARDECKS"
msgid "Sidebar Decks"
-msgstr ""
+msgstr "Panells de barra lateral"
#. hFEBv
#: cui/inc/strings.hrc:116
@@ -1592,13 +1592,13 @@ msgstr "Comprova les regions especials"
#: cui/inc/strings.hrc:296
msgctxt "RID_SVXSTR_SPELL_CLOSED_COMPOUND"
msgid "Accept possible closed compound words"
-msgstr ""
+msgstr "Accepta les possibles paraules compostes tancades"
#. WLmfd
#: cui/inc/strings.hrc:297
msgctxt "RID_SVXSTR_SPELL_HYPHENATED_COMPOUND"
msgid "Accept possible hyphenated compound words"
-msgstr ""
+msgstr "Accepta les possibles paraules compostes amb guió"
#. XjifG
#: cui/inc/strings.hrc:298
@@ -1754,7 +1754,7 @@ msgstr "Taula"
#: cui/inc/strings.hrc:323
msgctxt "RID_SVXSTR_DESC_LINEEND"
msgid "Please enter a name for the new arrow style:"
-msgstr ""
+msgstr "Introduïu un nom per a l'estil de fletxa nou:"
#. xD9BU
#: cui/inc/strings.hrc:324
@@ -1826,7 +1826,7 @@ msgstr "Reconeix els URL"
#: cui/inc/strings.hrc:335
msgctxt "RID_SVXSTR_DETECT_DOI"
msgid "DOI citation recognition"
-msgstr ""
+msgstr "Reconeixement de citacions DOI"
#. JfySE
#: cui/inc/strings.hrc:336
@@ -2061,7 +2061,7 @@ msgstr "Indicador de funció"
#: cui/inc/strings.hrc:382
msgctxt "RID_SVXSTR_COMMANDEXPERIMENTAL"
msgid "Experimental"
-msgstr ""
+msgstr "Experimental"
#. 3FZFt
#: cui/inc/strings.hrc:384
@@ -2121,31 +2121,31 @@ msgstr "Extensions"
#: cui/inc/strings.hrc:394
msgctxt "RID_SVXSTR_ADDITIONS_DICTIONARY"
msgid "Extensions: Dictionary"
-msgstr ""
+msgstr "Extensions: diccionaris"
#. MEZpu
#: cui/inc/strings.hrc:395
msgctxt "RID_SVXSTR_ADDITIONS_GALLERY"
msgid "Extensions: Gallery"
-msgstr ""
+msgstr "Extensions: galeria"
#. R8obE
#: cui/inc/strings.hrc:396
msgctxt "RID_SVXSTR_ADDITIONS_ICONS"
msgid "Extensions: Icons"
-msgstr ""
+msgstr "Extensions: icones"
#. AqGWn
#: cui/inc/strings.hrc:397
msgctxt "RID_SVXSTR_ADDITIONS_PALETTES"
msgid "Extensions: Color Palette"
-msgstr ""
+msgstr "Extensions: paletes de colors"
#. mncuJ
#: cui/inc/strings.hrc:398
msgctxt "RID_SVXSTR_ADDITIONS_TEMPLATES"
msgid "Extensions: Templates"
-msgstr ""
+msgstr "Extensions: plantilles"
#. KTtQE
#: cui/inc/strings.hrc:400
@@ -2157,50 +2157,50 @@ msgstr "Aplica a %MODULE"
#: cui/inc/strings.hrc:402
msgctxt "RID_SVXSTR_OLE_INSERT"
msgid "Inserting OLE object..."
-msgstr ""
+msgstr "S'està inserint l'objecte OLE..."
#. QMiCF
#: cui/inc/strings.hrc:404
msgctxt "RID_CUISTR_CLICK_RESULT"
msgid "(Click on any test to view its resultant bitmap image)"
-msgstr ""
+msgstr "(Feu clic a qualsevol prova per a veure'n el mapa de bits resultant)"
#. BT9KG
#: cui/inc/strings.hrc:405
msgctxt "RID_CUISTR_ZIPFAIL"
msgid "Creation of ZIP file failed."
-msgstr ""
+msgstr "No s'ha pogut crear el fitxer ZIP."
#. 9QSQr
#: cui/inc/strings.hrc:406
msgctxt "RID_CUISTR_SAVED"
msgid "The results have been successfully saved in the file 'GraphicTestResults.zip'!"
-msgstr ""
+msgstr "S'han guardat els resultats al fitxer «GraphicTestResults.zip» correctament."
#. vsprc
#: cui/inc/strings.hrc:407
msgctxt "RID_CUISTR_OPT_READONLY"
msgid "This property is locked for editing."
-msgstr ""
+msgstr "S'ha blocat la modificació d'aquesta propietat."
#. RAA72
#: cui/inc/strings.hrc:409
msgctxt "RID_LANGUAGETOOL_LEAVE_EMPTY"
msgid "Leave this field empty to use the free version"
-msgstr ""
+msgstr "Deixeu buit aquest camp per a fer servir la versió debades"
#. SJCiC
#: cui/inc/strings.hrc:410
msgctxt "RID_LANGUAGETOOL_REST_LEAVE_EMPTY"
msgid "Leave this field empty to use LanguageTool protocol"
-msgstr ""
+msgstr "Deixeu aquest camp buit per a usar el protocol del LanguageTool"
#. FoBUc
#. Translatable names of color schemes
#: cui/inc/strings.hrc:413
msgctxt "RID_COLOR_SCHEME_LIBREOFFICE_AUTOMATIC"
msgid "Automatic"
-msgstr ""
+msgstr "Automàtic"
#. mpS3V
#: cui/inc/tipoftheday.hrc:54
@@ -2219,7 +2219,7 @@ msgstr "Vos cal permetre canvis en parts d'un document de només lectura del Wri
#: cui/inc/tipoftheday.hrc:56
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To print the notes of your slides go to File ▸ Print ▸ %PRODUCTNAME Impress tab and select Notes under Document ▸ Type."
-msgstr ""
+msgstr "Per a imprimir les notes de les diapositives aneu a Fitxer ▸ Imprimeix, pestanya %PRODUCTNAME Impress i seleccioneu Notes a Document ▸ Tipus."
#. TWjA5
#: cui/inc/tipoftheday.hrc:57
@@ -2239,7 +2239,7 @@ msgstr "Escriviu un llibre? El document mestre del %PRODUCTNAME vos permet gesti
#: cui/inc/tipoftheday.hrc:59
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can create editable Hybrid PDFs with %PRODUCTNAME."
-msgstr ""
+msgstr "Podeu crear PDF híbrids amb el %PRODUCTNAME."
#. LBkjN
#: cui/inc/tipoftheday.hrc:60
@@ -2257,7 +2257,7 @@ msgstr "Voleu sumar una cel·la en diversos fulls? Feu referència a l'interval
#: cui/inc/tipoftheday.hrc:62
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can create fillable form documents (even PDFs) with %PRODUCTNAME."
-msgstr ""
+msgstr "Podeu crear documents amb formularis emplenables (també en format PDF) amb el %PRODUCTNAME."
#. BSUoN
#: cui/inc/tipoftheday.hrc:63
@@ -2281,13 +2281,13 @@ msgstr "Trobeu totes les expressions entre cometes mitjançant Edita ▸ Cerca i
#: cui/inc/tipoftheday.hrc:66
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Select a different icon set from Tools ▸ Options ▸ %PRODUCTNAME ▸ View ▸ Icon Theme."
-msgstr ""
+msgstr "Seleccioneu un conjunt d'icones diferent a Eines ▸ Opcions ▸ %PRODUCTNAME ▸ Visualitza ▸ Estil de les icones."
#. Udk4L
#: cui/inc/tipoftheday.hrc:67
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can display a number as a fraction (0.125 = 1/8): Format ▸ Cells, under Numbers tab in the Category select Fraction."
-msgstr ""
+msgstr "Podeu mostrar un nombre com a fracció (0,125 = 1/8): Format ▸ Cel·les, a la pestanya Números, en Categoria seleccioneu Fracció."
#. VxuFm
#: cui/inc/tipoftheday.hrc:68
@@ -2317,7 +2317,7 @@ msgstr "Feu clic en un camp de columna (o fila) d'una taula dinàmica i pitgeu F
#: cui/inc/tipoftheday.hrc:72
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can restart the slide show after a pause specified at Slide Show ▸ Slide Show Settings ▸ Loop and repeat after."
-msgstr ""
+msgstr "Podeu reiniciar la presentació de diapositives després d'una pausa especificada a Presentació de diapositives ▸ Paràmetres de presentació de diapositives ▸ Bucle i repetir després."
#. 5SoBD
#: cui/inc/tipoftheday.hrc:73
@@ -2336,7 +2336,7 @@ msgstr "Utilitzeu Visualitza ▸ Realçament dels colors per a mostrar el contin
#: cui/inc/tipoftheday.hrc:75
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can create different master pages in a presentation template: View ▸ Master Slide and Slide ▸ New Master (or per toolbar or right click in slide pane)."
-msgstr ""
+msgstr "Podeu crear pàgines mestres diferents en la plantilla de presentació: Visualitza ▸ Diapositiva mestra i Diapositiva ▸ Plantillanova (o a la barra d'eines o feu clic dret al panell lateral)."
#. b3KPF
#: cui/inc/tipoftheday.hrc:76
@@ -2379,7 +2379,7 @@ msgstr "Voleu mostrar el contingut d'un altre document dins el vostre document?
#: cui/inc/tipoftheday.hrc:82
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To automatically number table rows in Writer, select the relevant column, then apply a List Style."
-msgstr ""
+msgstr "Per a numerar automàticament les files d'una taula al Writer, seleccioneu la columna rellevant, i després apliqueu un estil de llista."
#. AzNEm
#. no local help URI
@@ -2441,7 +2441,7 @@ msgstr "Per a repetir un encapçalament d'una taula quan una taula ocupa més d'
#: cui/inc/tipoftheday.hrc:92
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to quickly insert or delete rows? Select the desired number of rows (or columns) and press %MOD1+Plus sign (+) to add or %MOD1+Minus sign (-) to delete."
-msgstr ""
+msgstr "Voleu inserir o suprimir files ràpidament? Seleccioneu el nombre desitjat de files (o columnes) i premeu %MOD1+signe de més (+) per a afegir o %MOD1+signe menys (-) per a suprimir."
#. gEysu
#: cui/inc/tipoftheday.hrc:93
@@ -2453,7 +2453,7 @@ msgstr "Per a repetir files/columnes en cada pàgina utilitzeu Format ▸ Imprim
#: cui/inc/tipoftheday.hrc:94
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Insert images and photos into shapes in Draw and Impress. Right-click on a shape, choose Area ▸ Image ▸ Add / Import, and use Options to adjust appearance."
-msgstr ""
+msgstr "Inseriu imatges i fotografies en formes al Draw i a l'Impress. Feu clic amb el botó dret sobre una forma, trieu Àrea ▸ Imatge ▸ Afig o importa, i utilitzeu Opcions per a ajustar l'aparença."
#. W6E2A
#: cui/inc/tipoftheday.hrc:95
@@ -2600,7 +2600,7 @@ msgstr "Obriu un fitxer CSV com a full nou al full de càlcul actual mitjançant
#: cui/inc/tipoftheday.hrc:120
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can continue writing with the default formatting attributes after manually applying bold, italic or underline by pressing %MOD1+Shift+X."
-msgstr ""
+msgstr "Podeu continuar escrivint amb els atributs de formatació predeterminats després d'aplicar manualment negreta, cursiva o subratllat prement %MOD1+Maj+X."
#. iXjDF
#: cui/inc/tipoftheday.hrc:121
@@ -2648,7 +2648,7 @@ msgstr "Per a modificar una presentació de reproducció automàtica, obriu-la i
#: cui/inc/tipoftheday.hrc:128
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Need to position precisely? %MOD2+arrow keys move objects (shapes, pictures, formulas) by one pixel."
-msgstr ""
+msgstr "Vos cal una posició precisa? Feu servir %MOD2+fletxes de direcció per a moure un píxel els objectes (formes, imatges, fórmules)."
#. FhocH
#: cui/inc/tipoftheday.hrc:129
@@ -2684,7 +2684,7 @@ msgstr "Podeu copiar d'un full a un altre sense el porta-retalls. Seleccioneu l'
#: cui/inc/tipoftheday.hrc:134
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can change the look of %PRODUCTNAME via View ▸ User Interface."
-msgstr ""
+msgstr "Podeu canviar l'aspecte del %PRODUCTNAME mitjançant Visualitza ▸ Interfície d'usuari."
#. J853i
#: cui/inc/tipoftheday.hrc:135
@@ -2714,7 +2714,7 @@ msgstr "Escriviu amb l'esquerra? Habiliteu Eines ▸ Opcions ▸ Configuració d
#: cui/inc/tipoftheday.hrc:139
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want headings to always begin a page? Edit the paragraph style applied to the headings. Check “Insert” on the “Text Flow” tab, with Type “Page” and Position “Before”."
-msgstr ""
+msgstr "Voleu que els encapçalaments comencen sempre una pàgina? Editeu l'estil de paràgraf aplicat als encapçalaments. Marqueu «Insereix» a la pestanya «Flux de text», amb el tipus «Pàgina» i la posició «Abans»."
#. UVRgV
#: cui/inc/tipoftheday.hrc:140
@@ -2768,13 +2768,13 @@ msgstr "Trieu «Jeràrquic» a la barra lateral d'Estils per a veure la relació
#: cui/inc/tipoftheday.hrc:148
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can use styles to make the tables in your document consistent. Choose one from the predefined per Styles (F11) or via Table ▸ AutoFormat Styles..."
-msgstr ""
+msgstr "Podeu usar estils per fer coherents les taules del document. Trieu-ne un dels predefinits per Estils (F11) o mitjançant Taula ▸ Estils de formatació automàtica..."
#. XBYtT
#: cui/inc/tipoftheday.hrc:149
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to open hyperlinks without pressing the %MOD1 key? Uncheck “%MOD1+click required to open hyperlinks” in Tools ▸ Options ▸ %PRODUCTNAME ▸ Security ▸ Options ▸ Security Options."
-msgstr ""
+msgstr "Voleu obrir els enllaços sense prémer la tecla %MOD1? Desmarqueu «%MOD1+clic requerit per a obrir enllaços» a Eines ▸ Opcions ▸ %PRODUCTNAME ▸ Seguretat ▸ Opcions ▸ Opcions de seguretat."
#. cCnpG
#: cui/inc/tipoftheday.hrc:150
@@ -2793,7 +2793,7 @@ msgstr "Podeu protegir les cel·les amb Format ▸ Cel·les ▸ Protecció de ce
#: cui/inc/tipoftheday.hrc:152
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Write along a curve? Draw the curve, double click, type the text, Format ▸ Text Box and Shape ▸ Fontwork. Select one of the alignment options: Rotate, Upright, Slant Horizontal or Slant Vertical."
-msgstr ""
+msgstr "Escriure al llarg d'una corba? Dibuixeu la corba, feu-hi doble clic, escriviu el text, Format ▸ Quadre de text i forma ▸ Fontwork. Seleccioneu una de les opcions d'alineació: gira, a dalt, inclina horitzontalment o inclina verticalment."
#. ZE6D5
#: cui/inc/tipoftheday.hrc:153
@@ -2805,7 +2805,7 @@ msgstr "Voleu mostrar només els valors més alts en un full de càlcul? Selecci
#: cui/inc/tipoftheday.hrc:154
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To remove the page number from your table of contents go to Insert ▸ Table of Contents and Index (or right-click and Edit Index to edit a previously inserted index). In the Entries tab delete the page number (#) from Structure line."
-msgstr ""
+msgstr "Per a eliminar el número de pàgina de la taula de continguts aneu a Insereix ▸ Taula de continguts i índex (o feu clic dret i editeu l'índex per a editar un índex inserit prèviament). A la pestanya Entrades, suprimiu el número de pàgina (#) de la línia Estructura."
#. JPu6C
#: cui/inc/tipoftheday.hrc:155
@@ -2817,7 +2817,7 @@ msgstr "Amb el Navigator podeu seleccionar i moure amunt/avall capçaleres i el
#: cui/inc/tipoftheday.hrc:156
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to get a math object into Writer quickly? Type your formula, select it, and use Insert ▸ OLE Object ▸ Formula to convert the text."
-msgstr ""
+msgstr "Voleu obtindre ràpidament un objecte matemàtic al Writer? Escriviu-ne la fórmula, seleccioneu-la i utilitzeu Insereix ▸ Objecte OLE ▸ Fórmula per a convertir el text."
#. Zj7NA
#: cui/inc/tipoftheday.hrc:157
@@ -2847,7 +2847,7 @@ msgstr "El document de Writer no es reobre amb el cursor de text en la mateixa p
#: cui/inc/tipoftheday.hrc:161
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Need to do citation? You can use third-party citation managers such as Zotero."
-msgstr ""
+msgstr "Vos cal fer citacions? Podeu usar gestors de citacions de tercers, com ara el Zotero."
#. ALczh
#: cui/inc/tipoftheday.hrc:162
@@ -2866,7 +2866,7 @@ msgstr "Voleu amagar algun text d'un document? Seleccioneu el text. Insereix ▸
#: cui/inc/tipoftheday.hrc:164
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can customize the middle mouse button by going to Tools ▸ Options ▸ %PRODUCTNAME ▸ View ▸ Mouse ▸ Middle button."
-msgstr ""
+msgstr "Podeu personalitzar el botó central del ratolí anant a Eines ▸ Opcions ▸ %PRODUCTNAME ▸ Visualització ▸ Ratolí ▸ Botó central."
#. qQsXD
#: cui/inc/tipoftheday.hrc:165
@@ -2986,7 +2986,7 @@ msgstr "Els dígits apareixen com a «###» al full de càlcul? La columna és m
#: cui/inc/tipoftheday.hrc:183
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Enable massive parallel calculations of formula cells via Tools ▸ Options ▸ %PRODUCTNAME ▸ OpenCL."
-msgstr ""
+msgstr "Activeu els càlculs massius en paral·lel de les cel·les de fórmula mitjançant Eines ▸ Opcions ▸ %PRODUCTNAME ▸ OpenCL."
#. zAqfX
#. https://help.libreoffice.org/%PRODUCTVERSION/%LANGUAGENAME/text/shared/optionen/opencl.html
@@ -3018,7 +3018,7 @@ msgstr "Per a seleccionar un interval de cel·les continu que continguen dades i
#: cui/inc/tipoftheday.hrc:188
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Your date acceptance pattern is inappropriate? Use Tools ▸ Options ▸ Language Settings ▸ Languages ▸ Date acceptance patterns to tweak the pattern."
-msgstr ""
+msgstr "El patró d'acceptació de la data no és adequat? Per a ajustar-lo, useu Eines ▸ Opcions ▸ Paràmetres de la llengua ▸ Llengües ▸ Patrons d'acceptació de dates."
#. MZyXB
#: cui/inc/tipoftheday.hrc:189
@@ -3068,7 +3068,7 @@ msgstr "Ajusteu el full o els intervals d'impressió a una pàgina amb Format
#: cui/inc/tipoftheday.hrc:196
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Need to include a list item without a bullet or number? Use “Insert Unnumbered Entry” in the Bullets and Numbering toolbar."
-msgstr ""
+msgstr "Heu d'afegir un element de llista sense pic ni numeració? Useu «Insereix una entrada sense numerar» en la barra d'eines de pics i numeració."
#. ZacQo
#: cui/inc/tipoftheday.hrc:197
@@ -3099,7 +3099,7 @@ msgstr "Podeu marcar automàticament les entrades alfabètiques de l'índex fent
#: cui/inc/tipoftheday.hrc:201
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Use Format ▸ Align Objects in Impress or Shape ▸ Align Objects in Draw (or the context menu) for precise positioning of objects: it centers on the page if one object is selected or works on the group respectively."
-msgstr ""
+msgstr "Useu Format ▸ Alinea els objectes en l'Impress o Forma ▸ Alinea els objectes en el Draw (o en el menú contextual) per al posicionament precís dels objectes: si hi ha un objecte seleccionat o un grup d'objectes, se centrarà en la pàgina."
#. TijVG
#: cui/inc/tipoftheday.hrc:202
@@ -3167,7 +3167,7 @@ msgstr "Necessiteu continguts personalitzats per a les propietats de les metadad
#: cui/inc/tipoftheday.hrc:212
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to see, but not print, an object in Draw? Draw it on a layer for which the “Printable” flag is not set (right-click the layer’s tab and choose “Modify Layer”)."
-msgstr ""
+msgstr "Voleu veure, però no imprimir, un objecte en el Draw? Dibuixeu-lo sobre una capa per a la qual no està establit l'indicador «Imprimible» (feu clic dret a la pestanya de la capa i trieu «Modifica la capa»)."
#. CGQaY
#: cui/inc/tipoftheday.hrc:213
@@ -3198,7 +3198,7 @@ msgstr "Canvieu el nom de les diapositives a Impress per a definir millor les in
#: cui/inc/tipoftheday.hrc:217
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Want to display text before a heading number? Open the Numbering tab of the “Heading Numbering” dialog and enter the desired text in “Before”. For example, type “Chapter ” to display “Chapter 1”."
-msgstr ""
+msgstr "Voleu mostrar algun text abans d'un número d'encapçalament? Obriu la pestanya Numeració del diàleg «Encapçalament de la numeració» i introduïu el text desitjat a «Abans». Per exemple, escriviu «Capítol» per a mostrar «Capítol 1»."
#. z3rPd
#: cui/inc/tipoftheday.hrc:218
@@ -3210,7 +3210,7 @@ msgstr "Voleu transposar una taula de Writer? Copieu i enganxeu-la al Calc, tran
#: cui/inc/tipoftheday.hrc:219
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To get the “Vertical Text” tool in the Drawing toolbar, check Tools ▸ Options ▸ Language Settings ▸ Languages ▸ Default languages for Documents ▸ Asian (and make the button visible with right-click and then Visible Buttons ▸ Vertical Text)."
-msgstr ""
+msgstr "Per a obtindre l'eina «Text vertical» a la barra d'eines Dibuix, marqueu Eines ▸ Opcions ▸ Paràmetres de la llengua ▸ Llengües ▸ Llengües predeterminades per als documents ▸ Asiàtic (i feu que el botó siga visible amb un clic dret i després Botons visibles ▸ Text vertical)."
#. mmG7g
#: cui/inc/tipoftheday.hrc:220
@@ -3285,7 +3285,7 @@ msgstr "Per a copiar un comentari sense perdre el contingut de la cel·la object
#: cui/inc/tipoftheday.hrc:231
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Batch-convert your Microsoft Office documents to the OpenDocument format by using the Document Converter wizard in menu File ▸ Wizards ▸ Document Converter."
-msgstr ""
+msgstr "Convertiu per lots els vostres documents del Microsoft Office al format OpenDocument per mitjà de l'auxiliar Convertidor de documents: trieu Fitxer ▸ Auxiliars ▸ Convertidor de documents."
#. WMueE
#: cui/inc/tipoftheday.hrc:232
@@ -3364,7 +3364,7 @@ msgstr "Les barres d'eines són contextuals. S'obren depenent del context. Si no
#: cui/inc/tipoftheday.hrc:244
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can create a master document from the current Writer document by using File ▸ Send ▸ Create Master Document."
-msgstr ""
+msgstr "Podeu crear un document mestre a partir del document Writer actual usant Fitxer ▸ Envia ▸ Crea un document mestre."
#. cPNVv
#: cui/inc/tipoftheday.hrc:245
@@ -3383,13 +3383,13 @@ msgstr "Els marcs es poden vincular perquè el text fluïsca d'un a l'altre com
#: cui/inc/tipoftheday.hrc:247
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "You can create a chart based on a Writer table by clicking in the table and choosing Insert ▸ Chart."
-msgstr ""
+msgstr "Podeu crear un diagrama basat en una taula de Writer fent clic en la taula i triant Insereix ▸ Diagrama."
#. cU6JB
#: cui/inc/tipoftheday.hrc:248
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Select options in Tools ▸ Options ▸ %PRODUCTNAME Writer ▸ Formatting Aids ▸ Display Formatting to specify which non-printing characters are displayed."
-msgstr ""
+msgstr "Seleccioneu les opcions a Eines ▸ Opcions ▸ %PRODUCTNAME Writer ▸ Ajudes a la formatació ▸ Formatació de la pantalla per a especificar quins caràcters no imprimibles es mostren."
#. 9cyVB
#: cui/inc/tipoftheday.hrc:249
@@ -3446,7 +3446,7 @@ msgstr "Calculeu els pagaments de préstecs amb el Calc: p. ex. PMT(2%/12;36;250
#: cui/inc/tipoftheday.hrc:257
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Cannot find what you want with the VLOOKUP function in Calc? With INDEX and MATCH you can do anything!"
-msgstr ""
+msgstr "No trobeu el que voleu amb la funció CONSULTAV del Calc? Amb CONSULTAV i COINCIDEIX ho podeu fer tot!"
#. ARJgA
#. local help missing
@@ -3478,7 +3478,7 @@ msgstr "Obteniu un error estrany en el Calc, Err: seguit d'un número? Aquesta p
#: cui/inc/tipoftheday.hrc:262
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Include a paragraph that is not a heading in the “Table of Contents” by giving a numerical outline level to the paragraph in the “Outline & List” tab in the paragraph settings."
-msgstr ""
+msgstr "Podeu incloure un paràgraf que no siga un encapçalament en la taula de contingut si li atorgueu un nivell numèric d'esquema a la pestanya «Esquema i llista» dels paràmetres del paràgraf."
#. Jx7Fr
#: cui/inc/tipoftheday.hrc:263
@@ -3546,7 +3546,7 @@ msgstr "Voleu que el cursor vagi a la cel·la de la dreta després d'introduir u
#: cui/inc/tipoftheday.hrc:273
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "To display the scrollbar to the left, enable Tools ▸ Options ▸ Language Settings ▸ Languages ▸ Complex text and right click a sheet in Sheet tabs above Status bar ▸ Right-To-Left."
-msgstr ""
+msgstr "Per a mostrar la barra de desplaçament a l'esquerra, activeu Eines ▸ Opcions ▸ Configuració de la llengua ▸ Llengües ▸ Text complex, feu clic dret a la pestanya d'un full, damunt de la barra d'estat, i trieu «De dreta a esquerra»."
#. gqs9W
#: cui/inc/tipoftheday.hrc:274
@@ -3576,13 +3576,13 @@ msgstr "Premeu Maj+F1 per a veure ampliat qualsevol suggeriment disponible als q
#: cui/inc/tipoftheday.hrc:278
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Never use certain arrow styles? Remove them by using the Delete button on the Format ▸ Text Box and Shape ▸ Line ▸ Arrow Styles tab."
-msgstr ""
+msgstr "No utilitzeu mai determinats estils de fletxa? Elimineu-los mitjançant el botó Suprimeix a la pestanya Format ▸ Quadre de text i forma ▸ Línia ▸ Estils de fletxa."
#. q5M6P
#: cui/inc/tipoftheday.hrc:279
msgctxt "RID_CUI_TIPOFTHEDAY"
msgid "Don’t like the position of some icons on your toolbar? Change it with Tools ▸ Customize ▸ Toolbars tab ▸ Target."
-msgstr ""
+msgstr "No vos agrada la posició d'algunes icones de la barra d'eines? Canvieu-ne: Eines ▸ Personalitza ▸ pestanya Barres d'eines ▸ Destinació."
#. hsZPg
#: cui/inc/tipoftheday.hrc:282
@@ -3637,19 +3637,19 @@ msgstr "⌥ Opc"
#: cui/inc/toolbarmode.hrc:23
msgctxt "RID_CUI_TOOLBARMODES"
msgid "Standard user interface with menu, toolbar, and collapsed sidebar. Intended for users who are familiar with the classic interface."
-msgstr ""
+msgstr "Interfície d'usari estàndard amb menú, barra d'eines i barra lateral replegada. Orientada als usuaris familiaritzats amb la interfície clàssica."
#. BoVy3
#: cui/inc/toolbarmode.hrc:24
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Tabbed user interface is the most similar to the Ribbons used in Microsoft Office. It organizes functions in tabs and makes the main menu obsolete."
-msgstr ""
+msgstr "La interfície d'usuari de pestanyes és el més similar a les cintes usades en el Microsoft Office. Organtiza les funcions en pestanyes i fa obsolet el menú principal."
#. 8irik
#: cui/inc/toolbarmode.hrc:25
msgctxt "RID_CUI_TOOLBARMODES"
msgid "Standard user interface but with single-line toolbar. Intended for use on small screens."
-msgstr ""
+msgstr "Interfície d'usuari estàndard amb una única barra d'eines. Orientada a usuaris amb pantalles petites."
#. wKg2Q
#: cui/inc/toolbarmode.hrc:26
@@ -3661,31 +3661,31 @@ msgstr "Interfície d'usuari estàndard amb barra lateral ampliada. Es recomana
#: cui/inc/toolbarmode.hrc:27
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Tabbed Compact variant aims to be familiar with the Microsoft Office interface, yet occupying less space for smaller screens."
-msgstr ""
+msgstr "La variant de pestanyes compacta pretèn ser similar a la interfície del Microsoft Office, però ocupant menys espai en les pantalles petites."
#. oZV6K
#: cui/inc/toolbarmode.hrc:28
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Groupedbar interface provides access to functions in groups, with icons for most-frequently used features, and dropdown menus for others. This full variant favors functions and is slightly larger than others."
-msgstr ""
+msgstr "La interfície de barra agrupada proporciona accés a les funcions en grups, amb icones per a les funcionalitats més usades i menús desplegables per a la resa. Aquesta variant completa afavoreix les funcions i és lleugerament major que les altres."
#. acQKG
#: cui/inc/toolbarmode.hrc:29
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Groupedbar interface provides access to functions in groups, with icons for most-frequently used features, and dropdown menus for others. This compact variant favors vertical space."
-msgstr ""
+msgstr "La interfície Groupedbar proporciona accés a grups de funcions, amb icones per a les funcions més freqüents i, menús desplegables per a les altres. Aquesta variant compacta afavoreix l’espai vertical."
#. eGMCZ
#: cui/inc/toolbarmode.hrc:30
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Contextual Single interface shows functions in a single-line toolbar with context-dependent content."
-msgstr ""
+msgstr "La interfície única contextual mostra funcions en una barra d'eines d'una única línia amb contingut que depèn del context."
#. KFPmR
#: cui/inc/toolbarmode.hrc:31
msgctxt "RID_CUI_TOOLBARMODES"
msgid "The Contextual Groups interface focuses on beginners. It exposes the most frequently used functions on groups with the core action as large icon and a couple of small additional features. All functions have a label. Depending on the context, an additional section provides access to those functions."
-msgstr ""
+msgstr "La interfície de grups contextuals s'orienta als principiants. Exposa les funcions més utilitzades en grups amb l'acció principal com a icona gran i un parell de petites característiques addicionals. Totes les funcions tenen una etiqueta. Depenent del context, una secció addicional proporciona accés a més funcions."
#. Xnz8J
#: cui/inc/treeopt.hrc:34
@@ -3817,13 +3817,13 @@ msgstr "Disposició complexa de text"
#: cui/inc/treeopt.hrc:59
msgctxt "SID_LANGUAGE_OPTIONS_RES"
msgid "LanguageTool Server"
-msgstr ""
+msgstr "Servidor LanguageTool"
#. A3j2S
#: cui/inc/treeopt.hrc:60
msgctxt "SID_LANGUAGE_OPTIONS_RES"
msgid "DeepL Server"
-msgstr ""
+msgstr "Servidor DeepL"
#. TGnig
#: cui/inc/treeopt.hrc:65
@@ -4417,7 +4417,7 @@ msgstr "Copia la informació de la versió en anglés"
#: cui/uiconfig/ui/accelconfigpage.ui:84
msgctxt "accelconfigpage|tooltip|shortcuts"
msgid "To quickly find a shortcut in this list, simply press the key combination."
-msgstr ""
+msgstr "Per trobar ràpidament una drecera en aquesta llista, simplement premeu la combinació de tecles."
#. s4GiG
#: cui/uiconfig/ui/accelconfigpage.ui:121
@@ -4426,6 +4426,8 @@ msgid ""
"Lists the shortcut keys and the associated commands. To assign or modify the shortcut key for the command selected in the Function list, click a shortcut in this list, and then click Modify.\n"
"To quickly find a shortcut in this list, simply press the key combination."
msgstr ""
+"Enumera les tecles de drecera i les ordres associades. Per a assignar o modificar la tecla de drecera per a l'ordre seleccionada en la llista de funcions, feu clic a una drecera en aquesta llista i, a continuació, feu clic a Modifica. \n"
+"Per a trobar ràpidament una drecera en aquesta llista, simplement premeu la combinació de tecles."
#. MP3WF
#: cui/uiconfig/ui/accelconfigpage.ui:133
@@ -4443,7 +4445,7 @@ msgstr "%PRODUCTNAME"
#: cui/uiconfig/ui/accelconfigpage.ui:168
msgctxt "accelconfigpage|extended_tip|office"
msgid "Displays shortcut keys that are common to all the office suite applications."
-msgstr ""
+msgstr "Mostra les tecles de drecera comunes a totes les aplicacions del paquet ofimàtic."
#. jjhUE
#: cui/uiconfig/ui/accelconfigpage.ui:180
@@ -4455,7 +4457,7 @@ msgstr "$(MODULE)"
#: cui/uiconfig/ui/accelconfigpage.ui:189
msgctxt "accelconfigpage|extended_tip|module"
msgid "Displays shortcut keys for the current office suite application."
-msgstr ""
+msgstr "Mostra les tecles de drecera per a l'aplicació actual del paquet ofimàtic."
#. R2nhJ
#: cui/uiconfig/ui/accelconfigpage.ui:216
@@ -4503,13 +4505,13 @@ msgstr "Guarda la configuració actual per a la tecla de drecera per tal que la
#: cui/uiconfig/ui/accelconfigpage.ui:298
msgctxt "accelconfigpage|tooltip|reset"
msgid "Unsaved modifications to shortcut keys are reverted."
-msgstr ""
+msgstr "Es revertiran les modificacions no guardades a les tecles de drecera."
#. stv4J
#: cui/uiconfig/ui/accelconfigpage.ui:302
msgctxt "accelconfigpage|extended_tip|reset"
msgid "Revert any changes made to keyboard shortcuts to the assignments that were present when this dialog was opened."
-msgstr ""
+msgstr "Reverteix els canvis fets a les dreceres de teclat a les assignacions que hi havia quan es va obrir aquest diàleg."
#. BKAsD
#: cui/uiconfig/ui/accelconfigpage.ui:354
@@ -4521,7 +4523,7 @@ msgstr "Escriviu per a buscar"
#: cui/uiconfig/ui/accelconfigpage.ui:357
msgctxt "accelconfigpage|extended_tip|searchEntry"
msgid "Type here to search in the list of functions."
-msgstr ""
+msgstr "Escriviu ací per a cercar en la llista de funcions."
#. T5FGo
#: cui/uiconfig/ui/accelconfigpage.ui:380
@@ -4569,31 +4571,31 @@ msgstr "F_uncions"
#: cui/uiconfig/ui/accelconfigpage.ui:582
msgctxt "accelconfigpage|extended_tip|AccelConfigPage"
msgid "Assigns or edits the shortcut keys for the office suite commands, or Basic macros."
-msgstr ""
+msgstr "Assigna o edita les tecles de drecera per a les ordres del paquet ofimàtic o macros de BASIC."
#. 3zZvu
#: cui/uiconfig/ui/acorexceptpage.ui:56
msgctxt "acorexceptpage|extended_tip|abbrev"
msgid "Type an abbreviation followed by a period, and then click New. This prevents automatic capitalization of the first letter of the word that comes after the period at the end of the abbreviation."
-msgstr ""
+msgstr "Escriviu una abreviatura seguida d'un període i feu clic a Nou. Això evita la majúscula automàtica de la primera lletra de la paraula que ve després del punt al final de l'abreviatura."
#. GUtft
#: cui/uiconfig/ui/acorexceptpage.ui:67
msgctxt "acorexceptpage|autoabbrev"
msgid "Auto_Include"
-msgstr ""
+msgstr "_Inclou automàticament"
#. KRr5y
#: cui/uiconfig/ui/acorexceptpage.ui:73
msgctxt "acorexceptpage|autoabbrev"
msgid "Automatically add to the exception list if autocorrection is immediately undone."
-msgstr ""
+msgstr "Afig automàticament a la llista d'excepcions si la correcció automàtica es desfà immediatament."
#. 7qDG3
#: cui/uiconfig/ui/acorexceptpage.ui:76
msgctxt "acorexceptpage|extended_tip|autoabbrev"
msgid "Adds autocorrected abbreviations to the list of exceptions, if the autocorrection is immediately undone. This feature is only effective when Capitalize first letter of every sentence option is selected in the [T] column on the Options tab of this dialog."
-msgstr ""
+msgstr "Afig abreviatures corregides automàticament a la llista d'excepcions si la correcció automàtica es desfà automàticament. Aquesta funcionalitat només és efectiva si l'opció «Converteix en majúscula la primera lletra de cada frase» està seleccionada en la columna [T] de la pestanya d'opcions d'aquest diàleg."
#. tpV8t
#: cui/uiconfig/ui/acorexceptpage.ui:103
@@ -4629,7 +4631,7 @@ msgstr "Abreviacions (sense majúscula a continuació)"
#: cui/uiconfig/ui/acorexceptpage.ui:247
msgctxt "acorexceptpage|extended_tip|double"
msgid "Type the word or abbreviation that starts with two capital letters or a small initial that you do not want automatically changed to one initial capital. For example, enter PC to prevent a change from PC to Pc, or enter eBook to prevent a change to Ebook."
-msgstr ""
+msgstr "Escriviu la paraula o abreviatura que comença amb dues majúscules o una inicial minúscula que no voleu canviar automàticament a una majúscula inicial. Per exemple, introduïu PC per a evitar un canvi de PC a Pc, o introduïu eBook per a evitar un canvi a Ebook."
#. kAzxB
#: cui/uiconfig/ui/acorexceptpage.ui:258
@@ -4641,13 +4643,13 @@ msgstr "Inc_lusió automàtica"
#: cui/uiconfig/ui/acorexceptpage.ui:264
msgctxt "acorexceptpage|autodouble"
msgid "Automatically add to the exception list if autocorrection is immediately undone."
-msgstr ""
+msgstr "Afegiu automàticament a la llista d’excepcions si es desfà immediatament la correcció automàtica."
#. 7u9Af
#: cui/uiconfig/ui/acorexceptpage.ui:267
msgctxt "acorexceptpage|extended_tip|autodouble"
msgid "Adds autocorrected words that start with two capital letters to the list of exceptions, if the autocorrection is immediately undone. This feature is only effective if the Correct TWo INitial CApitals option is selected in the [T] column on the Options tab of this dialog."
-msgstr ""
+msgstr "Afig a la llista d'excepcions paraules corregides automàticament que comencen amb dues majúscules, si la correcció automàtica es desfà automàticament. Aquesta característica només és efectiva si l'opció «Corregeix DUes MAjúscules al COmençament de PAraula» està seleccionada a la columna [T] en la pestanya d'opcions d'aquest diàleg."
#. AcEEf
#: cui/uiconfig/ui/acorexceptpage.ui:294
@@ -4683,7 +4685,7 @@ msgstr "Paraules amb DUes MAjúscules INicials o uNA mINÚSCULA iNICIAL"
#: cui/uiconfig/ui/acorexceptpage.ui:412
msgctxt "acorexceptpage|extended_tip|AcorExceptPage"
msgid "Specify the abbreviations or letter combinations that you do not want corrected automatically."
-msgstr ""
+msgstr "Indiqueu les abreviatures o combinacions de lletres que no voleu corregir automàticament."
#. Cd7nJ
#: cui/uiconfig/ui/acoroptionspage.ui:84
@@ -4821,7 +4823,7 @@ msgstr "Etiqueta de progrés"
#: cui/uiconfig/ui/additionsdialog.ui:126
msgctxt "additionsdialog|ProgressLabel"
msgid "Progress label"
-msgstr ""
+msgstr "Etiqueta de progrés"
#. SYKGE
#: cui/uiconfig/ui/additionsdialog.ui:127
@@ -4833,7 +4835,7 @@ msgstr "Aquesta etiqueta mostra el progrés de les operacions; com ara les exten
#: cui/uiconfig/ui/additionsdialog.ui:188
msgctxt "additionsdialog|searchEntry"
msgid "Search entry"
-msgstr ""
+msgstr "Entrada de cerca"
#. NrZT8
#: cui/uiconfig/ui/additionsdialog.ui:189
@@ -4863,7 +4865,7 @@ msgstr "Mostra més extensions"
#: cui/uiconfig/ui/additionsfragment.ui:21
msgctxt "additionsDialog|buttonShowMore"
msgid "Button \"Show more\""
-msgstr ""
+msgstr "Botó «Mostra'n més»"
#. i9AoG
#: cui/uiconfig/ui/additionsfragment.ui:22
@@ -5259,7 +5261,7 @@ msgstr "Color"
#: cui/uiconfig/ui/areatabpage.ui:76
msgctxt "areatabpage|extended_tip|btncolor"
msgid "Fills the object with a color selected on this page."
-msgstr ""
+msgstr "Omple l'objecte amb un color seleccionat en aquesta pàgina."
#. zXDcA
#: cui/uiconfig/ui/areatabpage.ui:88
@@ -5277,13 +5279,13 @@ msgstr "Ompli l'objecte amb un degradat seleccionat a la pàgina."
#: cui/uiconfig/ui/areatabpage.ui:106
msgctxt "areatabpage|btnbitmap"
msgid "Image"
-msgstr ""
+msgstr "Imatge"
#. ELAno
#: cui/uiconfig/ui/areatabpage.ui:112
msgctxt "areatabpage|extended_tip|btnbitmap"
msgid "Fills the object with a bitmap image selected on this page."
-msgstr ""
+msgstr "Omple l'objecte amb una imatge de mapa de bits seleccionada en aquesta pàgina."
#. 9q7GD
#: cui/uiconfig/ui/areatabpage.ui:124
@@ -5295,7 +5297,7 @@ msgstr "Patró"
#: cui/uiconfig/ui/areatabpage.ui:130
msgctxt "areatabpage|extended_tip|btnpattern"
msgid "Fills the object with a dot pattern selected on this page."
-msgstr ""
+msgstr "Omple l'objecte amb un patró de punts seleccionat en aquesta pàgina."
#. 5y6vj
#: cui/uiconfig/ui/areatabpage.ui:142
@@ -5313,13 +5315,13 @@ msgstr "Ompli l'objecte amb el patró d'ombreig que se seleccioni en aquesta pà
#: cui/uiconfig/ui/areatabpage.ui:160
msgctxt "areatabpage|btnusebackground"
msgid "Use Background"
-msgstr ""
+msgstr "Usa el fons"
#. BEBkY
#: cui/uiconfig/ui/areatabpage.ui:166
msgctxt "areatabpage|extended_tip|btnusebackground"
msgid "Displays the underlying slide background."
-msgstr ""
+msgstr "Mostra el fons subjacent de la diapositiva."
#. TFDzi
#: cui/uiconfig/ui/areatabpage.ui:220
@@ -5667,43 +5669,43 @@ msgstr "_Color:"
#: cui/uiconfig/ui/borderpage.ui:283
msgctxt "borderpage|linewidthlb"
msgid "Hairline (0.05pt)"
-msgstr ""
+msgstr "Finíssima (0,05 pt)"
#. u3nzv
#: cui/uiconfig/ui/borderpage.ui:284
msgctxt "borderpage|linewidthlb"
msgid "Very thin (0.5pt)"
-msgstr ""
+msgstr "Molt fina (0,5 pt)"
#. aWBEL
#: cui/uiconfig/ui/borderpage.ui:285
msgctxt "borderpage|linewidthlb"
msgid "Thin (0.75pt)"
-msgstr ""
+msgstr "Fina (0,75 pt)"
#. NGkAL
#: cui/uiconfig/ui/borderpage.ui:286
msgctxt "borderpage|linewidthlb"
msgid "Medium (1.5pt)"
-msgstr ""
+msgstr "Mitjana (1,5 pt)"
#. H2AVr
#: cui/uiconfig/ui/borderpage.ui:287
msgctxt "borderpage|linewidthlb"
msgid "Thick (2.25pt)"
-msgstr ""
+msgstr "Gruixuda (2,25 pt)"
#. b5UoB
#: cui/uiconfig/ui/borderpage.ui:288
msgctxt "borderpage|linewidthlb"
msgid "Extra thick (4.5pt)"
-msgstr ""
+msgstr "Extra gruixuda (4,5 pt)"
#. ACvsP
#: cui/uiconfig/ui/borderpage.ui:289
msgctxt "borderpage|linewidthlb"
msgid "Custom"
-msgstr ""
+msgstr "Personalitzada"
#. uwByw
#: cui/uiconfig/ui/borderpage.ui:333
@@ -5787,7 +5789,7 @@ msgstr "_Fusiona amb el paràgraf següent"
#: cui/uiconfig/ui/borderpage.ui:647
msgctxt "borderpage|mergewithnext"
msgid "Merge indent, border and shadow style of current paragraph with next paragraph, if they are the same."
-msgstr ""
+msgstr "Combineu l'estil de sagnat, vora i ombra del paràgraf actual amb el del següent, si són els mateixos."
#. xkm5N
#: cui/uiconfig/ui/borderpage.ui:658
@@ -5877,7 +5879,7 @@ msgstr "Tipus:"
#: cui/uiconfig/ui/bulletandposition.ui:280
msgctxt "bulletandposition|extended_tip|numfmtlb"
msgid "Select the level(s) that you want to modify. To apply the options to all the levels, select “1-10”."
-msgstr ""
+msgstr "Indiqueu els nivells que voleu modificar. Per a aplicar les opcions a tots els nivells, indiqueu «1-10»."
#. mp5Si
#: cui/uiconfig/ui/bulletandposition.ui:293
@@ -5895,7 +5897,7 @@ msgstr "1"
#: cui/uiconfig/ui/bulletandposition.ui:315
msgctxt "bulletandposition|extended_tip|startat"
msgid "For ordered lists, select the value of first item of the list."
-msgstr ""
+msgstr "Per a llistes ordenades, indiqueu el valor del primer element de la llista."
#. Jtk6d
#: cui/uiconfig/ui/bulletandposition.ui:328
@@ -5913,7 +5915,7 @@ msgstr "Selecciona..."
#: cui/uiconfig/ui/bulletandposition.ui:346
msgctxt "bulletandposition|extended_tip|bullet"
msgid "Select the character for the unordered list."
-msgstr ""
+msgstr "Indiqueu els caràcters per a les llistes sense ordenar."
#. oJgFH
#: cui/uiconfig/ui/bulletandposition.ui:357
@@ -5925,7 +5927,7 @@ msgstr "Selecciona una imatge..."
#: cui/uiconfig/ui/bulletandposition.ui:369
msgctxt "bulletandposition|extended_tip|bitmap"
msgid "Select a graphic bullet."
-msgstr ""
+msgstr "Seleccioneu un pic gràfic."
#. Cv7BZ
#: cui/uiconfig/ui/bulletandposition.ui:382
@@ -5937,7 +5939,7 @@ msgstr "Color:"
#: cui/uiconfig/ui/bulletandposition.ui:405
msgctxt "bulletandposition|extended_tip|color"
msgid "Select the color of the list characters for ordered and unordered lists."
-msgstr ""
+msgstr "Seleccioneu el color dels caràcters de la llista per a les llistes ordenades i no ordenades."
#. jxFmf
#: cui/uiconfig/ui/bulletandposition.ui:430
@@ -5961,13 +5963,13 @@ msgstr "Després:"
#: cui/uiconfig/ui/bulletandposition.ui:494
msgctxt "bulletandposition|extended_tip|suffix"
msgid "Enter the text to display after the numbering."
-msgstr ""
+msgstr "Introduïu el text que es mostrarà després de la numeració."
#. u9Bhq
#: cui/uiconfig/ui/bulletandposition.ui:511
msgctxt "bulletandposition|extended_tip|prefix"
msgid "Enter the text to display before the numbering."
-msgstr ""
+msgstr "Introduïu el text que es mostrarà abans de la numeració."
#. GAS5v
#: cui/uiconfig/ui/bulletandposition.ui:526
@@ -5991,13 +5993,13 @@ msgstr "Alçària:"
#: cui/uiconfig/ui/bulletandposition.ui:604
msgctxt "bulletandposition|extended_tip|widthmf"
msgid " Enter the width of the graphic bullet character. "
-msgstr ""
+msgstr " Introduïu l'amplària del caràcter del pic gràfic. "
#. twiWp
#: cui/uiconfig/ui/bulletandposition.ui:623
msgctxt "bulletandposition|extended_tip|heightmf"
msgid " Enter the height of the graphic bullet character. "
-msgstr ""
+msgstr " Introduïu l'alçària del caràcter del pic gràfic. "
#. vqDku
#: cui/uiconfig/ui/bulletandposition.ui:657
@@ -6009,7 +6011,7 @@ msgstr "100"
#: cui/uiconfig/ui/bulletandposition.ui:663
msgctxt "bulletandposition|extended_tip|relsize"
msgid "For character unordered and ordered lists, set the relative size of the list character. The relative size applies to the Before and After text as well."
-msgstr ""
+msgstr "Per a llistes de caràcters ordenades i sense ordenar, indiqueu la mida relativa del caràcter de la llista. La mida relativa tambe s'aplica als textos Abans i Després."
#. pGXFi
#: cui/uiconfig/ui/bulletandposition.ui:676
@@ -6027,7 +6029,7 @@ msgstr "Conserva la relació"
#: cui/uiconfig/ui/bulletandposition.ui:702
msgctxt "bulletandposition|extended_tip|keepratio"
msgid "Check this box to preserve the height-to-width ratio of the graphic bullet."
-msgstr ""
+msgstr "Marqueu aquesta casella de verificació per a preservar la raó amplària/alçària del pic gràfic."
#. EhFU7
#: cui/uiconfig/ui/bulletandposition.ui:734
@@ -6051,25 +6053,25 @@ msgstr "Amplària:"
#: cui/uiconfig/ui/bulletandposition.ui:795
msgctxt "bulletandposition|indentmf"
msgid "0.00"
-msgstr ""
+msgstr "0,00"
#. nCTvW
#: cui/uiconfig/ui/bulletandposition.ui:801
msgctxt "bulletandposition|extended_tip|indentmf"
msgid "Enter the distance from the left edge of the containing object to the start of all lines in the list."
-msgstr ""
+msgstr "Indiqueu la distància des de l'aresta esquerra de l'objecte contenidor a l'inici de totes les línies de la llista."
#. 3P2DN
#: cui/uiconfig/ui/bulletandposition.ui:815
msgctxt "bulletandposition|numberingwidthmf"
msgid "0.00"
-msgstr ""
+msgstr "0,00"
#. EEFpF
#: cui/uiconfig/ui/bulletandposition.ui:821
msgctxt "bulletandposition|extended_tip|numberingwidthmf"
msgid " Enter or select the width of the list element. "
-msgstr ""
+msgstr " Entreu o seleccioneu l'amplària de l'element de la llista. "
#. CRdNb
#: cui/uiconfig/ui/bulletandposition.ui:832
@@ -6081,25 +6083,25 @@ msgstr "Relati_va"
#: cui/uiconfig/ui/bulletandposition.ui:840
msgctxt "bulletandposition|extended_tip|relative"
msgid "Relative to the upper list level. The entered value is added to that of this field in the level before. If “Indent: 20mm” on list level 1 and “Indent: 10mm Relative” on list level 2 will result in an effective indent of 30mm for level 2."
-msgstr ""
+msgstr "Relatiu al nivell superior de la llista. El valor introduït s'afig al que té aquest camp en el nivell anterior. Si tenim «Sagnat: 20 mm» en el nivell de llista 1 i «Sagnat: 10 mm relatiu» en el nivell de llista 2, el resultat serà un sagnat efectiu de 30 mm en el nivell 2."
#. zC5eX
#: cui/uiconfig/ui/bulletandposition.ui:864
msgctxt "bulletandposition|extended_tip|center"
msgid "Align bullet on the center of the list element."
-msgstr ""
+msgstr "Alinea el pic al centre de la llista d'elements."
#. sdBx9
#: cui/uiconfig/ui/bulletandposition.ui:882
msgctxt "bulletandposition|extended_tip|left"
msgid "Align bullet on the left of the list element."
-msgstr ""
+msgstr "Alinea el pic a l'esquerra de la llista d'elements."
#. TFMgS
#: cui/uiconfig/ui/bulletandposition.ui:900
msgctxt "bulletandposition|extended_tip|right"
msgid "Align bullet on the right of the list element."
-msgstr ""
+msgstr "Alinea el pic a la dreta de la llista d'elements."
#. FhAfv
#: cui/uiconfig/ui/bulletandposition.ui:919
@@ -6123,7 +6125,7 @@ msgstr "Diapositiva"
#: cui/uiconfig/ui/bulletandposition.ui:975
msgctxt "bulletandposition|extended_tip|sliderb"
msgid "Applies the modification to the whole slide or page."
-msgstr ""
+msgstr "Aplica la modificació a tota la diapositiva o pàgina."
#. dBWa8
#: cui/uiconfig/ui/bulletandposition.ui:986
@@ -6135,7 +6137,7 @@ msgstr "Selecció"
#: cui/uiconfig/ui/bulletandposition.ui:994
msgctxt "bulletandposition|extended_tip|left"
msgid "Applies the modification to the selection."
-msgstr ""
+msgstr "Aplica la modificació a la selecció."
#. ATaHy
#: cui/uiconfig/ui/bulletandposition.ui:1005
@@ -6147,7 +6149,7 @@ msgstr "Aplica al mestre"
#: cui/uiconfig/ui/bulletandposition.ui:1012
msgctxt "bulletandposition|extended_tip|applytomaster"
msgid "Click to apply the modification to all slides that use the current master slide."
-msgstr ""
+msgstr "Feu clic per aplicar la modificació a totes les diapositives que utilitzen la diapositiva mestra actual."
#. DiEaB
#: cui/uiconfig/ui/bulletandposition.ui:1028
@@ -6387,7 +6389,7 @@ msgstr "Apilat _verticalment"
#: cui/uiconfig/ui/cellalignment.ui:132
msgctxt "cellalignment|extended_tip|checkVertStack"
msgid "Text direction vertically."
-msgstr ""
+msgstr "Text en direcció vertical."
#. XBFYt
#: cui/uiconfig/ui/cellalignment.ui:143
@@ -6711,13 +6713,13 @@ msgstr "Característiques..."
#: cui/uiconfig/ui/charnamepage.ui:280
msgctxt "charnamepage|extended_tip|westfontnamelb-nocjk"
msgid "Select the font that you want to apply."
-msgstr ""
+msgstr "Seleccioneu la lletra tipogràfica que voleu aplicar."
#. a6gqN
#: cui/uiconfig/ui/charnamepage.ui:337
msgctxt "charnamepage|Tab_Western"
msgid "Western"
-msgstr ""
+msgstr "Occidental"
#. q4WZB
#: cui/uiconfig/ui/charnamepage.ui:383
@@ -6753,7 +6755,7 @@ msgstr "Característiques..."
#: cui/uiconfig/ui/charnamepage.ui:527
msgctxt "charnamepage|extended_tip|trCJKFontName"
msgid "Select the font that you want to apply."
-msgstr ""
+msgstr "Seleccioneu la lletra tipogràfica que voleu aplicar."
#. KLJQT
#: cui/uiconfig/ui/charnamepage.ui:576
@@ -6765,7 +6767,7 @@ msgstr "Defineix la llengua que el verificador ortogràfic ha d'utilitzar per co
#: cui/uiconfig/ui/charnamepage.ui:616
msgctxt "charnamepage|Tab_Asian"
msgid "Asian"
-msgstr ""
+msgstr "Asiàtic"
#. FSm5y
#: cui/uiconfig/ui/charnamepage.ui:666
@@ -6807,13 +6809,13 @@ msgstr "Defineix la llengua que el verificador ortogràfic ha d'utilitzar per co
#: cui/uiconfig/ui/charnamepage.ui:814
msgctxt "charnamepage|extended_tip|trCTLFontName"
msgid "Select the font that you want to apply."
-msgstr ""
+msgstr "Seleccioneu la lletra tipogràfica que voleu aplicar."
#. U2Qki
#: cui/uiconfig/ui/charnamepage.ui:873
msgctxt "charnamepage|Tab_Complex"
msgid "Complex"
-msgstr ""
+msgstr "Complex"
#. RyyME
#: cui/uiconfig/ui/charnamepage.ui:914
@@ -6837,7 +6839,7 @@ msgstr "Límits del text"
#: cui/uiconfig/ui/colorconfigwin.ui:98
msgctxt "colorconfigwin|docboundaries_lb"
msgid "Text boundaries color"
-msgstr ""
+msgstr "Color de les vores del text"
#. dWQqH
#: cui/uiconfig/ui/colorconfigwin.ui:113
@@ -6855,7 +6857,7 @@ msgstr "Límits de l'objecte"
#: cui/uiconfig/ui/colorconfigwin.ui:175
msgctxt "colorconfigwin|objboundaries_lb"
msgid "Object boundaries color"
-msgstr ""
+msgstr "Color de les vores de l'objecte"
#. KsUa5
#: cui/uiconfig/ui/colorconfigwin.ui:186
@@ -6867,7 +6869,7 @@ msgstr "Marcs de taula"
#: cui/uiconfig/ui/colorconfigwin.ui:219
msgctxt "colorconfigwin|tblboundaries_lb"
msgid "Table boundaries color"
-msgstr ""
+msgstr "Color de les vores de la taula"
#. TkNp4
#: cui/uiconfig/ui/colorconfigwin.ui:234
@@ -6885,7 +6887,7 @@ msgstr "Enllaços no visitats"
#: cui/uiconfig/ui/colorconfigwin.ui:296
msgctxt "colorconfigwin|unvisitedlinks_lb"
msgid "Unvisited links color"
-msgstr ""
+msgstr "Color dels enllaços no visitats"
#. UTPiE
#: cui/uiconfig/ui/colorconfigwin.ui:307
@@ -6897,13 +6899,13 @@ msgstr "Enllaços visitats"
#: cui/uiconfig/ui/colorconfigwin.ui:340
msgctxt "colorconfigwin|visitedlinks_lb"
msgid "Visited links color"
-msgstr ""
+msgstr "Color dels enllaços visitats"
#. QA2Eq
#: cui/uiconfig/ui/colorconfigwin.ui:355
msgctxt "colorconfigwin|autospellcheck"
msgid "Spelling mistakes"
-msgstr ""
+msgstr "Errors ortogràfics"
#. CpXy5
#: cui/uiconfig/ui/colorconfigwin.ui:388
@@ -6921,7 +6923,7 @@ msgstr "Ombres"
#: cui/uiconfig/ui/colorconfigwin.ui:450
msgctxt "colorconfigwin|shadows_lb"
msgid "Shadows color"
-msgstr ""
+msgstr "Color de les ombres"
#. hDvCW
#: cui/uiconfig/ui/colorconfigwin.ui:465
@@ -6945,7 +6947,7 @@ msgstr "Ombreigs dels camps"
#: cui/uiconfig/ui/colorconfigwin.ui:562
msgctxt "colorconfigwin|field_lb"
msgid "Field shadings color"
-msgstr ""
+msgstr "Color de les ombres del camp"
#. DqZGn
#: cui/uiconfig/ui/colorconfigwin.ui:573
@@ -6957,7 +6959,7 @@ msgstr "Ombreigs dels índexs i taules"
#: cui/uiconfig/ui/colorconfigwin.ui:606
msgctxt "colorconfigwin|index_lb"
msgid "Index and table shadings color"
-msgstr ""
+msgstr "Índex i taula de color de les ombres"
#. wBw2w
#: cui/uiconfig/ui/colorconfigwin.ui:621
@@ -6975,7 +6977,7 @@ msgstr "Límits de secció"
#: cui/uiconfig/ui/colorconfigwin.ui:683
msgctxt "colorconfigwin|section_lb"
msgid "Section boundaries color"
-msgstr ""
+msgstr "Color dels límits de la secció"
#. wHL6h
#: cui/uiconfig/ui/colorconfigwin.ui:698
@@ -6999,7 +7001,7 @@ msgstr "Cursor directe"
#: cui/uiconfig/ui/colorconfigwin.ui:797
msgctxt "colorconfigwin|autospellcheck"
msgid "Grammar mistakes"
-msgstr ""
+msgstr "Errors gramaticals"
#. ZZcPY
#: cui/uiconfig/ui/colorconfigwin.ui:830
@@ -7083,37 +7085,37 @@ msgstr "Fons de les cel·les protegides"
#: cui/uiconfig/ui/colorconfigwin.ui:1257
msgctxt "colorconfigwin|hiddencolrow"
msgid "Hidden columns/rows"
-msgstr ""
+msgstr "Columnes/files amagades"
#. gTFFH
#: cui/uiconfig/ui/colorconfigwin.ui:1290
msgctxt "colorconfigwin|hiddencolrow_lb"
msgid "Hidden row/column color"
-msgstr ""
+msgstr "Color de files i columnes amagades"
#. RVJW4
#: cui/uiconfig/ui/colorconfigwin.ui:1301
msgctxt "colorconfigwin|textoverflow"
msgid "Text overflow"
-msgstr ""
+msgstr "Desbordament de text"
#. Vz3no
#: cui/uiconfig/ui/colorconfigwin.ui:1334
msgctxt "colorconfigwin|textoverflow_lb"
msgid "Text overflow color"
-msgstr ""
+msgstr "Color de desbordament de text"
#. MS6yj
#: cui/uiconfig/ui/colorconfigwin.ui:1357
msgctxt "colorconfigwin|comments_lb"
msgid "Comments color"
-msgstr ""
+msgstr "Color dels comentaris"
#. RzbUK
#: cui/uiconfig/ui/colorconfigwin.ui:1372
msgctxt "colorconfigwin|comments"
msgid "Comments"
-msgstr ""
+msgstr "Comentaris"
#. mA6HV
#: cui/uiconfig/ui/colorconfigwin.ui:1387
@@ -7179,7 +7181,7 @@ msgstr "Error"
#: cui/uiconfig/ui/colorconfigwin.ui:1739
msgctxt "colorconfigwin|basiceditor"
msgid "Editor background"
-msgstr ""
+msgstr "Fons de l'editor"
#. 4JokA
#: cui/uiconfig/ui/colorconfigwin.ui:1754
@@ -7275,7 +7277,7 @@ msgstr "Paleta:"
#: cui/uiconfig/ui/colorpage.ui:112
msgctxt "colorpage|btnMoreColors"
msgid "Add color palettes via extension"
-msgstr ""
+msgstr "Afig paletes de color mitjançant una extensió"
#. fKSac
#: cui/uiconfig/ui/colorpage.ui:140
@@ -7687,7 +7689,7 @@ msgstr "CMYK"
#: cui/uiconfig/ui/colorpickerdialog.ui:812
msgctxt "extended tip | ColorPicker"
msgid "Define custom colors using a two-dimensional graphic and numerical gradient chart of the Pick a Color dialog."
-msgstr ""
+msgstr "Defineix els colors personalitzats utilitzant un diagrama de degradats en dues dimensions i numèric del diàleg Tria un color."
#. vDFei
#: cui/uiconfig/ui/comment.ui:18
@@ -7909,7 +7911,7 @@ msgstr "Seleccioneu un controlador de la llista i activeu la casella de selecci
#: cui/uiconfig/ui/connpooloptions.ui:164
msgctxt "connpooloptions|timeoutlabel"
msgid "_Timeout (seconds):"
-msgstr ""
+msgstr "_Temps d'espera (segons):"
#. CUE56
#: cui/uiconfig/ui/connpooloptions.ui:186
@@ -8071,19 +8073,19 @@ msgstr "Introduïu un nom per a la imatge."
#: cui/uiconfig/ui/cuiimapdlg.ui:245
msgctxt "cuiimapdlg|label4"
msgid "_Text Alternative:"
-msgstr ""
+msgstr "Alternativa de _text:"
#. EP7Gk
#: cui/uiconfig/ui/cuiimapdlg.ui:246
msgctxt "cuiimapdlg|label4"
msgid "Enter a short description of essential features of the image map for persons who do not see the image."
-msgstr ""
+msgstr "Introduïu una breu descripció de les característiques essencials del mapa d'imatge per a les persones que no veuen la imatge."
#. YrTXB
#: cui/uiconfig/ui/cuiimapdlg.ui:266
msgctxt "cuiimapdlg|extended_tip|textentry"
msgid "Enter the text that you want to display when the mouse rests on the hotspot in a browser. This text can also be used by assistive technologies."
-msgstr ""
+msgstr "Introduïu el text que voleu mostrar quan el ratolí es quede en el punt actiu en un navegador. Aquest text també pot ser utilitzat per tecnologies d'assistència."
#. bsgYj
#: cui/uiconfig/ui/cuiimapdlg.ui:294
@@ -8095,7 +8097,7 @@ msgstr "_Descripció:"
#: cui/uiconfig/ui/cuiimapdlg.ui:295
msgctxt "cuiimapdlg|label5"
msgid "Give a longer explanation of the image map if it is too complex to be described briefly in “Text Alternative.”"
-msgstr ""
+msgstr "Doneu una explicació més llarga del mapa d'imatge si és massa complex per a ser descrit breument a «Alternativa de text»."
#. mF6Pw
#: cui/uiconfig/ui/cuiimapdlg.ui:324
@@ -8185,7 +8187,7 @@ msgstr "_Nom registrat:"
#: cui/uiconfig/ui/databaselinkdialog.ui:180
msgctxt "extended_tip|name"
msgid "Enter a name for the database. The office suite uses this name to access the database."
-msgstr ""
+msgstr "Introduïu un nom per a la base de dades. El paquet ofimàtic utilitza aquest nom per a accedir a la base de dades."
#. FrRyU
#: cui/uiconfig/ui/databaselinkdialog.ui:199
@@ -8389,7 +8391,7 @@ msgstr "_Paral·lel a la línia"
#: cui/uiconfig/ui/dimensionlinestabpage.ui:440
msgctxt "dimensionlinestabpage|extended_tip|TSB_PARALLEL"
msgid "If enabled, displays the text parallel to the dimension line. If disabled, the text is shown at 90 degrees to the dimension line."
-msgstr ""
+msgstr "Si s'activa, mostra el text paral·lelament a la línia de cota. Si es desactiva, el text es mostra a 90 graus de la línia de cota."
#. QNscD
#: cui/uiconfig/ui/dimensionlinestabpage.ui:452
@@ -8401,7 +8403,7 @@ msgstr "Mostra les unitats de _mesura"
#: cui/uiconfig/ui/dimensionlinestabpage.ui:461
msgctxt "dimensionlinestabpage|extended_tip|TSB_SHOW_UNIT"
msgid "Shows or hides the dimension measurement unit. You can select a measurement unit you want to display from the list."
-msgstr ""
+msgstr "Mostra o amaga la unitat de mesura de la cota. Podeu seleccionar la unitat de mesura que voleu mostrar de la llista."
#. EEaqi
#: cui/uiconfig/ui/dimensionlinestabpage.ui:479
@@ -8557,7 +8559,7 @@ msgstr "Decrementa la prioritat del mòdul seleccionat al quadre de llista en un
#: cui/uiconfig/ui/editmodulesdialog.ui:234
msgctxt "editmodulesdialog|back"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. FuJDd
#: cui/uiconfig/ui/editmodulesdialog.ui:241
@@ -8587,13 +8589,13 @@ msgstr "Previsualització"
#: cui/uiconfig/ui/effectspage.ui:75
msgctxt "effectspage|effectsft"
msgid "_Case:"
-msgstr ""
+msgstr "_Majúscules i minúscules:"
#. hhfhW
#: cui/uiconfig/ui/effectspage.ui:89
msgctxt "effectspage|reliefft"
msgid "R_elief:"
-msgstr ""
+msgstr "R_elleu:"
#. HSdYT
#: cui/uiconfig/ui/effectspage.ui:104
@@ -8713,19 +8715,19 @@ msgstr "Indiqueu on mostrar les marques d'ènfasi."
#: cui/uiconfig/ui/effectspage.ui:186
msgctxt "effectspage|positionft"
msgid "_Position:"
-msgstr ""
+msgstr "_Posició:"
#. 5okoC
#: cui/uiconfig/ui/effectspage.ui:200
msgctxt "effectspage|emphasisft"
msgid "Emphasis _mark:"
-msgstr ""
+msgstr "_Marca d'èmfasi:"
#. cDkSo
#: cui/uiconfig/ui/effectspage.ui:212
msgctxt "effectspage|outlinecb"
msgid "Outli_ne"
-msgstr ""
+msgstr "Co_ntorn"
#. fXVDq
#: cui/uiconfig/ui/effectspage.ui:221
@@ -8737,7 +8739,7 @@ msgstr "Mostra el contorn dels caràcters seleccionats. Este efecte no funciona
#: cui/uiconfig/ui/effectspage.ui:232
msgctxt "effectspage|shadowcb"
msgid "Shado_w"
-msgstr ""
+msgstr "O_mbra"
#. 8tyio
#: cui/uiconfig/ui/effectspage.ui:241
@@ -8749,7 +8751,7 @@ msgstr "Afig una ombra a la part dreta i inferior dels caràcters seleccionats."
#: cui/uiconfig/ui/effectspage.ui:252
msgctxt "effectspage|hiddencb"
msgid "Hi_dden"
-msgstr ""
+msgstr "_Ocult"
#. wFPA3
#: cui/uiconfig/ui/effectspage.ui:261
@@ -8767,19 +8769,19 @@ msgstr "Efectes"
#: cui/uiconfig/ui/effectspage.ui:324
msgctxt "effectspage|label46"
msgid "O_verlining:"
-msgstr ""
+msgstr "So_breratllat:"
#. ceoHc
#: cui/uiconfig/ui/effectspage.ui:338
msgctxt "effectspage|label47"
msgid "Stri_kethrough:"
-msgstr ""
+msgstr "Ra_tllat:"
#. Qisd2
#: cui/uiconfig/ui/effectspage.ui:352
msgctxt "effectspage|label48"
msgid "_Underlining:"
-msgstr ""
+msgstr "_Subratllat:"
#. EGta9
#: cui/uiconfig/ui/effectspage.ui:367 cui/uiconfig/ui/effectspage.ui:401
@@ -8953,7 +8955,7 @@ msgstr "Seleccioneu el color del sobreratllat."
#: cui/uiconfig/ui/effectspage.ui:501
msgctxt "effectspage|individualwordscb"
msgid "_Individual words"
-msgstr ""
+msgstr "Paraules _individuals"
#. AP5Gy
#: cui/uiconfig/ui/effectspage.ui:509
@@ -8971,7 +8973,7 @@ msgstr "Decoració de text"
#: cui/uiconfig/ui/effectspage.ui:585
msgctxt "effectspage|fontcolorft"
msgid "_Font color:"
-msgstr ""
+msgstr "Color de la _lletra:"
#. ttwFt
#: cui/uiconfig/ui/effectspage.ui:608
@@ -9121,7 +9123,7 @@ msgstr "Suprimeix la macro assignada a l'entrada seleccionada."
#: cui/uiconfig/ui/eventassignpage.ui:237
msgctxt "eventassignpage|extended_tip|libraries"
msgid "Lists the office suite program and any open documents."
-msgstr ""
+msgstr "Mostra el programa de paquet ofimàtic i els documents oberts."
#. y7Vyi
#: cui/uiconfig/ui/eventassignpage.ui:248
@@ -9181,7 +9183,7 @@ msgstr "Esborra la macro o component assignat a l'esdeveniment seleccionat,"
#: cui/uiconfig/ui/eventsconfigpage.ui:100
msgctxt "eventsconfigpage|deleteall"
msgid "Remove _All"
-msgstr ""
+msgstr "Suprimeix-ho _tot"
#. Ebcvv
#: cui/uiconfig/ui/eventsconfigpage.ui:144
@@ -9193,7 +9195,7 @@ msgstr "Guarda a:"
#: cui/uiconfig/ui/eventsconfigpage.ui:161
msgctxt "eventsconfigpage|extended_tip|savein"
msgid "Select first where to save the event binding, in the current document or in the office suite."
-msgstr ""
+msgstr "Seleccioneu primer on guardar l'associació de l'esdeveniment, en el document actual o en el paquet ofimàtic."
#. C6KwW
#: cui/uiconfig/ui/eventsconfigpage.ui:200
@@ -9223,19 +9225,19 @@ msgstr "Permet assignar macros a esdeveniments del programa. La macro assignada
#: cui/uiconfig/ui/fileextcheckdialog.ui:32
msgctxt "FileExtCheck|Checkbox"
msgid "_Perform check on startup"
-msgstr ""
+msgstr "_Realitza la comprovació a l'inici"
#. Bjfzv
#: cui/uiconfig/ui/fileextcheckdialog.ui:36
msgctxt "FileExtCheck|Checkbox_Tooltip"
msgid "Enable the dialog again at Tools > Options > General"
-msgstr ""
+msgstr "Torneu a activar el diàleg a Eines > Opcions > General"
#. mGEv5
#: cui/uiconfig/ui/fileextcheckdialog.ui:64
msgctxt "FileExtCheckDialog|Ok_Button"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. BvWSS
#: cui/uiconfig/ui/fmsearchdialog.ui:8
@@ -9259,7 +9261,7 @@ msgstr "Inicia o cancel·la la busca."
#: cui/uiconfig/ui/fmsearchdialog.ui:52
msgctxt "fmsearchdialog|extended_tip|close"
msgid "Closes the dialog. The settings of the last search will be saved until you quit the office suite."
-msgstr ""
+msgstr "Tanca el diàleg. La configuració de l'última cerca es guardarà fins que eixiu del paquet ofimàtic."
#. UPeyv
#: cui/uiconfig/ui/fmsearchdialog.ui:144
@@ -9541,13 +9543,13 @@ msgstr "Característiques de la lletra"
#: cui/uiconfig/ui/fontfeaturesdialog.ui:141
msgctxt "fontfeaturesdialog"
msgid "Stylistic Sets"
-msgstr ""
+msgstr "Conjunts estilístics"
#. PJ2PF
#: cui/uiconfig/ui/fontfeaturesdialog.ui:193
msgctxt "fontfeaturesdialog"
msgid "Character Variants"
-msgstr ""
+msgstr "Variants de caràcters"
#. 696Sw
#: cui/uiconfig/ui/fontfeaturesdialog.ui:266
@@ -9571,7 +9573,7 @@ msgstr "Propietats de la taula"
#: cui/uiconfig/ui/formatcellsdialog.ui:38
msgctxt "formatcellsdialog|standard"
msgid "_Standard"
-msgstr ""
+msgstr "E_stàndard"
#. aCkau
#: cui/uiconfig/ui/formatcellsdialog.ui:125
@@ -9589,31 +9591,31 @@ msgstr "Efectes de lletra"
#: cui/uiconfig/ui/formatcellsdialog.ui:172
msgctxt "formatcellsdialog|position"
msgid "Position"
-msgstr ""
+msgstr "Posició"
#. CxV6A
#: cui/uiconfig/ui/formatcellsdialog.ui:196
msgctxt "formatcellsdialog|highlight"
msgid "Highlighting"
-msgstr ""
+msgstr "Realçament"
#. TM6fA
#: cui/uiconfig/ui/formatcellsdialog.ui:220
msgctxt "formatcellsdialog|indentspacing"
msgid "Indents & Spacing"
-msgstr ""
+msgstr "Sagnats i espaiat"
#. gfAJa
#: cui/uiconfig/ui/formatcellsdialog.ui:244
msgctxt "formatcellsdialog|asian"
msgid "Asian Typography"
-msgstr ""
+msgstr "Tipografia asiàtica"
#. iuvXW
#: cui/uiconfig/ui/formatcellsdialog.ui:268
msgctxt "formatcellsdialog|alignment"
msgid "Alignment"
-msgstr ""
+msgstr "Alineació"
#. Pz8yJ
#: cui/uiconfig/ui/formatcellsdialog.ui:292
@@ -9890,13 +9892,13 @@ msgstr "El·lipsoide"
#: cui/uiconfig/ui/gradientpage.ui:223
msgctxt "gradientpage|gradienttypelb"
msgid "Square (Quadratic)"
-msgstr ""
+msgstr "Quadrat"
#. AXDGj
#: cui/uiconfig/ui/gradientpage.ui:224
msgctxt "gradientpage|gradienttypelb"
msgid "Rectangular"
-msgstr ""
+msgstr "Rectangular"
#. XasEx
#: cui/uiconfig/ui/gradientpage.ui:228
@@ -9938,7 +9940,7 @@ msgstr "Introduïu el desplaçament vertical del degradat, on el 0% correspon a
#: cui/uiconfig/ui/gradientpage.ui:393
msgctxt "gradientpage|borderft"
msgid "Transition start:"
-msgstr ""
+msgstr "Inici de la transició:"
#. iZbnF
#: cui/uiconfig/ui/gradientpage.ui:427
@@ -10046,43 +10048,43 @@ msgstr "Seleccioneu un degradat, modifiqueu les propietats d'un degradat o guard
#: cui/uiconfig/ui/graphictestdlg.ui:7
msgctxt "graphictestdlg|GraphicTestsDialog"
msgid "Run Graphics Tests"
-msgstr ""
+msgstr "Executar proves dels gràfics"
#. YaE3d
#: cui/uiconfig/ui/graphictestdlg.ui:26
msgctxt "graphictestdlg|gptest_downld"
msgid "Download Results"
-msgstr ""
+msgstr "Baixa els resultats"
#. RpYik
#: cui/uiconfig/ui/graphictestdlg.ui:53
msgctxt "graphictestdlg|gptest_label"
msgid "Helps to determine the efficiency of %PRODUCTNAME’s graphics rendering by running some tests under the hood and providing their results in the log."
-msgstr ""
+msgstr "Ajuda a determinar l'eficiència de la renderització gràfica del %PRODUCTNAME en fer algunes proves internes i proporcionar els resultats en un fitxer de registre."
#. D68dV
#: cui/uiconfig/ui/graphictestdlg.ui:56
msgctxt "graphictestdlg|gptest_label"
msgid "What's this?"
-msgstr ""
+msgstr "Què és això?"
#. 7LB9A
#: cui/uiconfig/ui/graphictestdlg.ui:105
msgctxt "graphictestdlg|gptest_log"
msgid "Result Log:"
-msgstr ""
+msgstr "Registre de resultats:"
#. jh4EZ
#: cui/uiconfig/ui/graphictestdlg.ui:122
msgctxt "graphictestdlg|gptest_detail"
msgid "Test Details"
-msgstr ""
+msgstr "Detalls de la prova"
#. fhaSG
#: cui/uiconfig/ui/graphictestentry.ui:31
msgctxt "graphictestentry|gptestbutton"
msgid "button"
-msgstr ""
+msgstr "botó"
#. 26WXC
#: cui/uiconfig/ui/hangulhanjaadddialog.ui:8
@@ -10466,7 +10468,7 @@ msgstr "Suprimeix el diccionari definit per l'usuari seleccionat."
#: cui/uiconfig/ui/hangulhanjaoptdialog.ui:231
msgctxt "hangulhanjaoptdialog|extended_tip|dicts"
msgid "Lists all user-defined dictionaries. Select the check box next to the dictionaries that you want to use. Clear the check box next to the dictionaries that you do not want to use."
-msgstr ""
+msgstr "Llista tots els diccionaris definits per l'usuari. Marqueu la casella de selecció al costat dels diccionaris que voleu usar. Desmarqueu la casella de selecció al costat dels diccionaris que no voleu utilitzar."
#. DmfuX
#: cui/uiconfig/ui/hangulhanjaoptdialog.ui:248
@@ -10610,7 +10612,7 @@ msgstr "Seleccioneu el color per a les línies d'ombreig."
#: cui/uiconfig/ui/hatchpage.ui:328
msgctxt "hatchpage|backgroundcolor"
msgid "Background Color:"
-msgstr ""
+msgstr "Color del fons:"
#. uvmDA
#: cui/uiconfig/ui/hatchpage.ui:372
@@ -10682,7 +10684,7 @@ msgstr "Ací podeu crear un enllaç a una pàgina web o a un servidor d'FTP."
#: cui/uiconfig/ui/hyperlinkdialog.ui:183
msgctxt "hyperlinkdialog|RID_SVXSTR_HYPERDLG_HLINETTP"
msgid "_Internet"
-msgstr ""
+msgstr "_Internet"
#. TwuBW
#: cui/uiconfig/ui/hyperlinkdialog.ui:244
@@ -10694,7 +10696,7 @@ msgstr "Ací podeu crear un enllaç a una adreça electrònica."
#: cui/uiconfig/ui/hyperlinkdialog.ui:258
msgctxt "hyperlinkdialog|RID_SVXSTR_HYPERDLG_HLMAILTP"
msgid "_Mail"
-msgstr ""
+msgstr "C_orreu"
#. MXhAV
#: cui/uiconfig/ui/hyperlinkdialog.ui:320
@@ -10706,7 +10708,7 @@ msgstr "Ací podeu crear un enllaç a un document existent o a un objectiu dins
#: cui/uiconfig/ui/hyperlinkdialog.ui:334
msgctxt "hyperlinkdialog|RID_SVXSTR_HYPERDLG_HLDOCTP"
msgid "_Document"
-msgstr ""
+msgstr "_Document"
#. xFvuL
#: cui/uiconfig/ui/hyperlinkdialog.ui:396
@@ -10718,7 +10720,7 @@ msgstr "Ací podeu crear un document nou cap al qual apunti l'enllaç nou."
#: cui/uiconfig/ui/hyperlinkdialog.ui:410
msgctxt "hyperlinkdialog|RID_SVXSTR_HYPERDLG_HLDOCNTP"
msgid "_New Document"
-msgstr ""
+msgstr "Document _nou"
#. rYEqo
#: cui/uiconfig/ui/hyperlinkdocpage.ui:45
@@ -10970,7 +10972,7 @@ msgstr "_Marc:"
#: cui/uiconfig/ui/hyperlinkinternetpage.ui:312
msgctxt "hyperlinkinternetpage|name_label"
msgid "N_ame:"
-msgstr ""
+msgstr "N_om:"
#. ZdkMh
#: cui/uiconfig/ui/hyperlinkinternetpage.ui:330
@@ -11366,13 +11368,13 @@ msgstr "Mostra els suggeriments de partició per al mot seleccionat."
#: cui/uiconfig/ui/hyphenate.ui:211
msgctxt "hyphenate|tooltip|left"
msgid "Left"
-msgstr ""
+msgstr "Esquerra"
#. xdABf
#: cui/uiconfig/ui/hyphenate.ui:217
msgctxt "hyphenate|button_name|left"
msgid "Left"
-msgstr ""
+msgstr "Esquerra"
#. HAF8G
#: cui/uiconfig/ui/hyphenate.ui:218
@@ -11384,13 +11386,13 @@ msgstr "Definiu la posició del guionet. Esta opció només es troba disponible
#: cui/uiconfig/ui/hyphenate.ui:232
msgctxt "hyphenate|tooltip|right"
msgid "Right"
-msgstr ""
+msgstr "Dreta"
#. pzLSc
#: cui/uiconfig/ui/hyphenate.ui:238
msgctxt "hyphenate|button_name|right"
msgid "Right"
-msgstr ""
+msgstr "Dreta"
#. 5gKXt
#: cui/uiconfig/ui/hyphenate.ui:239
@@ -11436,7 +11438,7 @@ msgstr "I_mporta..."
#: cui/uiconfig/ui/iconselectordialog.ui:168
msgctxt "iconselectordialog|extended_tip|importButton"
msgid "Adds new icons to the list of icons. You see a file open dialog that imports the selected icon or icons into the internal icon directory of the office suite."
-msgstr ""
+msgstr "Afig icones noves a la llista d'icones. Veureu un diàleg d'obertura de fitxers que importa la icona o les icones seleccionades al directori d'icones intern del paquet ofimàtic."
#. 46d7Z
#: cui/uiconfig/ui/iconselectordialog.ui:180
@@ -11466,187 +11468,187 @@ msgstr ""
#: cui/uiconfig/ui/imagetabpage.ui:62
msgctxt "imagetabpage|BTN_IMPORT"
msgid "Add / Import"
-msgstr ""
+msgstr "Afig/importa"
#. HDX5z
#: cui/uiconfig/ui/imagetabpage.ui:68
msgctxt "imagetabpage|extended_tip|BTN_IMPORT"
msgid "Locate the image that you want to import, and then click Open. The image is added to the end of the list of available images."
-msgstr ""
+msgstr "Localitzeu la imatge que voleu importar i feu clic a Obri. La imatge s'afig al final de la llista d'imatges disponibles."
#. pPEeK
#: cui/uiconfig/ui/imagetabpage.ui:84
msgctxt "imagetabpage|label1"
msgid "Image"
-msgstr ""
+msgstr "Imatge"
#. 4HvEn
#: cui/uiconfig/ui/imagetabpage.ui:127
msgctxt "imagetabpage|label3"
msgid "Style:"
-msgstr ""
+msgstr "Estil:"
#. cAwPK
#: cui/uiconfig/ui/imagetabpage.ui:143
msgctxt "imagetabpage|imagestyle"
msgid "Custom position/size"
-msgstr ""
+msgstr "Posició i mida personalitzades"
#. x8DE9
#: cui/uiconfig/ui/imagetabpage.ui:144
msgctxt "imagetabpage|imagestyle"
msgid "Tiled"
-msgstr ""
+msgstr "Mosaic"
#. Nbj26
#: cui/uiconfig/ui/imagetabpage.ui:145
msgctxt "imagetabpage|imagestyle"
msgid "Stretched"
-msgstr ""
+msgstr "Estirat"
#. Dd2Bq
#: cui/uiconfig/ui/imagetabpage.ui:171
msgctxt "imagetabpage|label4"
msgid "Size:"
-msgstr ""
+msgstr "Mida:"
#. YtPnn
#: cui/uiconfig/ui/imagetabpage.ui:189
msgctxt "imagetabpage|label5"
msgid "Width:"
-msgstr ""
+msgstr "Amplària:"
#. GAfGG
#: cui/uiconfig/ui/imagetabpage.ui:228
msgctxt "imagetabpage|label6"
msgid "Height:"
-msgstr ""
+msgstr "Alçària:"
#. HBRGU
#: cui/uiconfig/ui/imagetabpage.ui:260
msgctxt "imagetabpage|scaletsb"
msgid "Scale"
-msgstr ""
+msgstr "Escala"
#. pSSBr
#: cui/uiconfig/ui/imagetabpage.ui:290
msgctxt "imagetabpage|label7"
msgid "Position:"
-msgstr ""
+msgstr "Posició:"
#. G5a9F
#: cui/uiconfig/ui/imagetabpage.ui:306
msgctxt "imagetabpage|positionlb"
msgid "Top Left"
-msgstr ""
+msgstr "A dalt i a l'esquerra"
#. PubBY
#: cui/uiconfig/ui/imagetabpage.ui:307
msgctxt "imagetabpage|positionlb"
msgid "Top Center"
-msgstr ""
+msgstr "A dalt i al centre"
#. jDChg
#: cui/uiconfig/ui/imagetabpage.ui:308
msgctxt "imagetabpage|positionlb"
msgid "Top Right"
-msgstr ""
+msgstr "A dalt i a la dreta"
#. ZhRbM
#: cui/uiconfig/ui/imagetabpage.ui:309
msgctxt "imagetabpage|positionlb"
msgid "Center Left"
-msgstr ""
+msgstr "Centre a l'esquerra"
#. aZCeF
#: cui/uiconfig/ui/imagetabpage.ui:310
msgctxt "imagetabpage|positionlb"
msgid "Center"
-msgstr ""
+msgstr "Centrat"
#. bifby
#: cui/uiconfig/ui/imagetabpage.ui:311
msgctxt "imagetabpage|positionlb"
msgid "Center Right"
-msgstr ""
+msgstr "Centre a la dreta"
#. 2Ds63
#: cui/uiconfig/ui/imagetabpage.ui:312
msgctxt "imagetabpage|positionlb"
msgid "Bottom Left"
-msgstr ""
+msgstr "A baix i a l'esquerra"
#. G34X6
#: cui/uiconfig/ui/imagetabpage.ui:313
msgctxt "imagetabpage|positionlb"
msgid "Bottom Center"
-msgstr ""
+msgstr "A baix i al centre"
#. D5Uwp
#: cui/uiconfig/ui/imagetabpage.ui:314
msgctxt "imagetabpage|positionlb"
msgid "Bottom Right"
-msgstr ""
+msgstr "A baix i a la dreta"
#. EAUAo
#: cui/uiconfig/ui/imagetabpage.ui:340
msgctxt "imagetabpage|label9"
msgid "Tiling Position:"
-msgstr ""
+msgstr "Posició del mosaic:"
#. Xrp73
#: cui/uiconfig/ui/imagetabpage.ui:359
msgctxt "imagetabpage|label10"
msgid "X-Offset:"
-msgstr ""
+msgstr "Decalatge X:"
#. YGBMn
#: cui/uiconfig/ui/imagetabpage.ui:398
msgctxt "imagetabpage|label11"
msgid "Y-Offset:"
-msgstr ""
+msgstr "Decalatge Y:"
#. vprmD
#: cui/uiconfig/ui/imagetabpage.ui:444
msgctxt "imagetabpage|label15"
msgid "Tiling Offset:"
-msgstr ""
+msgstr "Desplaçament del mosaic:"
#. QEPUJ
#: cui/uiconfig/ui/imagetabpage.ui:467
msgctxt "imagetabpage|tileofflb"
msgid "Row"
-msgstr ""
+msgstr "Fila"
#. CwmC3
#: cui/uiconfig/ui/imagetabpage.ui:468
msgctxt "imagetabpage|tileofflb"
msgid "Column"
-msgstr ""
+msgstr "Columna"
#. GQBjR
#: cui/uiconfig/ui/imagetabpage.ui:511
msgctxt "imagetabpage|label2"
msgid "Options"
-msgstr ""
+msgstr "Opcions"
#. g3YAa
#: cui/uiconfig/ui/imagetabpage.ui:556
msgctxt "imagetabpage|CTL_IMAGE_PREVIEW-atkobject"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. y3nG4
#: cui/uiconfig/ui/imagetabpage.ui:576
msgctxt "imagetabpage|label8"
msgid "Preview"
-msgstr ""
+msgstr "Previsualització"
#. TokEG
#: cui/uiconfig/ui/imagetabpage.ui:592
msgctxt "imagetabpage|extended_tip|ImageTabPage"
msgid "Select a image that you want to use as a fill image, or add your own image/pattern."
-msgstr ""
+msgstr "Seleccioneu una imatge que vulgueu usar com a imatge d'emplenament o, afegiu la vostra pròpia imatge/patró."
#. zCiFk
#: cui/uiconfig/ui/insertfloatingframe.ui:18
@@ -12012,7 +12014,7 @@ msgstr "_Paràmetre d'inici del Java"
#: cui/uiconfig/ui/javastartparametersdialog.ui:124
msgctxt "extended_tip|parameterfield"
msgid "Enter a start parameter for a JRE as you would on a command line. Click Add to include the parameter to the list of available start parameters."
-msgstr ""
+msgstr "Introduïu un paràmetre d'inici per a un JRE tal com ho faríeu en una línia d'ordres. Feu clic a Afig per a incloure el paràmetre a la llista de paràmetres inicials disponibles."
#. bbrtf
#: cui/uiconfig/ui/javastartparametersdialog.ui:137
@@ -12072,85 +12074,85 @@ msgstr "Suprimeix el paràmetre d'inici del JRE seleccionat."
#: cui/uiconfig/ui/langtoolconfigpage.ui:33
msgctxt "langtoolconfigpage|disclaimer"
msgid "If you enable this, the data will be sent to an external server."
-msgstr ""
+msgstr "En activar això, s'enviaran dades a un servidor extern."
#. kF4mt
#: cui/uiconfig/ui/langtoolconfigpage.ui:48
msgctxt "langtoolconfigpage|policy"
msgid "Please read the privacy policy"
-msgstr ""
+msgstr "Llegiu la política de privadesa"
#. ZRJcn
#: cui/uiconfig/ui/langtoolconfigpage.ui:63
msgctxt "langtoolconfigpage|activate"
msgid "Enable LanguageTool"
-msgstr ""
+msgstr "Activa el LanguageTool"
#. Ntss5
#: cui/uiconfig/ui/langtoolconfigpage.ui:81
msgctxt "langtoolconfigpage|langtoolsettings"
msgid "LanguageTool API Options"
-msgstr ""
+msgstr "Opcions de l'API del LanguageTool"
#. tUmXv
#: cui/uiconfig/ui/langtoolconfigpage.ui:115
msgctxt "langtoolconfigpage|base"
msgid "Base URL:"
-msgstr ""
+msgstr "URL de base:"
#. z58D6
#: cui/uiconfig/ui/langtoolconfigpage.ui:141
msgctxt "langtoolconfigpage|usernamelbl"
msgid "Username:"
-msgstr ""
+msgstr "Nom d'usuari:"
#. B8kMr
#: cui/uiconfig/ui/langtoolconfigpage.ui:155
msgctxt "langtoolconfigpage|apikeylbl"
msgid "API key:"
-msgstr ""
+msgstr "Clau de l'API:"
#. UDGnD
#: cui/uiconfig/ui/langtoolconfigpage.ui:191
msgctxt "langtoolconfigpage|urldesc"
msgid "Please use the base URL, i.e., without “/check” at the end."
-msgstr ""
+msgstr "Feu servir l'URL de base; és a dir, sense «/check» al final."
#. 77oav
#: cui/uiconfig/ui/langtoolconfigpage.ui:211
msgctxt "langtoolconfigpage|usernamedesc"
msgid "Your LanguageTool account’s username for premium usage."
-msgstr ""
+msgstr "El nom d'usuari del compte prèmium del LanguageTool."
#. tGuAh
#: cui/uiconfig/ui/langtoolconfigpage.ui:231
msgctxt "langtoolconfigpage|apikeydesc"
msgid "Your LanguageTool account’s API key for premium usage."
-msgstr ""
+msgstr "La vostra clau de l'API del compte prèmium del LanguageTool."
#. jDazr
#: cui/uiconfig/ui/langtoolconfigpage.ui:251
msgctxt "langtoolconfigpage|restlbl"
msgid "REST protocol:"
-msgstr ""
+msgstr "Protocol REST:"
#. 4aANu
#: cui/uiconfig/ui/langtoolconfigpage.ui:276
msgctxt "langtoolconfigpage|restdesc"
msgid "Your LanguageTool REST API protocol for usage."
-msgstr ""
+msgstr "El protocol de LanguageTool REST API que voleu usar."
#. TgTGQ
#: cui/uiconfig/ui/langtoolconfigpage.ui:293
msgctxt "langtoolconfigpage|verifyssl"
msgid "Disable SSL certificate verification"
-msgstr ""
+msgstr "Desactiva la verificació dels certificats SSL"
#. Dn8bb
#: cui/uiconfig/ui/langtoolconfigpage.ui:324
msgctxt "langtoolconfigpage|apisettingsheader"
msgid "API Settings"
-msgstr ""
+msgstr "Paràmetres de l'API"
#. RdoKs
#: cui/uiconfig/ui/linedialog.ui:8
@@ -12186,7 +12188,7 @@ msgstr "Estils de fletxa"
#: cui/uiconfig/ui/lineendstabpage.ui:66
msgctxt "lineendstabpage|FT_TITLE"
msgid "Style _name:"
-msgstr ""
+msgstr "_Nom de l'estil:"
#. iGG25
#: cui/uiconfig/ui/lineendstabpage.ui:80
@@ -12198,25 +12200,25 @@ msgstr "E_stil de fletxa:"
#: cui/uiconfig/ui/lineendstabpage.ui:148
msgctxt "lineendstabpage|BTN_ADD|tooltip_text"
msgid "Adds selected shape as Arrow Style."
-msgstr ""
+msgstr "Afig la forma seleccionada com a estil de fletxa."
#. 3vvkz
#: cui/uiconfig/ui/lineendstabpage.ui:152
msgctxt "lineendstabpage|extended_tip|BTN_ADD"
msgid "To add a new Arrow Style, first select the shape in the document to be added, then open this dialog and press Add. If the selected shape is not permitted as an Arrow Style, then the Add button is not active."
-msgstr ""
+msgstr "Per a afegir un estil de fletxa nou, primer seleccioneu la forma del document a afegir, després obriu aquest diàleg i premeu Afig. Si la forma seleccionada no està permesa com a estil de fletxa, llavors el botó Afig no està actiu."
#. hvDgC
#: cui/uiconfig/ui/lineendstabpage.ui:164
msgctxt "lineendstabpage|BTN_MODIFY"
msgid "_Rename"
-msgstr ""
+msgstr "_Canvia el nom"
#. cQTAi
#: cui/uiconfig/ui/lineendstabpage.ui:168
msgctxt "lineendstabpage|BTN_MODIFY|tooltip_text"
msgid "Applies changes to the Style name."
-msgstr ""
+msgstr "Aplica els canvis al nom de l'estil."
#. iQUys
#: cui/uiconfig/ui/lineendstabpage.ui:186
@@ -12240,7 +12242,7 @@ msgstr "Guarda els estils de fletxa"
#: cui/uiconfig/ui/lineendstabpage.ui:302
msgctxt "lineendstabpage|label1"
msgid "Manage Arrow Styles"
-msgstr ""
+msgstr "Gestiona els estils de fletxa"
#. F3Hkn
#: cui/uiconfig/ui/linestyletabpage.ui:99
@@ -12596,7 +12598,7 @@ msgstr "Suprimeix l'assignació de macros o components de l'esdeveniment selecci
#: cui/uiconfig/ui/macroassignpage.ui:186
msgctxt "macroassignpage|deleteall"
msgid "Remove _All"
-msgstr ""
+msgstr "Suprimeix-ho _tot"
#. CqT9E
#: cui/uiconfig/ui/macroassignpage.ui:204
@@ -12638,7 +12640,7 @@ msgstr "Nom de la macro"
#: cui/uiconfig/ui/macroselectordialog.ui:281
msgctxt "macroselectordialog|label1"
msgid "_Description"
-msgstr ""
+msgstr "_Descripció"
#. YTX8B
#: cui/uiconfig/ui/menuassignpage.ui:46
@@ -12782,7 +12784,7 @@ msgstr "Introduïu una cadena en el quadre de text per a restringir la cerca d'o
#: cui/uiconfig/ui/menuassignpage.ui:445
msgctxt "menuassignpage|extended_tip|savein"
msgid "Select the location where the menu is to be attached. If attached to an office suite module, the menu is available for all files opened in that module. If attached to the file, the menu will be available only when that file is opened and active."
-msgstr ""
+msgstr "Seleccioneu la ubicació on s'adjuntarà el menú. Si s'adjunta a un mòdul del paquet ofimàtic, el menú estarà disponible per a tots els fitxers oberts en aquest mòdul. Si s'adjunta al fitxer, el menú només estarà disponible quan aquest fitxer estiga obert i actiu."
#. D35vJ
#: cui/uiconfig/ui/menuassignpage.ui:456
@@ -12920,7 +12922,7 @@ msgstr "_Personalitza"
#: cui/uiconfig/ui/menuassignpage.ui:977
msgctxt "menuassignpage|extended_tip|MenuAssignPage"
msgid "Lets you customize the office suite menus for all modules."
-msgstr ""
+msgstr "Permet personalitzar els menús del paquet ofimàtic per a tots els mòduls."
#. Mcir5
#: cui/uiconfig/ui/mosaicdialog.ui:21
@@ -13400,7 +13402,7 @@ msgstr "Seleccioneu l l'estil de caràcter que vulgueu fer servir a la llista nu
#: cui/uiconfig/ui/numberingoptionspage.ui:202
msgctxt "numberingoptionspage|extended_tip|sublevels"
msgid "Enter the number of previous levels to include in the numbering scheme. For example, if you enter \"2\" and the previous level uses the \"A, B, C...\" numbering, the numbering scheme for the current level becomes: \"A.1\"."
-msgstr ""
+msgstr "Introduïu el nombre de nivells previs que cal incloure a l'esquema de numeració. Per exemple, si introduïu «2» i el nivell anterior utilitza la numeració «A, B, C…», l'esquema de numeració del nivell actual serà: «A.1»."
#. ST2Co
#: cui/uiconfig/ui/numberingoptionspage.ui:220
@@ -13418,7 +13420,7 @@ msgstr "Inicia a:"
#: cui/uiconfig/ui/numberingoptionspage.ui:249
msgctxt "numberingoptionspage|extended_tip|numfmtlb"
msgid "Select a numbering scheme for the selected levels."
-msgstr ""
+msgstr "Seleccioneu un esquema de numeració per als nivells seleccionats."
#. EDSiA
#: cui/uiconfig/ui/numberingoptionspage.ui:262
@@ -13544,7 +13546,7 @@ msgstr "Seleccioneu o cerqueu el fitxer gràfic que vulgueu utilitzar com a pic.
#: cui/uiconfig/ui/numberingoptionspage.ui:435
msgctxt "numberingoptionspage|extended_tip|color"
msgid "Select a color for the current numbering scheme."
-msgstr ""
+msgstr "Seleccioneu un color per a l'esquema de numeració actual."
#. hJgCL
#: cui/uiconfig/ui/numberingoptionspage.ui:453
@@ -13580,7 +13582,7 @@ msgstr "Separador"
#: cui/uiconfig/ui/numberingoptionspage.ui:515
msgctxt "numberingoptionspage|extended_tip|suffix"
msgid "Enter a character or the text to display behind the number in the list. To create the numbering scheme \"1.)\", enter \".)\" in this box."
-msgstr ""
+msgstr "Introduïu un caràcter o el text a mostrar darrere del número de la llista. Per a crear l'esquema de numeració «1.)», introduïu «.)» en aquest quadre."
#. wVrAN
#: cui/uiconfig/ui/numberingoptionspage.ui:532
@@ -13878,25 +13880,25 @@ msgstr "Descripció"
#: cui/uiconfig/ui/objecttitledescdialog.ui:92
msgctxt "objecttitledescdialog|object_title_label|tooltip_text"
msgid "Give a short description of non-text content for users who do not see this object."
-msgstr ""
+msgstr "Doneu una breu descripció del contingut no textual per als usuaris que no veuen aquest objecte."
#. E4YpG
#: cui/uiconfig/ui/objecttitledescdialog.ui:93
msgctxt "objecttitledescdialog|object_title_label"
msgid "_Text Alternative:"
-msgstr ""
+msgstr "Alternativa _textual:"
#. Gqfxb
#: cui/uiconfig/ui/objecttitledescdialog.ui:113
msgctxt "objecttitledescdialog|extended_tip|object_title_entry"
msgid "Enter a title text. This short name is visible as an \"alt\" tag in HTML format. Accessibility tools can read this text."
-msgstr ""
+msgstr "Introduïu un text de títol. Aquest nom curt és visible com una etiqueta «alt» en format HTML. Les eines d'accessibilitat poden llegir aquest text."
#. EFUyD
#: cui/uiconfig/ui/objecttitledescdialog.ui:127
msgctxt "objecttitledescdialog|desc_label|tooltip_text"
msgid "Give longer explanation of non-text content that is too complex to be described briefly in “Text Alternative”"
-msgstr ""
+msgstr "Doneu una explicació més llarga del contingut no textual que és massa complex per a ser descrit breument a «Text alternatiu»"
#. kDbQ9
#: cui/uiconfig/ui/objecttitledescdialog.ui:128
@@ -13914,13 +13916,13 @@ msgstr "Introduïu una descripció. El text de descripció llarg descriu als usu
#: cui/uiconfig/ui/objecttitledescdialog.ui:165
msgctxt "objecttitledescdialog|decorative"
msgid "Decorative"
-msgstr ""
+msgstr "Decoratiu"
#. CNpGY
#: cui/uiconfig/ui/objecttitledescdialog.ui:173
msgctxt "objecttitledescdialog|extended_tip|decorative"
msgid "The item is purely decorative, not part of the document content, and may be ignored by assistive technologies."
-msgstr ""
+msgstr "L'element és purament decoratiu, no forma part del contingut del document i poden ignorar-lo les tecnologies d'assistència."
#. 8BCe3
#: cui/uiconfig/ui/objecttitledescdialog.ui:199
@@ -13962,7 +13964,7 @@ msgstr "Permet _imatges animades"
#: cui/uiconfig/ui/optaccessibilitypage.ui:75
msgctxt "extended_tip|animatedgraphics"
msgid "Previews animated graphics, such as GIF images."
-msgstr ""
+msgstr "Previsualitza els gràfics animats, com ara imatges GIF."
#. 3Q66x
#: cui/uiconfig/ui/optaccessibilitypage.ui:87
@@ -13974,7 +13976,7 @@ msgstr "Permet _text animat"
#: cui/uiconfig/ui/optaccessibilitypage.ui:95
msgctxt "extended_tip|animatedtext"
msgid "Previews animated text, such as blinking and scrolling."
-msgstr ""
+msgstr "Previsualitza el text animat, com ara el parpelleig i el desplaçament."
#. 2A83C
#: cui/uiconfig/ui/optaccessibilitypage.ui:111
@@ -13986,31 +13988,31 @@ msgstr "Opcions diverses"
#: cui/uiconfig/ui/optaccessibilitypage.ui:149
msgctxt "optaccessibilitypage|label13"
msgid "High contrast:"
-msgstr ""
+msgstr "Contrast alt:"
#. KHEv8
#: cui/uiconfig/ui/optaccessibilitypage.ui:166
msgctxt "optaccessibilitypage|highcontrast"
msgid "Automatic"
-msgstr ""
+msgstr "Automàtic"
#. EwVi9
#: cui/uiconfig/ui/optaccessibilitypage.ui:167
msgctxt "optaccessibilitypage|highcontrast"
msgid "Disable"
-msgstr ""
+msgstr "Desactiva"
#. NbxkL
#: cui/uiconfig/ui/optaccessibilitypage.ui:168
msgctxt "optaccessibilitypage|highcontrast"
msgid "Enable"
-msgstr ""
+msgstr "Activa"
#. YA7wn
#: cui/uiconfig/ui/optaccessibilitypage.ui:172
msgctxt "extended_tip|highcontrast"
msgid "Controls if high contrast mode is used. Select from “Automatic”, “Disable” and “Enable”. “Automatic” uses high contrast according to system settings."
-msgstr ""
+msgstr "Controla si es fa servir el mode de contrast alt. Seleccioneu entre «Automàtic», «Desactiva» i «Activa». «Automàtic» segueix el paràmetre de contrast del sistema."
#. Sc8Cq
#: cui/uiconfig/ui/optaccessibilitypage.ui:190
@@ -14022,7 +14024,7 @@ msgstr "Utilitza el _color de lletra automàtic per a la visualització de la pa
#: cui/uiconfig/ui/optaccessibilitypage.ui:198
msgctxt "extended_tip|autofontcolor"
msgid "Displays fonts in the office suite using the system color settings. This option only affects the screen display."
-msgstr ""
+msgstr "Mostra les lletres tipogràfiques en el paquet ofimàtic utilitzant la configuració de color del sistema. Aquesta opció només afecta la pantalla."
#. n24Cd
#: cui/uiconfig/ui/optaccessibilitypage.ui:210
@@ -14046,7 +14048,7 @@ msgstr "Opcions d'aparença d'alt contrast"
#: cui/uiconfig/ui/optaccessibilitypage.ui:249
msgctxt "extended_tip|OptAccessibilityPage"
msgid "Sets options that make the office suite programs more accessible for users with reduced sight, limited dexterity or other disabilities."
-msgstr ""
+msgstr "Estableix opcions que fan que els programes del paquet ofimàtic siguen més accessibles per als usuaris amb visió reduïda, destresa limitada o altres discapacitats."
#. kishx
#: cui/uiconfig/ui/optadvancedpage.ui:55
@@ -14058,7 +14060,7 @@ msgstr "_Utilitza un entorn d'execució de Java"
#: cui/uiconfig/ui/optadvancedpage.ui:64
msgctxt "extended_tip|javaenabled"
msgid "Allows you to run extensions written with Java."
-msgstr ""
+msgstr "Vos permet executar extensions escrites amb Java."
#. DFVFw
#: cui/uiconfig/ui/optadvancedpage.ui:90
@@ -14118,7 +14120,7 @@ msgstr "Versió"
#: cui/uiconfig/ui/optadvancedpage.ui:257
msgctxt "extended_tip|javas"
msgid "Select the JRE that you want to use. On some systems, you must wait a minute until the list gets populated. On some systems, you must restart the office suite to use your changed setting."
-msgstr ""
+msgstr "Seleccioneu el JRE que voleu utilitzar. En alguns sistemes, heu d'esperar un minut fins que la llista s'òmpliga. En alguns sistemes, heu de reiniciar el paquet ofimàtic per a usar la configuració canviada."
#. erNBk
#: cui/uiconfig/ui/optadvancedpage.ui:285
@@ -14172,7 +14174,7 @@ msgstr "Obri la configuració avançada"
#: cui/uiconfig/ui/optadvancedpage.ui:415
msgctxt "extended_tip|expertconfig"
msgid "Opens the Expert Configuration dialog for advanced settings and configuration."
-msgstr ""
+msgstr "Obri el diàleg de Configuració avançada per a configuracions i preferències avançats."
#. ZLtrh
#: cui/uiconfig/ui/optadvancedpage.ui:430
@@ -14208,7 +14210,7 @@ msgstr "E_squema:"
#: cui/uiconfig/ui/optappearancepage.ui:161
msgctxt "optappearancepage|save"
msgid "_Save"
-msgstr ""
+msgstr "Guar_da"
#. k8ACj
#: cui/uiconfig/ui/optappearancepage.ui:168
@@ -14232,25 +14234,25 @@ msgstr "Selecciona l'esquema de color que voleu utilitzar."
#: cui/uiconfig/ui/optappearancepage.ui:216
msgctxt "optappearancepage|autocolor"
msgid "_Automatic:"
-msgstr ""
+msgstr "_Automàtic:"
#. GsYTZ
#: cui/uiconfig/ui/optappearancepage.ui:231
msgctxt "optappearancepage|cbSchemeEntry1"
msgid "System Theme"
-msgstr ""
+msgstr "Tema del sistema"
#. XVPV4
#: cui/uiconfig/ui/optappearancepage.ui:232
msgctxt "optappearancepage|cbSchemeEntry2"
msgid "Light"
-msgstr ""
+msgstr "Clar"
#. m6FAx
#: cui/uiconfig/ui/optappearancepage.ui:233
msgctxt "optappearancepage|cbSchemeEntry3"
msgid "Dark"
-msgstr ""
+msgstr "Fosc"
#. HFLPF
#: cui/uiconfig/ui/optappearancepage.ui:253
@@ -14262,7 +14264,7 @@ msgstr "Colors personalitzats"
#: cui/uiconfig/ui/optappearancepage.ui:268
msgctxt "extended_tip|OptAppearancePage"
msgid "Sets the colors for the user interface."
-msgstr ""
+msgstr "Estableix els colors per a la interfície d'usuari."
#. nRFne
#: cui/uiconfig/ui/optasianpage.ui:27
@@ -14628,7 +14630,7 @@ msgstr "Context"
#: cui/uiconfig/ui/optctlpage.ui:239
msgctxt "extended_tip|numerals"
msgid "Selects the type of numerals used within text, text in objects, fields, and controls, in all office suite modules. Only cell contents of Calc are not affected."
-msgstr ""
+msgstr "Selecciona el tipus de nombres utilitzats dins del text, text en objectes, camps i controls, en tots els mòduls del paquet ofimàtic. Només no es veuen afectats els continguts de les cel·les del Calc."
#. kWczF
#: cui/uiconfig/ui/optctlpage.ui:254
@@ -14646,25 +14648,25 @@ msgstr "Defineix les opcions per a documents amb disposicions complexes de text.
#: cui/uiconfig/ui/optdeeplpage.ui:29
msgctxt "optdeeplpage|privacy"
msgid "Please read the privacy policy"
-msgstr ""
+msgstr "Llegiu la política de privadesa"
#. F4GTM
#: cui/uiconfig/ui/optdeeplpage.ui:54
msgctxt "optdeeplpage|privacy"
msgid "API URL:"
-msgstr ""
+msgstr "URL de l'API:"
#. HHJta
#: cui/uiconfig/ui/optdeeplpage.ui:68
msgctxt "optdeeplpage|label3"
msgid "Authentication key:"
-msgstr ""
+msgstr "Clau d'autenticació:"
#. tcBQE
#: cui/uiconfig/ui/optdeeplpage.ui:113
msgctxt "optdeeplpage|label1"
msgid "DeepL API Options"
-msgstr ""
+msgstr "Opcions de l'API del DeepL"
#. G5EDD
#: cui/uiconfig/ui/optemailpage.ui:31
@@ -14732,7 +14734,7 @@ msgstr "[D]"
#: cui/uiconfig/ui/optfltrembedpage.ui:129
msgctxt "extended_tip|checklbcontainer"
msgid "The [L] and [S] checkbox displays the entries for the pair of OLE objects that can be converted when loaded from a Microsoft format [L] and/or when saved to to a Microsoft format [S]. "
-msgstr ""
+msgstr "Les caselles [C] i [D] mostren les entrades per al parell d'objectes OLE que es poden convertir quan es carreguen des d'un format de Microsoft [C] o quan es guarden a un format de Microsoft [D]. "
#. x5kfq
#. The [L] here is repeated as the column title for the "Load" column of this options page
@@ -14770,7 +14772,7 @@ msgstr "Realçament"
#: cui/uiconfig/ui/optfltrembedpage.ui:245
msgctxt "extended_tip|highlighting"
msgid "Microsoft Office has two character attributes similar to Writer character background. Select the appropriate attribute (highlighting or shading) which you would like to use during export to Microsoft Office file formats."
-msgstr ""
+msgstr "El Microsoft Office té dos atributs de caràcter similars al fons de caràcter del Writer. Trieu l'atribut escaient (ressaltat o ombrejat) que voleu usar en exportar a formats de fitxer del Microsoft Office."
#. Dnrx7
#: cui/uiconfig/ui/optfltrembedpage.ui:257
@@ -14782,7 +14784,7 @@ msgstr "Ombrejat"
#: cui/uiconfig/ui/optfltrembedpage.ui:266
msgctxt "extended_tip|shading"
msgid "Microsoft Office has two character attributes similar to Writer character background. Select the appropriate attribute (highlighting or shading) which you would like to use during export to Microsoft Office file formats."
-msgstr ""
+msgstr "El Microsoft Office té dos atributs de caràcter similars al fons de caràcter del Writer. Trieu l'atribut escaient (ressaltat o ombrejat) que voleu usar en exportar a formats de fitxer del Microsoft Office."
#. gKwdG
#: cui/uiconfig/ui/optfltrembedpage.ui:289
@@ -14800,7 +14802,7 @@ msgstr "Crea un fitxer de blocatge del MSO"
#: cui/uiconfig/ui/optfltrembedpage.ui:325
msgctxt "extended_tip|mso_lockfile"
msgid "Mark this checkbox to generate a Microsoft Office lock file in addition to this office suite's own lock file."
-msgstr ""
+msgstr "Marqueu aquesta casella per a generar un fitxer de bloqueig del Microsoft Office a més del fitxer de bloqueig d'aquest paquet ofimàtic."
#. Sg5Bw
#: cui/uiconfig/ui/optfltrembedpage.ui:341
@@ -14824,7 +14826,7 @@ msgstr "Carrega el _codi Basic"
#: cui/uiconfig/ui/optfltrpage.ui:35
msgctxt "extended_tip|wo_basic"
msgid "Loads and saves the Basic code from a Microsoft document as a special Basic module with the document. The disabled Microsoft Basic code is visible in the Basic IDE between Sub and End Sub."
-msgstr ""
+msgstr "Carrega o guarda el codi Basic d'un document Microsoft com un mòdul Basic especial amb el document. El codi Basic desactivat és visible en l'IDE de Basic entre les instruccions Sub i End Sub."
#. AChYC
#: cui/uiconfig/ui/optfltrpage.ui:46
@@ -14848,7 +14850,7 @@ msgstr "Guarda el codi Basic _original"
#: cui/uiconfig/ui/optfltrpage.ui:74
msgctxt "extended_tip|wo_saveorig"
msgid "Specifies that the original Microsoft Basic code contained in the document is held in a special internal memory for as long as the document remains loaded in the office suite. When saving the document in Microsoft format the Microsoft Basic is saved again with the code in an unchanged form."
-msgstr ""
+msgstr "Indica que el codi Basic de Microsoft original contingut en el document es manté en una memòria interna especial mentre el document estiga carregat. En guardar el document en format Microsoft, el codi Basic de Microsfot es guarda de nou amb el codi sense canvis."
#. W6nED
#: cui/uiconfig/ui/optfltrpage.ui:89
@@ -14866,7 +14868,7 @@ msgstr "C_arrega el codi Basic"
#: cui/uiconfig/ui/optfltrpage.ui:126
msgctxt "extended_tip|ex_basic"
msgid "Loads and saves the Basic code from a Microsoft document as a special Basic module with the document. The disabled Microsoft Basic code is visible in the Basic IDE between Sub and End Sub."
-msgstr ""
+msgstr "Carrega i guarda el codi Basic d'un document de Microsoft com un mòdul Basic especial amb el document. El codi Basic desactivat és visible en l'IDE Basic entre les instruccions Sub i End Sub."
#. S6ozV
#: cui/uiconfig/ui/optfltrpage.ui:137
@@ -14890,7 +14892,7 @@ msgstr "Guarda el codi _Basic original"
#: cui/uiconfig/ui/optfltrpage.ui:165
msgctxt "extended_tip|ex_saveorig"
msgid "Specifies that the original Microsoft Basic code contained in the document is held in a special internal memory for as long as the document remains loaded in the office suite. When saving the document in Microsoft format the Microsoft Basic is saved again with the code in an unchanged form."
-msgstr ""
+msgstr "Indica que el codi original del Microsoft Basic contingut en el document es manté en una memòria interna especial mentre el document es mantingui carregat en el paquet ofimàtic. En guardar el document en format Microsoft, el Microsoft Basic es guarda de nou amb el codi sense canvis."
#. a5EkB
#: cui/uiconfig/ui/optfltrpage.ui:180
@@ -14908,7 +14910,7 @@ msgstr "Carrega el codi Ba_sic"
#: cui/uiconfig/ui/optfltrpage.ui:217
msgctxt "extended_tip|pp_basic"
msgid "Loads and saves the Basic code from a Microsoft document as a special Basic module with the document. The disabled Microsoft Basic code is visible in the Basic IDE between Sub and End Sub."
-msgstr ""
+msgstr "Carrega i guarda el codi del Basic des d'un document de Microsoft com un mòdul del Basic especial amb el document. El codi del Microsoft Basic desactivat és visible a l'IDE del Basic entre Sub i End Sub."
#. VSdyY
#: cui/uiconfig/ui/optfltrpage.ui:228
@@ -14920,7 +14922,7 @@ msgstr "Guarda el _codi Basic original"
#: cui/uiconfig/ui/optfltrpage.ui:236
msgctxt "extended_tip|pp_saveorig"
msgid "Specifies that the original Microsoft Basic code contained in the document is held in a special internal memory for as long as the document remains loaded in the office suite. When saving the document in Microsoft format the Microsoft Basic is saved again with the code in an unchanged form."
-msgstr ""
+msgstr "Indica que el codi original del Microsoft Basic contingut en el document es manté en una memòria interna especial mentre el document es mantingui carregat en el paquet ofimàtic. En guardar el document en format Microsoft, el Microsoft Basic es guarda de nou amb el codi sense canvis."
#. sazZt
#: cui/uiconfig/ui/optfltrpage.ui:251
@@ -15082,13 +15084,13 @@ msgstr "Cons_ells ampliats"
#: cui/uiconfig/ui/optgeneralpage.ui:42
msgctxt "extended_tip | exthelp"
msgid "Displays a help text when you rest the mouse pointer on an icon, a menu command, or a control on a dialog."
-msgstr ""
+msgstr "Mostra el text d'ajuda en passar el punter del ratolí sobre una icona, una ordre de menú, o un control de diàleg."
#. yVGcZ
#: cui/uiconfig/ui/optgeneralpage.ui:53
msgctxt "optgeneralpage|popupnohelp"
msgid "Warn if local help is not installed"
-msgstr ""
+msgstr "Avisa si l'ajuda local no s'ha instal·lada"
#. YUaEz
#: cui/uiconfig/ui/optgeneralpage.ui:66
@@ -15190,7 +15192,7 @@ msgstr "Aplicacions predeterminades de Windows"
#: cui/uiconfig/ui/optgeneralpage.ui:395
msgctxt "optgeneralpage|FileExtCheckCheckbox"
msgid "Perform check for default file associations on start-up"
-msgstr ""
+msgstr "Realitza una comprovació de les associacions de fitxers per defecte a l'inici"
#. fXjVB
#: cui/uiconfig/ui/optgeneralpage.ui:413
@@ -15202,7 +15204,7 @@ msgstr "Associacions de fitxers del %PRODUCTNAME"
#: cui/uiconfig/ui/optgeneralpage.ui:430
msgctxt "extended_tip | OptGeneralPage"
msgid "Specifies the general settings for the office suite."
-msgstr ""
+msgstr "Indica els paràmetres generals del paquet ofimàtic."
#. FsiDE
#: cui/uiconfig/ui/opthtmlpage.ui:86
@@ -15316,7 +15318,7 @@ msgstr "_Importa les etiquetes HTML desconegudes com a camps"
#: cui/uiconfig/ui/opthtmlpage.ui:372
msgctxt "extended_tip|unknowntag"
msgid "Mark this check box if you want tags that are not recognized by Writer/Web to be imported as fields."
-msgstr ""
+msgstr "Marqueu aquesta casella si voleu que les etiquetes que el Writer o Web no reconeguin s'importin com a camps."
#. VFTrU
#: cui/uiconfig/ui/opthtmlpage.ui:383
@@ -15370,7 +15372,7 @@ msgstr "Mostra un a_vís"
#: cui/uiconfig/ui/opthtmlpage.ui:488
msgctxt "extended_tip|starbasicwarning"
msgid "If this field is marked, when exporting to HTML a warning is shown that Basic macros will be lost."
-msgstr ""
+msgstr "Si aquest camp està marcat, en exportar a HTML es mostra un avís que es perdran les macros de Basic."
#. puyKW
#: cui/uiconfig/ui/opthtmlpage.ui:499
@@ -15382,7 +15384,7 @@ msgstr "LibreOffice _Basic"
#: cui/uiconfig/ui/opthtmlpage.ui:508
msgctxt "extended_tip|starbasic"
msgid "Check this box to include the BASIC instructions when exporting to HTML format."
-msgstr ""
+msgstr "Marqueu aquesta opció per a incloure les instruccions BASIC en exportar al format HTML."
#. sEnBN
#: cui/uiconfig/ui/opthtmlpage.ui:523
@@ -15406,7 +15408,7 @@ msgstr "Opcions"
#: cui/uiconfig/ui/optionsdialog.ui:53
msgctxt "optionsdialog|revert"
msgid "Unsaved modifications to this tab are reverted."
-msgstr ""
+msgstr "Les modificacions no guardades a aquesta pestanya es reverteixen."
#. 5UNGW
#: cui/uiconfig/ui/optionsdialog.ui:57
@@ -15418,13 +15420,13 @@ msgstr "Reinicia els canvis fets a la pestanya actual a aquells aplicables quan
#: cui/uiconfig/ui/optionsdialog.ui:73
msgctxt "optionsdialog|apply"
msgid "Save all modifications without closing dialog. Cannot be reverted with Reset."
-msgstr ""
+msgstr "Guarda totes les modificacions sense tancar el diàleg. No es pot revertir amb Reinicialitza."
#. isfxZ
#: cui/uiconfig/ui/optionsdialog.ui:90
msgctxt "optionsdialog|ok"
msgid "Save all changes and close dialog."
-msgstr ""
+msgstr "Guarda tots els canvis i tanca el diàleg."
#. r2pWX
#: cui/uiconfig/ui/optionsdialog.ui:94
@@ -15436,13 +15438,13 @@ msgstr "Guarda tots els canvis i tanca el diàleg."
#: cui/uiconfig/ui/optionsdialog.ui:110
msgctxt "optionsdialog|cancel"
msgid "Discard all unsaved changes and close dialog."
-msgstr ""
+msgstr "Descarta tots els canvis no guardats i tanca el diàleg."
#. mVmUq
#: cui/uiconfig/ui/optionsdialog.ui:114
msgctxt "optionsdialog|extended_tip|cancel"
msgid "Closes dialog and discards all unsaved changes."
-msgstr ""
+msgstr "Tanca el diàleg i descarta tots els canvis no guardats."
#. CgiEq
#: cui/uiconfig/ui/optjsearchpage.ui:31
@@ -15508,7 +15510,7 @@ msgstr "Especifica les opcions que s'han de considerar iguals en una busca."
#: cui/uiconfig/ui/optjsearchpage.ui:126
msgctxt "optjsearchpage|matchrepeatcharmarks"
msgid "It_eration marks"
-msgstr ""
+msgstr "Mar_ques d'iteració"
#. fHHv6
#: cui/uiconfig/ui/optjsearchpage.ui:134
@@ -15694,7 +15696,7 @@ msgstr "Interfície d'_usuari:"
#: cui/uiconfig/ui/optlanguagespage.ui:80
msgctxt "extended_tip|userinterface"
msgid "Select the language used for the user interface, for example menus, dialogs, help files. You must have installed at least one additional language pack."
-msgstr ""
+msgstr "Trieu la llengua usada en la interfície d'usuari. Per exemple en els menús, diàlegs i fitxers d'ajuda. Heu de tindre instal·lat almenys un paquet de llengua addiconal."
#. e8VE3
#: cui/uiconfig/ui/optlanguagespage.ui:95
@@ -15742,7 +15744,7 @@ msgstr "Disposició complexa de _text:"
#: cui/uiconfig/ui/optlanguagespage.ui:250
msgctxt "extended_tip|ctlsupport"
msgid "Activates complex text layout support. You can now modify the settings corresponding to complex text layout."
-msgstr ""
+msgstr "Activa la compatibilitat amb la disposició complexa de text. Ara podeu modificar la configuració corresponent a la disposició complexa de text."
#. mpLF7
#: cui/uiconfig/ui/optlanguagespage.ui:261
@@ -15754,7 +15756,7 @@ msgstr "Asiàtic:"
#: cui/uiconfig/ui/optlanguagespage.ui:269
msgctxt "extended_tip|asiansupport"
msgid "Activates Asian languages support. You can now modify the corresponding Asian language settings."
-msgstr ""
+msgstr "Activa el suport per a llengües asiàtiques. Aleshores podreu modificar els paràmetres de la llengua asiàtica corresponent."
#. QwDAK
#: cui/uiconfig/ui/optlanguagespage.ui:282
@@ -16042,7 +16044,7 @@ msgstr "_Comprova si hi ha actualitzacions automàticament"
#: cui/uiconfig/ui/optonlineupdatepage.ui:39
msgctxt "extended_tip|autocheck"
msgid "Mark to check for online updates periodically, then select the time interval how often to automatically check for online updates."
-msgstr ""
+msgstr "Marqueu l'opció per a actualitzacions en línia periòdiques. Després tireu l'interval de temps per a comprovar si hi ha actualitzacions en línia."
#. Hbe2C
#: cui/uiconfig/ui/optonlineupdatepage.ui:57
@@ -16180,7 +16182,7 @@ msgstr "Agent d'usuari"
#: cui/uiconfig/ui/optonlineupdatepage.ui:448
msgctxt "optonlineupdatepage|privacy"
msgid "Privacy Policy"
-msgstr ""
+msgstr "Política de privadesa"
#. 3J5As
#: cui/uiconfig/ui/optonlineupdatepage.ui:466
@@ -16192,7 +16194,7 @@ msgstr "Opcions d'actualització en línia"
#: cui/uiconfig/ui/optonlineupdatepage.ui:474
msgctxt "extended_tip|OptOnlineUpdatePage"
msgid "Specifies some options for the automatic notification and downloading of online updates to the office suite."
-msgstr ""
+msgstr "Especifica algunes opcions per a la notificació automàtica i baixada d'actualitzacions en línia del paquet ofimàtic."
#. QYxCN
#: cui/uiconfig/ui/optopenclpage.ui:24
@@ -16276,7 +16278,7 @@ msgstr "Feu-hi clic per a mostrar el diàleg «Selecciona el camí» o «Edita
#: cui/uiconfig/ui/optpathspage.ui:210
msgctxt "OptPathsPage"
msgid "This section contains the default paths to important folders of the office suite. These paths can be edited by the user."
-msgstr ""
+msgstr "Aquesta secció conté els camins predeterminats de carpetes importants del paquet ofimàtic. L'usuari pot editar-los."
#. pQEWv
#: cui/uiconfig/ui/optproxypage.ui:26
@@ -16438,13 +16440,13 @@ msgstr "Carrega la configuració específica de l'usuari guardada en un document
#: cui/uiconfig/ui/optsavepage.ui:72
msgctxt "optsavepage|load_anyuser"
msgid "Load view position with the document even if it was saved by a different user"
-msgstr ""
+msgstr "Carrega la posició de la vista amb el document, inclòs si el va guardar un usuari diferent"
#. FLNEA
#: cui/uiconfig/ui/optsavepage.ui:80
msgctxt "load_anyuser"
msgid "Loads the view position settings saved in a document with the document even if it was saved by a different user."
-msgstr ""
+msgstr "Carrega la configuració de la posició de la vista guardada en un document amb el document, fins i tot si el va guardar un altre usuari."
#. js6Gn
#: cui/uiconfig/ui/optsavepage.ui:95
@@ -16462,7 +16464,7 @@ msgstr "Guarda la informació de restabliment _automàtic cada:"
#: cui/uiconfig/ui/optsavepage.ui:138
msgctxt "autosave"
msgid "Specifies that the office suite saves the information needed to restore all open documents in case of a crash. You can specify the saving time interval."
-msgstr ""
+msgstr "Indica que el paquet ofimàtic guarda la informació necessària per a recuperar tots els documents oberts en cas de fallada. Podeu indicar la freqüència de desament."
#. ipCBG
#: cui/uiconfig/ui/optsavepage.ui:156
@@ -16486,7 +16488,7 @@ msgstr "Guarda també automàticament el document"
#: cui/uiconfig/ui/optsavepage.ui:192
msgctxt "userautosave"
msgid "Specifies that the office suite saves all open documents when saving auto recovery information. Uses the same time interval as AutoRecovery does."
-msgstr ""
+msgstr "Indica que el paquet ofimàtic guarda tots els documents oberts en guardar la informació de recuperació automàtica. Utilitza el mateix interval de temps que la recuperació automàtica."
#. kwFtx
#: cui/uiconfig/ui/optsavepage.ui:203
@@ -16534,7 +16536,7 @@ msgstr "Fes sempre una _còpia de seguretat"
#: cui/uiconfig/ui/optsavepage.ui:268
msgctxt "backup"
msgid "Saves the previous version of a document as a backup copy whenever you save a document. Every time the office suite creates a backup copy, the previous backup copy is replaced. The backup copy gets the extension .BAK."
-msgstr ""
+msgstr "Guarda la versió anterior d'un document com a còpia de seguretat cada vegada que guardeu un document. Cada vegada que el paquet ofimàtic crea una còpia de seguretat, es reemplaça la còpia de seguretat anterior. La còpia de seguretat obté l'extensió .BAK."
#. NaGCU
#: cui/uiconfig/ui/optsavepage.ui:283
@@ -16727,7 +16729,7 @@ msgstr "_Guarda permanentment les contrasenyes de les connexions web"
#: cui/uiconfig/ui/optsecuritypage.ui:251
msgctxt "extended_tip|savepassword"
msgid "If enabled, all passwords that you use to access files from web servers will be securely stored. You can retrieve the passwords from the list after you enter the master password."
-msgstr ""
+msgstr "Si s'habilita, totes les contrasenyes que utilitzeu per a accedir als fitxers des dels servidors web s'emmagatzemaran de manera segura. Podeu recuperar les contrasenyes de la llista després d'introduir la contrasenya mestra."
#. Gyqwf
#: cui/uiconfig/ui/optsecuritypage.ui:270
@@ -17423,7 +17425,7 @@ msgstr "Indica l'estil d'icona per a les icones de les barres d'eines i diàlegs
#: cui/uiconfig/ui/optviewpage.ui:284
msgctxt "optviewpage|label6"
msgid "_Theme:"
-msgstr ""
+msgstr "_Tema:"
#. StBQN
#: cui/uiconfig/ui/optviewpage.ui:299
@@ -17435,43 +17437,43 @@ msgstr "Afig més temes d'icones mitjançant extensions"
#: cui/uiconfig/ui/optviewpage.ui:314
msgctxt "optviewpage|label1"
msgid "Icon Theme"
-msgstr ""
+msgstr "Tema d'icones"
#. zXaFc
#: cui/uiconfig/ui/optviewpage.ui:349
msgctxt "optviewpage|appearance"
msgid "System"
-msgstr ""
+msgstr "Sistema"
#. S3ogK
#: cui/uiconfig/ui/optviewpage.ui:350
msgctxt "optviewpage|appearance"
msgid "Light"
-msgstr ""
+msgstr "Clar"
#. qYSap
#: cui/uiconfig/ui/optviewpage.ui:351
msgctxt "optviewpage|appearance"
msgid "Dark"
-msgstr ""
+msgstr "Fosc"
#. qfbPT
#: cui/uiconfig/ui/optviewpage.ui:355
msgctxt "extended_tip | appearance"
msgid "Specifies whether to follow the system appearance mode or override Dark or Light."
-msgstr ""
+msgstr "Indica si s'ha de seguir el mode d'aparença del sistema o si s'ha de forçar el mode clar o fosc."
#. nzLbn
#: cui/uiconfig/ui/optviewpage.ui:368
msgctxt "optviewpage|label7"
msgid "Mode:"
-msgstr ""
+msgstr "Mode:"
#. Nrc4k
#: cui/uiconfig/ui/optviewpage.ui:384
msgctxt "optviewpage|label16"
msgid "Appearance"
-msgstr ""
+msgstr "Aparença"
#. R2ZAF
#: cui/uiconfig/ui/optviewpage.ui:424
@@ -17483,7 +17485,7 @@ msgstr "Accelera per ma_quinari"
#: cui/uiconfig/ui/optviewpage.ui:428
msgctxt "optviewpage|useaccel|tooltip_text"
msgid "Requires restart"
-msgstr ""
+msgstr "Cal reiniciar"
#. qw73y
#: cui/uiconfig/ui/optviewpage.ui:434
@@ -17501,7 +17503,7 @@ msgstr "Su_avitza les vores"
#: cui/uiconfig/ui/optviewpage.ui:449
msgctxt "optviewpage|useaa|tooltip_text"
msgid "Requires restart"
-msgstr ""
+msgstr "Cal reiniciar"
#. fUKV9
#: cui/uiconfig/ui/optviewpage.ui:455
@@ -17519,7 +17521,7 @@ msgstr "Utilitza l'Skia per a totes les renderitzacions"
#: cui/uiconfig/ui/optviewpage.ui:470
msgctxt "optviewpage|useskia|tooltip_text"
msgid "Requires restart"
-msgstr ""
+msgstr "Cal reiniciar"
#. RFqrA
#: cui/uiconfig/ui/optviewpage.ui:481
@@ -17549,7 +17551,7 @@ msgstr "L'Skia està desactivat."
#: cui/uiconfig/ui/optviewpage.ui:527
msgctxt "optviewpage|btnSkialog"
msgid "Copy skia.log"
-msgstr ""
+msgstr "Copia skia.log"
#. sy9iz
#: cui/uiconfig/ui/optviewpage.ui:543
@@ -17591,7 +17593,7 @@ msgstr "_des de:"
#: cui/uiconfig/ui/optviewpage.ui:639
msgctxt "extended_tip | aanf"
msgid "Enter the smallest font size to apply antialiasing to."
-msgstr ""
+msgstr "Introduïu la mida de lletra més petita que cal suavitzar."
#. uZALs
#: cui/uiconfig/ui/optviewpage.ui:660
@@ -17603,7 +17605,7 @@ msgstr "Llistes de tipus de lletra"
#: cui/uiconfig/ui/optviewpage.ui:674
msgctxt "optviewpage|btn_rungptest"
msgid "Run Graphics Tests"
-msgstr ""
+msgstr "Executa proves gràfiques"
#. 872fQ
#: cui/uiconfig/ui/pageformatpage.ui:41
@@ -17699,7 +17701,7 @@ msgstr "Inferior:"
#: cui/uiconfig/ui/pageformatpage.ui:460
msgctxt "pageformatpage|labelGutterMargin"
msgid "Gutter:"
-msgstr ""
+msgstr "Enquadernació:"
#. Tvwu6
#: cui/uiconfig/ui/pageformatpage.ui:488
@@ -17796,44 +17798,44 @@ msgstr "E_stil de referència:"
#: cui/uiconfig/ui/pageformatpage.ui:677
msgctxt "pageformatpage|labelGutterPosition"
msgid "Gutter position:"
-msgstr ""
+msgstr "Pos. de marge d'enquadernació:"
#. LF4Ex
#: cui/uiconfig/ui/pageformatpage.ui:692
msgctxt "pageformatpage|liststoreGutterPosition"
msgid "Left"
-msgstr ""
+msgstr "A l'esquerra"
#. DSBY5
#: cui/uiconfig/ui/pageformatpage.ui:693
msgctxt "pageformatpage|liststoreGutterPosition"
msgid "Top"
-msgstr ""
+msgstr "A dalt"
#. AosV5
#: cui/uiconfig/ui/pageformatpage.ui:703
msgctxt "pageformatpage|checkRtlGutter"
msgid "Gutter on right side of page"
-msgstr ""
+msgstr "Enquadernació a la dreta de la pàgina"
#. cuazP
#: cui/uiconfig/ui/pageformatpage.ui:717
msgctxt "pageformatpage|checkBackgroundFullSize"
msgid "Background covers margins"
-msgstr ""
+msgstr "El fons cobreix els marges"
#. ApZcb
#. xdds
#: cui/uiconfig/ui/pageformatpage.ui:721
msgctxt "pageformatpage|checkBackgroundFullSize"
msgid "Any background will cover margins of the page as well"
-msgstr ""
+msgstr "Qualsevol fons cobrirà els marges de la pàgina"
#. XtMGD
#: cui/uiconfig/ui/pageformatpage.ui:726
msgctxt "extended_tip|checkBackgroundFullSize"
msgid "If enabled, then any background will cover the entire page, including margins. If disabled, any background will cover the page only inside the margins."
-msgstr ""
+msgstr "Si està activada, qualsevol fons cobrirà tota la pàgina, inclosos els marges. Si està desactivada, qualsevol fons cobrirà la pàgina només dins dels marges."
#. xdECe
#: cui/uiconfig/ui/pageformatpage.ui:753
@@ -17911,7 +17913,7 @@ msgstr "_Esquerra/part superior"
#: cui/uiconfig/ui/paragalignpage.ui:196
msgctxt "paragalignpage|labelST_VERTALIGN_SDR"
msgid "Vertical"
-msgstr ""
+msgstr "Vertical"
#. tRWTe
#: cui/uiconfig/ui/paragalignpage.ui:220
@@ -18536,7 +18538,7 @@ msgstr "Mostra els diferents gràfics que podeu utilitzar com a pics en una llis
#: cui/uiconfig/ui/picknumberingpage.ui:37
msgctxt "picknumberingpage|extended_tip|valueset"
msgid "Click the numbering scheme that you want to use."
-msgstr ""
+msgstr "Feu clic a l'esquema de numeració que vulgueu usar."
#. 9JnpQ
#: cui/uiconfig/ui/picknumberingpage.ui:50
@@ -18548,7 +18550,7 @@ msgstr "Selecció"
#: cui/uiconfig/ui/picknumberingpage.ui:58
msgctxt "picknumberingpage|extended_tip|PickNumberingPage"
msgid "Displays the different numbering schemes that you can apply."
-msgstr ""
+msgstr "Mostra els diferents esquemes de numeració que podeu aplicar."
#. BDFqB
#: cui/uiconfig/ui/pickoutlinepage.ui:37
@@ -18566,7 +18568,7 @@ msgstr "Selecció"
#: cui/uiconfig/ui/pickoutlinepage.ui:58
msgctxt "pickoutlinepage|extended_tip|PickOutlinePage"
msgid "Displays the different styles that you can apply to a hierarchical list. Up to nine outline levels in a list hierarchy are supported."
-msgstr ""
+msgstr "Mostra els diferents estils que podeu aplicar en una llista jeràrquica. S'admeten fins a nou nivell d'esquema en una jerarquia de llista."
#. hRP6U
#: cui/uiconfig/ui/positionpage.ui:62
@@ -18590,7 +18592,7 @@ msgstr "Subíndex"
#: cui/uiconfig/ui/positionpage.ui:127
msgctxt "positionpage|raiselower"
msgid "Raise/lower by:"
-msgstr ""
+msgstr "Augment o disminució de:"
#. Ac85F
#: cui/uiconfig/ui/positionpage.ui:163
@@ -18602,7 +18604,7 @@ msgstr "Automàtic"
#: cui/uiconfig/ui/positionpage.ui:179
msgctxt "positionpage|relativefontsize"
msgid "Relative font size:"
-msgstr ""
+msgstr "Mida relativa de la lletra:"
#. iG3EE
#: cui/uiconfig/ui/positionpage.ui:205
@@ -18632,7 +18634,7 @@ msgstr "270 graus"
#: cui/uiconfig/ui/positionpage.ui:302
msgctxt "positionpage|label24"
msgid "Scale width:"
-msgstr ""
+msgstr "Escala l'amplària:"
#. vAV4A
#: cui/uiconfig/ui/positionpage.ui:328
@@ -18656,7 +18658,7 @@ msgstr "Escala"
#: cui/uiconfig/ui/positionpage.ui:412
msgctxt "positionpage|label7"
msgid "Character spacing:"
-msgstr ""
+msgstr "Espaiat entre caràcters:"
#. CChzM
#: cui/uiconfig/ui/positionpage.ui:452
@@ -18902,59 +18904,59 @@ msgstr "Obri un diàleg per a determinar el nombre de colors del pòster."
#: cui/uiconfig/ui/qrcodegen.ui:14
msgctxt "qrcodegen|QrCodeGenDialog"
msgid "QR and Barcode"
-msgstr ""
+msgstr "Codi de barres i QR"
#. 4FXDa
#. Text to be stored in the QR
#: cui/uiconfig/ui/qrcodegen.ui:117
msgctxt "qrcodegen|label_text"
msgid "URL/Text:"
-msgstr ""
+msgstr "URL o text:"
#. FoKEY
#. Set Margin around QR
#: cui/uiconfig/ui/qrcodegen.ui:132
msgctxt "qrcodegen|label_margin"
msgid "Margin:"
-msgstr ""
+msgstr "Marges:"
#. cBGCb
#. Select type
#: cui/uiconfig/ui/qrcodegen.ui:147
msgctxt "qrcodegen|label_type"
msgid "Type:"
-msgstr ""
+msgstr "Tipus:"
#. QaD48
#: cui/uiconfig/ui/qrcodegen.ui:164
msgctxt "qrcodegen|QrCode"
msgid "QR Code"
-msgstr ""
+msgstr "Codi QR"
#. HGShQ
#: cui/uiconfig/ui/qrcodegen.ui:165
msgctxt "qrcodegen|BarCode"
msgid "Barcode"
-msgstr ""
+msgstr "Codi de barres"
#. C3VYY
#: cui/uiconfig/ui/qrcodegen.ui:169
msgctxt "type"
msgid "The type of code to generate."
-msgstr ""
+msgstr "El tipus de codi a generar."
#. 8QtFq
#. Error Correction Level of QR code
#: cui/uiconfig/ui/qrcodegen.ui:189
msgctxt "qrcodegen|label_ecc"
msgid "Error correction:"
-msgstr ""
+msgstr "Correcció d'errors:"
#. SPWn3
#: cui/uiconfig/ui/qrcodegen.ui:221
msgctxt "edit margin"
msgid "The margin surrounding the code."
-msgstr ""
+msgstr "El marge que envolta el codi."
#. vUJPT
#: cui/uiconfig/ui/qrcodegen.ui:238
@@ -19008,7 +19010,7 @@ msgstr "Es pot restaurar el 30% de les paraules."
#: cui/uiconfig/ui/qrcodegen.ui:350
msgctxt "qr text"
msgid "The text from which to generate the code."
-msgstr ""
+msgstr "El text a partir del qual s'ha de generar el codi."
#. VCCGD
#: cui/uiconfig/ui/qrcodegen.ui:367
@@ -19020,25 +19022,25 @@ msgstr "Opcions"
#: cui/uiconfig/ui/qrcodegen.ui:395
msgctxt "qr code dialog title"
msgid "Generate linear and matrix codes for any text or URL."
-msgstr ""
+msgstr "Genereu codis lineals o matricials per a representar qualsevol text o URL."
#. CCsnn
#: cui/uiconfig/ui/querychangelineenddialog.ui:7
msgctxt "querychangelineenddialog|AskChangeLineEndDialog"
msgid "Save Arrow Style?"
-msgstr ""
+msgstr "Voleu guardar l'estil de la fletxa?"
#. CwxRp
#: cui/uiconfig/ui/querychangelineenddialog.ui:14
msgctxt "querychangelineenddialog|AskChangeLineEndDialog"
msgid "The arrow style was modified without saving."
-msgstr ""
+msgstr "S'ha modificat l'estil de la fletxa, però no s'ha guardat."
#. KR9rL
#: cui/uiconfig/ui/querychangelineenddialog.ui:15
msgctxt "querychangelineenddialog|AskChangeLineEndDialog"
msgid "Would you like to save the arrow style now?"
-msgstr ""
+msgstr "Voleu guardar l'estil de la fletxa ara?"
#. cew2A
#: cui/uiconfig/ui/querydeletebitmapdialog.ui:7
@@ -19128,13 +19130,13 @@ msgstr "Esteu segur que voleu suprimir l'ombreig?"
#: cui/uiconfig/ui/querydeletelineenddialog.ui:7
msgctxt "querydeletelineenddialog|AskDelLineEndDialog"
msgid "Delete Arrow Style?"
-msgstr ""
+msgstr "Voleu suprimir l'estil de fletxa?"
#. x6t6L
#: cui/uiconfig/ui/querydeletelineenddialog.ui:14
msgctxt "querydeletelineenddialog|AskDelLineEndDialog"
msgid "Do you really want to delete the arrow style?"
-msgstr ""
+msgstr "Esteu segur que voleu suprimir l'estil de la fletxa?"
#. 4AubG
#: cui/uiconfig/ui/querydeletelineenddialog.ui:15
@@ -19416,7 +19418,7 @@ msgstr "Macros"
#: cui/uiconfig/ui/scriptorganizer.ui:266
msgctxt "scriptorganizer|extended_tip|ScriptOrganizerDialog"
msgid "Select a macro or script from My Macros, Application Macros, or an open document. To view the available macros or scripts, double-click an entry."
-msgstr ""
+msgstr "Seleccioneu una macro o un script de Les meues macros, Macros de l'aplicació o d'un document obert. Per a veure les macros o scripts disponibles feu doble clic en una entrada."
#. U3sDy
#: cui/uiconfig/ui/searchattrdialog.ui:22
@@ -20262,7 +20264,7 @@ msgstr "_Insereix"
#: cui/uiconfig/ui/specialcharacters.ui:109
msgctxt "specialcharacters|subsetft"
msgid "Character block:"
-msgstr ""
+msgstr "Bloc de caràcters:"
#. mPCRR
#: cui/uiconfig/ui/specialcharacters.ui:123
@@ -20280,7 +20282,7 @@ msgstr "Busca:"
#: cui/uiconfig/ui/specialcharacters.ui:166
msgctxt "specialcharacters|extended_tip|subsetlb"
msgid "Select a Unicode block for the current font."
-msgstr ""
+msgstr "Seleccioneu un bloc Unicode per a la lletra actual."
#. JPWW8
#: cui/uiconfig/ui/specialcharacters.ui:190
@@ -20352,7 +20354,7 @@ msgstr "Obri un diàleg que vos permet seleccionar els diccionaris definits per
#: cui/uiconfig/ui/spellingdialog.ui:80
msgctxt "spellingdialog|undo"
msgid "_Undo"
-msgstr ""
+msgstr "_Desfès"
#. yuEBN
#: cui/uiconfig/ui/spellingdialog.ui:87
@@ -20400,7 +20402,7 @@ msgstr "Activeu «Comprova la gramàtica» per a treballar primer en els errors
#: cui/uiconfig/ui/spellingdialog.ui:275
msgctxt "spellingdialog|notindictft"
msgid "_Not in Dictionary"
-msgstr ""
+msgstr "_No és al diccionari"
#. R7k8J
#: cui/uiconfig/ui/spellingdialog.ui:294
@@ -20472,19 +20474,19 @@ msgstr "Reemplaça totes les ocurrències de la paraula desconeguda amb el sugge
#: cui/uiconfig/ui/spellingdialog.ui:483
msgctxt "spellingdialog|autocorrect"
msgid "Add to _AutoCorrect"
-msgstr ""
+msgstr "Afig a la correcció _automàtica"
#. xpvWk
#: cui/uiconfig/ui/spellingdialog.ui:487
msgctxt "spellingdialog|autocorrect|tooltip_text"
msgid "Add selected suggestion as replacement for incorrect word in AutoCorrect replacement table."
-msgstr ""
+msgstr "Afig el suggeriment seleccionat com a substitut de la paraula incorrecta a la taula de reemplaçament de correcció automàtica."
#. DGBWv
#: cui/uiconfig/ui/spellingdialog.ui:493
msgctxt "spellingdialog|extended_tip|autocorrect"
msgid "Adds the current combination of the incorrect word and the replacement word to the AutoCorrect replacement table."
-msgstr ""
+msgstr "Afig la combinació actual de la paraula incorrecta i la paraula de reemplaçament a la taula de reemplaçament de correcció automàtica."
#. DoqLo
#: cui/uiconfig/ui/spellingdialog.ui:517
@@ -20508,7 +20510,7 @@ msgstr "I_gnora-les totes"
#: cui/uiconfig/ui/spellingdialog.ui:546
msgctxt "spellingdialog|extended_tip|ignoreall"
msgid "Skips all occurrences of the unknown word until the end of the current office suite session and continues with the spellcheck."
-msgstr ""
+msgstr "Omet totes les ocurrències de la paraula desconeguda fins al final del document de la sessió actual del paquet ofimàtic i segueix amb la correcció ortogràfica."
#. ZZNQM
#: cui/uiconfig/ui/spellingdialog.ui:557
@@ -20526,7 +20528,7 @@ msgstr "Quan s'estiga fent una verificació gramatical, feu clic a Ignora la reg
#: cui/uiconfig/ui/spellingdialog.ui:577
msgctxt "spellingdialog|add"
msgid "Add to _Dictionary"
-msgstr ""
+msgstr "Afig al _diccionari"
#. JAsBm
#: cui/uiconfig/ui/spellingdialog.ui:586
@@ -20538,7 +20540,7 @@ msgstr "Afig la paraula desconeguda a un diccionari definit per l'usuari."
#: cui/uiconfig/ui/spellingdialog.ui:597
msgctxt "spellingdialog|addmb"
msgid "Add to _Dictionary"
-msgstr ""
+msgstr "Afig al _diccionari"
#. YFz8g
#: cui/uiconfig/ui/spellingdialog.ui:612
@@ -21078,7 +21080,7 @@ msgstr "_Automàtic"
#: cui/uiconfig/ui/textanimtabpage.ui:482
msgctxt "textanimtabpage|extended_tip|TSB_AUTO"
msgid "Automatically determine the amount of time to wait before repeating the effect. To manually assign the delay period, clear this checkbox, and then enter a value in the Automatic box."
-msgstr ""
+msgstr "Determina automàticament el temps a esperar abans de repetir l'efecte. Per a assignar manualment el període d'espera, desmarqueu aquesta casella i després introduïu un valor en la casella Automàtic."
#. aagEf
#: cui/uiconfig/ui/textanimtabpage.ui:505
@@ -21270,31 +21272,31 @@ msgstr "Defineix el format i les propietats d'ancoratge per al text del dibuix o
#: cui/uiconfig/ui/textcolumnstabpage.ui:37
msgctxt "textcolumnstabpage|labelColNumber"
msgid "_Number of columns:"
-msgstr ""
+msgstr "_Nombre de columnes:"
#. PpfsL
#: cui/uiconfig/ui/textcolumnstabpage.ui:51
msgctxt "textcolumnstabpage|labelColSpacing"
msgid "_Spacing:"
-msgstr ""
+msgstr "_Espaiat:"
#. cpMdh
#: cui/uiconfig/ui/textcolumnstabpage.ui:71
msgctxt "textcolumnstabpage|extended_tip|FLD_COL_NUMBER"
msgid "Enter the number of columns to use for the text."
-msgstr ""
+msgstr "Introduïu el nombre de columnes que cal utilitzar per al text."
#. VDq3x
#: cui/uiconfig/ui/textcolumnstabpage.ui:90
msgctxt "textcolumnstabpage|extended_tip|MTR_FLD_COL_SPACING"
msgid "Enter the amount of space to leave between the columns."
-msgstr ""
+msgstr "Introduïu la quantitat d'espai que cal deixar entre les columnes."
#. 7Fgep
#: cui/uiconfig/ui/textcolumnstabpage.ui:108
msgctxt "textcolumnstabpage|extended_tip|TextColumnsPage"
msgid "Sets the columns’ layout properties for text in the selected drawing or text object."
-msgstr ""
+msgstr "Estableix les propietats de disposició de les columnes per al text en l'objecte de dibuix o text seleccionat."
#. 3Huae
#: cui/uiconfig/ui/textdialog.ui:8
@@ -21318,7 +21320,7 @@ msgstr "Animació de text"
#: cui/uiconfig/ui/textdialog.ui:231
msgctxt "textdialog|RID_SVXPAGE_TEXTCOLUMNS"
msgid "Text Columns"
-msgstr ""
+msgstr "Columnes de text"
#. N89ek
#: cui/uiconfig/ui/textflowpage.ui:81
@@ -21336,7 +21338,7 @@ msgstr "Insereix automàticament els guionets allà on són necessaris en un par
#: cui/uiconfig/ui/textflowpage.ui:111
msgctxt "textflowpage|extended_tip|spinMinLen"
msgid "Enter the minimum word length in characters that can be hyphenated."
-msgstr ""
+msgstr "Introduïu la longitud mínima de paraula en caràcters que es poden partir a final de línia."
#. MzDMB
#: cui/uiconfig/ui/textflowpage.ui:131
@@ -21372,13 +21374,13 @@ msgstr "Ca_ràcters al començament de la línia"
#: cui/uiconfig/ui/textflowpage.ui:213
msgctxt "textflowpage|labelMaxNum"
msgid "_Maximum consecutive hyphenated lines"
-msgstr ""
+msgstr "Línies partides consecutives mà_ximes"
#. JkHBB
#: cui/uiconfig/ui/textflowpage.ui:227
msgctxt "textflowpage|labelMinLen"
msgid "_Minimum word length in characters"
-msgstr ""
+msgstr "Longitud de mot mín_ima en caràcters"
#. GgHhP
#: cui/uiconfig/ui/textflowpage.ui:238
@@ -21390,13 +21392,13 @@ msgstr "No partisques els mots en _MAJÚSCULES"
#: cui/uiconfig/ui/textflowpage.ui:253
msgctxt "textflowpage|checkNoLastWord"
msgid "Don't hyphenate the last word"
-msgstr ""
+msgstr "No partisques l'últim mot"
#. 582fA
#: cui/uiconfig/ui/textflowpage.ui:292
msgctxt "textflowpage|labelHyphenZone"
msgid "Hyphenation _zone:"
-msgstr ""
+msgstr "_Zona de partició de mots:"
#. stYh3
#: cui/uiconfig/ui/textflowpage.ui:315
@@ -21594,97 +21596,97 @@ msgstr "Especifiqueu les opcions de partició de mots i paginació."
#: cui/uiconfig/ui/themetabpage.ui:30
msgctxt "themetabpage|lbThemeName"
msgid "Name:"
-msgstr ""
+msgstr "Nom:"
#. GxAud
#: cui/uiconfig/ui/themetabpage.ui:60
msgctxt "themetabpage|general"
msgid "General"
-msgstr ""
+msgstr "Generals"
#. PFDEf
#: cui/uiconfig/ui/themetabpage.ui:92
msgctxt "themetabpage|lbColorSetName"
msgid "Name:"
-msgstr ""
+msgstr "Nom:"
#. 4GfYQ
#: cui/uiconfig/ui/themetabpage.ui:121
msgctxt "themetabpage|lbDk1"
msgid "Background - Dark 1:"
-msgstr ""
+msgstr "Fons fosc 1:"
#. J3qNF
#: cui/uiconfig/ui/themetabpage.ui:136
msgctxt "themetabpage|lbLt1"
msgid "Text - Light 1:"
-msgstr ""
+msgstr "Text clar 1:"
#. zFCDe
#: cui/uiconfig/ui/themetabpage.ui:151
msgctxt "themetabpage|lbDk2"
msgid "Background - Dark 2:"
-msgstr ""
+msgstr "Fons fosc 2:"
#. RVZjG
#: cui/uiconfig/ui/themetabpage.ui:166
msgctxt "themetabpage|lbLt2"
msgid "Text - Light 2:"
-msgstr ""
+msgstr "Text clar 2:"
#. kwdwQ
#: cui/uiconfig/ui/themetabpage.ui:181
msgctxt "themetabpage|lbAccent1"
msgid "Accent 1:"
-msgstr ""
+msgstr "Èmfasi 1:"
#. iBrgD
#: cui/uiconfig/ui/themetabpage.ui:196
msgctxt "themetabpage|lbAccent2"
msgid "Accent 2:"
-msgstr ""
+msgstr "Èmfasi 2:"
#. jA7Cn
#: cui/uiconfig/ui/themetabpage.ui:211
msgctxt "themetabpage|lbAccent3"
msgid "Accent 3:"
-msgstr ""
+msgstr "Èmfasi 3:"
#. oPgoC
#: cui/uiconfig/ui/themetabpage.ui:226
msgctxt "themetabpage|lbAccent4"
msgid "Accent 4:"
-msgstr ""
+msgstr "Èmfasi 4:"
#. n8AAc
#: cui/uiconfig/ui/themetabpage.ui:241
msgctxt "themetabpage|lbAccent5"
msgid "Accent 5:"
-msgstr ""
+msgstr "Èmfasi 5:"
#. pi44r
#: cui/uiconfig/ui/themetabpage.ui:256
msgctxt "themetabpage|lbAccent6"
msgid "Accent 6:"
-msgstr ""
+msgstr "Èmfasi 6:"
#. CeB9H
#: cui/uiconfig/ui/themetabpage.ui:271
msgctxt "themetabpage|lbHlink"
msgid "Hyperlink:"
-msgstr ""
+msgstr "Enllaç:"
#. B722M
#: cui/uiconfig/ui/themetabpage.ui:286
msgctxt "themetabpage|lbFolHlink"
msgid "Followed Hyperlink:"
-msgstr ""
+msgstr "Enllaç visitat:"
#. jRFtE
#: cui/uiconfig/ui/themetabpage.ui:543
msgctxt "themetabpage|colorSet"
msgid "Color Set"
-msgstr ""
+msgstr "Joc de colors"
#. 5BskL
#: cui/uiconfig/ui/thesaurus.ui:23
@@ -21762,7 +21764,7 @@ msgstr "Obri un quadre de diàleg per reemplaçar la paraula actual per un sinò
#: cui/uiconfig/ui/tipofthedaydialog.ui:8
msgctxt "TipOfTheDayDialog|Name"
msgid "Tip of the Day"
-msgstr ""
+msgstr "Suggeriment del dia"
#. 7cEFq
#: cui/uiconfig/ui/tipofthedaydialog.ui:25
@@ -21774,7 +21776,7 @@ msgstr "_Mostra'm consells en iniciar"
#: cui/uiconfig/ui/tipofthedaydialog.ui:29
msgctxt "TipOfTheDay|Checkbox_Tooltip"
msgid "Enable the dialog again at Tools ▸ Options ▸ General, or Help ▸ Show Tip of the Day"
-msgstr ""
+msgstr "Torneu a activar el diàleg a Eines ▸ Opcions ▸ General, o Ajuda ▸ Mostra el suggeriment del dia"
#. GALqP
#: cui/uiconfig/ui/tipofthedaydialog.ui:43
@@ -21822,19 +21824,19 @@ msgstr "Barra d'eines estàndard"
#: cui/uiconfig/ui/toolbarmodedialog.ui:128
msgctxt "ToolbarmodeDialog|radiobutton2"
msgid "Tabbed"
-msgstr ""
+msgstr "Amb pestanyes"
#. DZLbS
#: cui/uiconfig/ui/toolbarmodedialog.ui:156
msgctxt "ToolbarmodeDialog|radiobutton3"
msgid "Single Toolbar"
-msgstr ""
+msgstr "Barra d'eines única"
#. KDJfx
#: cui/uiconfig/ui/toolbarmodedialog.ui:173
msgctxt "ToolbarmodeDialog|radiobutton4"
msgid "Sidebar"
-msgstr ""
+msgstr "Barra lateral"
#. YvSd9
#: cui/uiconfig/ui/toolbarmodedialog.ui:190
@@ -21846,13 +21848,13 @@ msgstr "Pestanyes compactes"
#: cui/uiconfig/ui/toolbarmodedialog.ui:207
msgctxt "ToolbarmodeDialog|radiobutton6"
msgid "Groupedbar"
-msgstr ""
+msgstr "Barra agrupada"
#. qwCAA
#: cui/uiconfig/ui/toolbarmodedialog.ui:224
msgctxt "ToolbarmodeDialog|radiobutton7"
msgid "Groupedbar Compact"
-msgstr ""
+msgstr "Barra agrupada compacta"
#. iSVgL
#: cui/uiconfig/ui/toolbarmodedialog.ui:241
@@ -21984,13 +21986,13 @@ msgstr "El·lipsoide"
#: cui/uiconfig/ui/transparencytabpage.ui:292
msgctxt "transparencytabpage|liststoreTYPE"
msgid "Square (Quadratic)"
-msgstr ""
+msgstr "Quadrat"
#. zBJ6o
#: cui/uiconfig/ui/transparencytabpage.ui:293
msgctxt "transparencytabpage|liststoreTYPE"
msgid "Rectangular"
-msgstr ""
+msgstr "Rectangular"
#. 9hAzC
#: cui/uiconfig/ui/transparencytabpage.ui:297
@@ -22026,7 +22028,7 @@ msgstr "_Angle:"
#: cui/uiconfig/ui/transparencytabpage.ui:371
msgctxt "transparencytabpage|FT_TRGR_BORDER"
msgid "Transition start:"
-msgstr ""
+msgstr "Inici de la transició:"
#. JBFw6
#: cui/uiconfig/ui/transparencytabpage.ui:386
@@ -22044,7 +22046,7 @@ msgstr "Valor _final:"
#: cui/uiconfig/ui/transparencytabpage.ui:456
msgctxt "transparencytabpage|CTL_IMAGE_PREVIEW-atkobject"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. AiQzg
#: cui/uiconfig/ui/transparencytabpage.ui:491
@@ -22122,7 +22124,7 @@ msgstr "Caràcter final"
#: cui/uiconfig/ui/twolinespage.ui:189
msgctxt "twolinespage|label28"
msgid "Enclosing Characters"
-msgstr ""
+msgstr "Caràcters al voltant"
#. fwdBe
#: cui/uiconfig/ui/twolinespage.ui:223
@@ -22134,7 +22136,7 @@ msgstr "Previsualització"
#: cui/uiconfig/ui/widgettestdialog.ui:66
msgctxt "widgettestdialog|WidgetTestDialog"
msgid "Test Widgets"
-msgstr ""
+msgstr "Ginys de prova"
#. 9zxtA
#: cui/uiconfig/ui/wordcompletionpage.ui:60
@@ -22164,7 +22166,7 @@ msgstr "_Afig espais"
#: cui/uiconfig/ui/wordcompletionpage.ui:107
msgctxt "wordcompletionpage|extended_tip|appendspace"
msgid "If you do not add punctuation after the word then a space is added automatically."
-msgstr ""
+msgstr "Si no afegiu puntuació després de la paraula, aleshores s'afig un espai automàticament."
#. YyYGC
#: cui/uiconfig/ui/wordcompletionpage.ui:118
@@ -22236,7 +22238,7 @@ msgstr "_En tancar un document, suprimeix de la llista les paraules recollides d
#: cui/uiconfig/ui/wordcompletionpage.ui:343
msgctxt "wordcompletionpage|extended_tip|whenclosing"
msgid "When enabled, the list gets cleared when closing the current document. When disabled, makes the current Word Completion list available to other documents after you close the current document. The list remains available until you exit office suite."
-msgstr ""
+msgstr "Si està activat, la llista s'esborrarà en tancar el document actual. Si està desactivat, fa que la llista de compleció de paraules actual estiga disponible per a altres documents després de tancar el document actual. La llista continua disponible fins que eixiu del paquet ofimàtic."
#. f7oAK
#: cui/uiconfig/ui/wordcompletionpage.ui:358
@@ -22326,7 +22328,7 @@ msgstr "Mostra el document en la seua mida real."
#: cui/uiconfig/ui/zoomdialog.ui:197
msgctxt "zoomdialog|variable"
msgid "Custom:"
-msgstr ""
+msgstr "Personalitzat:"
#. zSg6i
#: cui/uiconfig/ui/zoomdialog.ui:209
@@ -22338,7 +22340,7 @@ msgstr "Introduïu el factor d'ampliació en què voleu visualitzar el document.
#: cui/uiconfig/ui/zoomdialog.ui:231
msgctxt "zoomdialog|zoomsb-atkobject"
msgid "Custom"
-msgstr ""
+msgstr "Personalitzat"
#. tnqjj
#: cui/uiconfig/ui/zoomdialog.ui:232
@@ -22422,4 +22424,4 @@ msgstr "Format de la visualització"
#: cui/uiconfig/ui/zoomdialog.ui:446
msgctxt "zoomdialog|extended_tip|ZoomDialog"
msgid "Reduces or enlarges the screen display."
-msgstr ""
+msgstr "Redueix o augmenta la visualització en pantalla."
diff --git a/source/ca-valencia/dbaccess/messages.po b/source/ca-valencia/dbaccess/messages.po
index 21f23f3dfcf..9e7ece5b003 100644
--- a/source/ca-valencia/dbaccess/messages.po
+++ b/source/ca-valencia/dbaccess/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dbaccessmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1524566577.000000\n"
#. BiN6g
@@ -37,67 +37,67 @@ msgstr "L'expressió SQL"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. FAMGa
#: dbaccess/inc/strings.hrc:26
@@ -1899,7 +1899,7 @@ msgstr "Camí als documents de full de càlcul"
#: dbaccess/inc/strings.hrc:333
msgctxt "STR_NAME_OF_ODBC_DATASOURCE"
msgid "Name of the ODBC data source"
-msgstr ""
+msgstr "Nom de l'origen de dades ODBC"
#. mGJE9
#: dbaccess/inc/strings.hrc:334
@@ -1911,7 +1911,7 @@ msgstr "Camí al document de Writer"
#: dbaccess/inc/strings.hrc:335
msgctxt "STR_MYSQL_DATABASE_NAME"
msgid "Name of the MySQL/MariaDB database"
-msgstr ""
+msgstr "Nom de la base de dades MySQL/MariaDB"
#. uhRMQ
#: dbaccess/inc/strings.hrc:336
@@ -1935,7 +1935,7 @@ msgstr "No calen més paràmetres. Per a verificar que la connexió funciona, fe
#: dbaccess/inc/strings.hrc:339
msgctxt "STR_COMMONURL"
msgid "Enter the DBMS/driver-specific connection string here"
-msgstr ""
+msgstr "Introduïu la cadena de connexió específica del DBMS o del controlador"
#. rKH3t
#: dbaccess/inc/strings.hrc:340
@@ -2101,13 +2101,13 @@ msgstr "Estableix una connexió de base de dades Oracle"
#: dbaccess/inc/strings.hrc:368
msgctxt "STR_PAGETITLE_MYSQL"
msgid "Set up MySQL/MariaDB connection"
-msgstr ""
+msgstr "Configura la connexió MySQL/MariaDB"
#. E3iYi
#: dbaccess/inc/strings.hrc:369
msgctxt "STR_PAGETITLE_POSTGRES"
msgid "Set up PostgreSQL connection"
-msgstr ""
+msgstr "Configura la connexió PostgreSQL"
#. uJuNs
#: dbaccess/inc/strings.hrc:370
@@ -2131,7 +2131,7 @@ msgstr "Estableix l'autenticació de l'usuari"
#: dbaccess/inc/strings.hrc:373
msgctxt "STR_PAGETITLE_MYSQL_NATIVE"
msgid "Set up MySQL/MariaDB server data"
-msgstr ""
+msgstr "Configura les dades del servidor MySQL/MariaDB"
#. 6Fy7C
#: dbaccess/inc/strings.hrc:374
@@ -2149,7 +2149,7 @@ msgstr "Base de dades nova"
#: dbaccess/inc/strings.hrc:376
msgctxt "STR_MYSQLJDBC_HEADERTEXT"
msgid "Set up connection to a MySQL/MariaDB database using JDBC"
-msgstr ""
+msgstr "Estableix una connexió al MySQL/MariaDB mitjançant JDBC"
#. tqpeM
#: dbaccess/inc/strings.hrc:377
@@ -2158,12 +2158,14 @@ msgid ""
"Please enter the required information to connect to a MySQL/MariaDB database using JDBC. Note that a JDBC driver class must be installed on your system and registered with %PRODUCTNAME.\n"
"Please contact your system administrator if you are unsure about the following settings."
msgstr ""
+"Introduïu la informació requerida per a connectar-vos a una base de dades MySQL/MariaDB usant JDBC. Tingueu en compte que el vostre sistema ha de tindre una classe de controlador JDBC instal·lada i registrada en el %PRODUCTNAME.\n"
+"Contacteu amb l'administrador del sistema si no esteu segur de la configuració següent."
#. Lrd3G
#: dbaccess/inc/strings.hrc:378
msgctxt "STR_MYSQL_DRIVERCLASSTEXT"
msgid "MySQL/MariaDB JDBC d~river class:"
-msgstr ""
+msgstr "Classe de controlador MySQL/MariaDB JDBC:"
#. cBiSe
#: dbaccess/inc/strings.hrc:379
@@ -2235,7 +2237,7 @@ msgstr ""
#: dbaccess/inc/strings.hrc:389
msgctxt "STR_ODBC_HEADERTEXT"
msgid "Set up a connection to an ODBC data source"
-msgstr ""
+msgstr "Configura una connexió a un origen de dades ODBC"
#. BELnF
#: dbaccess/inc/strings.hrc:390
@@ -2245,6 +2247,9 @@ msgid ""
"Click 'Browse...' to select an ODBC data source that is already registered in %PRODUCTNAME.\n"
"Please contact your system administrator if you are unsure about the following settings."
msgstr ""
+"Introduïu el nom de la font de dades ODBC que voleu utilitzar.\n"
+"Feu clic a «Navega...» per a seleccionar una font de dades ODBC que ja està registrada en el %PRODUCTNAME.\n"
+"Poseu-vos en contacte amb l'administrador del sistema si no esteu segur de la configuració següent."
#. dmi7n
#: dbaccess/inc/strings.hrc:391
@@ -2316,7 +2321,7 @@ msgstr "~Ubicació i nom del fitxer"
#: dbaccess/inc/strings.hrc:401
msgctxt "STR_POSTGRES_HEADERTEXT"
msgid "Set up a connection to a PostgreSQL database"
-msgstr ""
+msgstr "Configura una connexió a la base de dades PostgreSQL"
#. 3AEhs
#: dbaccess/inc/strings.hrc:402
@@ -2325,12 +2330,14 @@ msgid ""
"Please enter the required information to connect to a PostgreSQL database, either by entering the host name, port number and server, or by entering the connection string.\n"
"Please contact your system administrator if you are unsure about the following settings."
msgstr ""
+"Introduïu la informació requerida per a connectar-vos a una base de dades PostgreSQL, ja siga introduint el nom de la màquina, el número de port i el servidor, o introduint la cadena de connexió.\n"
+"Poseu-vos en contacte amb l'administrador del sistema si no esteu segur dels paràmetres següents."
#. CHYCA
#: dbaccess/inc/strings.hrc:403
msgctxt "STR_POSTGRES_DEFAULT"
msgid "Default: 5432"
-msgstr ""
+msgstr "Per defecte: 5432"
#. og5kg
#: dbaccess/inc/strings.hrc:404
@@ -2450,19 +2457,19 @@ msgstr "Detalls"
#: dbaccess/inc/strings.hrc:427
msgctxt "STR_ADD_USER"
msgid "Add User"
-msgstr ""
+msgstr "Afig un usuari"
#. YG5iB
#: dbaccess/inc/strings.hrc:428
msgctxt "STR_DELETE_USER"
msgid "Delete User"
-msgstr ""
+msgstr "Suprimeix l'usuari"
#. mDe9f
#: dbaccess/inc/strings.hrc:429
msgctxt "STR_CHANGE_PASSWORD"
msgid "Change Password"
-msgstr ""
+msgstr "Canvia la contrasenya"
#. Avmtu
#: dbaccess/inc/strings.hrc:430
@@ -3106,7 +3113,7 @@ msgstr "Connecta utilitzant JDBC (Java Database Connectivity)"
#: dbaccess/uiconfig/ui/dbwizmysqlintropage.ui:93
msgctxt "dbwizmysqlintropage|directly"
msgid "Connect directly (using MariaDB C connector)"
-msgstr ""
+msgstr "Connecta directament (usant el connector MariaDB)"
#. C9PFE
#: dbaccess/uiconfig/ui/dbwizmysqlintropage.ui:112
@@ -3118,19 +3125,19 @@ msgstr "Com voleu connectar amb la base de dades MySQL?"
#: dbaccess/uiconfig/ui/dbwizmysqlintropage.ui:128
msgctxt "dbwizmysqlintropage|header"
msgid "Set Up a Connection to a MySQL/MariaDB Database"
-msgstr ""
+msgstr "Configura una connexió a una base de dades MySQL/MariaDB"
#. 3cSEi
#: dbaccess/uiconfig/ui/dbwizmysqlnativepage.ui:35
msgctxt "dbwizmysqlnativepage|helptext"
msgid "Please enter the required information to connect to a MySQL/MariaDB database."
-msgstr ""
+msgstr "Introduïu la informació necessària per a connectar-vos a una base de dades MySQL/MariaDB."
#. 4uetU
#: dbaccess/uiconfig/ui/dbwizmysqlnativepage.ui:70
msgctxt "dbwizmysqlnativepage|header"
msgid "Set Up a Connection to a MySQL/MariaDB Database"
-msgstr ""
+msgstr "Configura una connexió a una base de dades MySQL/MariaDB"
#. AEty7
#: dbaccess/uiconfig/ui/dbwizspreadsheetpage.ui:55
@@ -3190,7 +3197,7 @@ msgstr "Executa la sentència SQL"
#: dbaccess/uiconfig/ui/directsqldialog.ui:99
msgctxt "directsqldialog|extended_tip|sql"
msgid "Enter the SQL administration command that you want to run."
-msgstr ""
+msgstr "Introduïu l'ordre d'administració SQL que voleu executar."
#. QCHBC
#: dbaccess/uiconfig/ui/directsqldialog.ui:116
@@ -3202,13 +3209,13 @@ msgstr "_Ordre que s'ha d'executar:"
#: dbaccess/uiconfig/ui/directsqldialog.ui:134
msgctxt "directsqldialog|directsql"
msgid "Run SQL command _directly"
-msgstr ""
+msgstr "Executa l'ordre SQL _directament"
#. dAffv
#: dbaccess/uiconfig/ui/directsqldialog.ui:142
msgctxt "directsqldialog|extended_tip|directsql"
msgid "Execute the SQL command directly without escape processing."
-msgstr ""
+msgstr "Executa l'ordre SQL directament sense processament d'escapada."
#. gpXeL
#: dbaccess/uiconfig/ui/directsqldialog.ui:154
@@ -3220,7 +3227,7 @@ msgstr "_Mostra l'eixida de les instruccions «select»"
#: dbaccess/uiconfig/ui/directsqldialog.ui:162
msgctxt "directsqldialog|extended_tip|showoutput"
msgid "Show the result of the SQL SELECT command in the Output box."
-msgstr ""
+msgstr "Mostra el resultat de l'ordre SQL SELECT en el quadre d'eixida."
#. xJT2B
#: dbaccess/uiconfig/ui/directsqldialog.ui:173
@@ -3232,7 +3239,7 @@ msgstr "_Executa"
#: dbaccess/uiconfig/ui/directsqldialog.ui:198
msgctxt "directsqldialog|extended_tip|sqlhistory"
msgid "Lists the previously executed SQL commands. To run a command again, click the command, and then click Execute."
-msgstr ""
+msgstr "Llista les ordres SQL executades anteriorment. Per a executar una ordre una altra vegada, feu clic a l'ordre, i després feu clic a Executa."
#. FoYMP
#: dbaccess/uiconfig/ui/directsqldialog.ui:211
@@ -3250,7 +3257,7 @@ msgstr "Ordre SQL"
#: dbaccess/uiconfig/ui/directsqldialog.ui:260
msgctxt "directsqldialog|extended_tip|status"
msgid "Displays the results, including errors, of the SQL command that you ran."
-msgstr ""
+msgstr "Mostra els resultats, incloent-hi errors, de l'ordre SQL que heu executat."
#. iUSnR
#: dbaccess/uiconfig/ui/directsqldialog.ui:271
@@ -3262,7 +3269,7 @@ msgstr "Estat"
#: dbaccess/uiconfig/ui/directsqldialog.ui:304
msgctxt "directsqldialog|extended_tip|output"
msgid "Displays the results of the SQL command that you ran."
-msgstr ""
+msgstr "Mostra els resultats de l'ordre SQL que heu executat."
#. DYZA5
#: dbaccess/uiconfig/ui/directsqldialog.ui:315
@@ -3298,7 +3305,7 @@ msgstr "Exemple de format"
#: dbaccess/uiconfig/ui/fielddescpage.ui:172
msgctxt "fielddescpage|STR_BUTTON_FORMAT"
msgid "_Format Field"
-msgstr ""
+msgstr "_Formata el camp"
#. Ff2B8
#: dbaccess/uiconfig/ui/fielddescpage.ui:194
@@ -3473,7 +3480,7 @@ msgstr "Crear una base de dades _nova"
#: dbaccess/uiconfig/ui/generalpagewizard.ui:77
msgctxt "generalpagewizard|extended_tip|createDatabase"
msgid "Select to create a new database."
-msgstr ""
+msgstr "Seleccioneu-ho per a crear una base de dades"
#. BRSfR
#: dbaccess/uiconfig/ui/generalpagewizard.ui:96
@@ -3491,7 +3498,7 @@ msgstr "Obrir una _base de dades existent"
#: dbaccess/uiconfig/ui/generalpagewizard.ui:136
msgctxt "generalpagewizard|extended_tip|openExistingDatabase"
msgid "Select to open a database file from a list of recently used files or from a file selection dialog."
-msgstr ""
+msgstr "Seleccioneu-ho per a obrir un fitxer de base de dades d'una llista de fitxers usats recentment o des d'un diàleg de selecció de fitxers."
#. dfae2
#: dbaccess/uiconfig/ui/generalpagewizard.ui:155
@@ -3503,7 +3510,7 @@ msgstr "Utilitzats _recentment:"
#: dbaccess/uiconfig/ui/generalpagewizard.ui:180
msgctxt "generalpagewizard|extended_tip|docListBox"
msgid "Select a database file to open from the list of recently used files. Click Finish to open the file immediately and to exit the wizard."
-msgstr ""
+msgstr "Seleccioneu un fitxer de base de dades per obrir des de la llista de fitxers utilitzats recentment. Feu clic a «Finalitza» per a obrir el fitxer immediatament i eixir de l'auxiliar."
#. dVAEy
#: dbaccess/uiconfig/ui/generalpagewizard.ui:191
@@ -3515,7 +3522,7 @@ msgstr "Obri"
#: dbaccess/uiconfig/ui/generalpagewizard.ui:202
msgctxt "generalpagewizard|extended_tip|openDatabase"
msgid "Opens a file selection dialog where you can select a database file. Click Open or OK in the file selection dialog to open the file immediately and to exit the wizard."
-msgstr ""
+msgstr "Obri un diàleg de selecció de fitxers on podeu seleccionar un fitxer de base de dades. Feu clic a Obri o D'acord en el diàleg de selecció de fitxers per a obrir el fitxer immediatament i eixir de l'auxiliar."
#. cKpTp
#: dbaccess/uiconfig/ui/generalpagewizard.ui:213
@@ -3527,13 +3534,13 @@ msgstr "Connectar amb una base de dades e_xistent"
#: dbaccess/uiconfig/ui/generalpagewizard.ui:223
msgctxt "generalpagewizard|extended_tip|connectDatabase"
msgid "Select to create a database document for an existing database connection."
-msgstr ""
+msgstr "Seleccioneu aquesta opció per a crear un document de base de dades per a una connexió de base de dades existent."
#. CYq28
#: dbaccess/uiconfig/ui/generalpagewizard.ui:240
msgctxt "generalpagewizard|extended_tip|datasourceType"
msgid "Select the database type for the existing database connection."
-msgstr ""
+msgstr "Seleccioneu el tipus de base de dades per a la connexió existent a la base de dades."
#. emqeD
#: dbaccess/uiconfig/ui/generalpagewizard.ui:263
@@ -3547,7 +3554,7 @@ msgstr "No és possible crear una base de dades nova, perquè ni l'HSQLDB ni el
#: dbaccess/uiconfig/ui/generalpagewizard.ui:273
msgctxt "generalpagewizard|extended_tip|PageGeneral"
msgid "The Database Wizard creates a database file that contains information about a database."
-msgstr ""
+msgstr "L'auxiliar de bases de dades crea un fitxer de base de dades que conté informació sobre una base de dades."
#. DQvKi
#: dbaccess/uiconfig/ui/generalspecialjdbcdetailspage.ui:39
@@ -3853,7 +3860,7 @@ msgstr "_DN base:"
#: dbaccess/uiconfig/ui/ldapconnectionpage.ui:175
msgctxt "ldapconnectionpage|useSSLCheckbutton"
msgid "Use _secure connection (TLS/SSL)"
-msgstr ""
+msgstr "Usa una connexió segura (TLS/SSL)"
#. UyMMA
#: dbaccess/uiconfig/ui/ldappage.ui:44
@@ -3865,7 +3872,7 @@ msgstr "DN _base:"
#: dbaccess/uiconfig/ui/ldappage.ui:69
msgctxt "ldappage|useSSLCheckbutton"
msgid "Use secure connection (TLS/SSL)"
-msgstr ""
+msgstr "Usa una connexió segura (TLS/SSL)"
#. uYkAF
#: dbaccess/uiconfig/ui/ldappage.ui:86
@@ -4105,43 +4112,43 @@ msgstr "Usuari «$name$: $»"
#: dbaccess/uiconfig/ui/postgrespage.ui:26
msgctxt "specialpostgrespage|header"
msgid "Set up connection to a PostgreSQL database"
-msgstr ""
+msgstr "Configureu una connexió a una base de dades PostgreSQL"
#. cwtYL
#: dbaccess/uiconfig/ui/postgrespage.ui:46
msgctxt "specialpostgrespage|helpLabel"
msgid "Please enter the required information to connect to a PostgreSQL database. Please contact your system administrator if you are unsure about the following settings. "
-msgstr ""
+msgstr "Introduïu la informació requerida per a connectar a una base de dades PostgreSQL. Contacteu amb l'administrador de sistemes si no esteu segur sobre els paràmetres següents. "
#. EJzdP
#: dbaccess/uiconfig/ui/postgrespage.ui:74
msgctxt "specialpostgrespage|dbNameLabel"
msgid "_Database name:"
-msgstr ""
+msgstr "Nom de la base de _dades:"
#. P2FVr
#: dbaccess/uiconfig/ui/postgrespage.ui:88
msgctxt "specialpostgrespage|hostNameLabel"
msgid "_Server:"
-msgstr ""
+msgstr "_Servidor:"
#. MgpLR
#: dbaccess/uiconfig/ui/postgrespage.ui:102
msgctxt "specialpostgrespage|portNumLabel"
msgid "_Port number:"
-msgstr ""
+msgstr "Número de _port:"
#. oa9jC
#: dbaccess/uiconfig/ui/postgrespage.ui:163
msgctxt "specialpostgrespage|portNumDefLabel"
msgid "Default: 5432"
-msgstr ""
+msgstr "Per defecte: 5432"
#. KvN6B
#: dbaccess/uiconfig/ui/postgrespage.ui:198
msgctxt "specialpostgrespage|connectionStringLabel"
msgid "And/OR Enter the DBMS/driver-specific connection string here"
-msgstr ""
+msgstr "I, o alternativament, introduïu la cadena de connexió per a DBMS o per al controlador específic."
#. 9sAsA
#: dbaccess/uiconfig/ui/querycolmenu.ui:12
@@ -4723,13 +4730,13 @@ msgstr "Indica el criteri d'ordenació per a la visualització de les dades."
#: dbaccess/uiconfig/ui/specialjdbcconnectionpage.ui:24
msgctxt "specialjdbcconnectionpage|header"
msgid "Set up connection to a MySQL/MariaDB database using JDBC"
-msgstr ""
+msgstr "Estableix una connexió al MySQL/MariaDB mitjançant JDBC"
#. EVDCG
#: dbaccess/uiconfig/ui/specialjdbcconnectionpage.ui:39
msgctxt "specialjdbcconnectionpage|helpLabel"
msgid "Please enter the required information to connect to a MySQL/MariaDB database using JDBC. Note that a JDBC driver class must be installed on your system and registered with %PRODUCTNAME. Please contact your system administrator if you are unsure about the following settings. "
-msgstr ""
+msgstr "Introduïu la informació requerida per a connectar-vos a una base de dades MySQL/MariaDB usant JDBC. Tingueu en compte que el vostre sistema ha de tindre una classe de controlador JDBC instal·lada i registrada en el %PRODUCTNAME. Contacteu amb l'administrador del sistema si no esteu segur de la configuració següent. "
#. GchzZ
#: dbaccess/uiconfig/ui/specialjdbcconnectionpage.ui:64
@@ -4759,7 +4766,7 @@ msgstr "Per defecte: 3306"
#: dbaccess/uiconfig/ui/specialjdbcconnectionpage.ui:188
msgctxt "specialjdbcconnectionpage|jdbcDriverLabel"
msgid "MySQL/MariaDB JDBC d_river class:"
-msgstr ""
+msgstr "Classe de controlador MySQL/MariaDB JDBC"
#. 8oG6P
#: dbaccess/uiconfig/ui/specialjdbcconnectionpage.ui:212
@@ -4777,7 +4784,7 @@ msgstr "Utilitza les restriccions de noms SQL92"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:32
msgctxt "specialsettingspage|extended_tip|usesql92"
msgid "Only allows characters that conform to the SQL92 naming convention in a name in a data source. All other characters are rejected. Each name must begin with a lowercase letter, an uppercase letter, or an underscore ( _ ). The remaining characters can be ASCII letters, numbers, and underscores."
-msgstr ""
+msgstr "Només es permeten caràcters que s'ajusten a la convenció de noms SQL92 en un nom en una font de dades. La resta de caràcters són rebutjats. Els noms han de començar amb una lletra en minúscula, una lletra en majúscula, o un guió baix (_). Els altres caràcters poden ser lletres ASCII, nombres i subratllats."
#. Gwn9n
#: dbaccess/uiconfig/ui/specialsettingspage.ui:43
@@ -4789,7 +4796,7 @@ msgstr "Afig el nom d'àlies de taula a les expressions SELECT"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:51
msgctxt "specialsettings|extended_tip|append"
msgid "Appends the alias to the table name in SELECT statements."
-msgstr ""
+msgstr "Afig l'àlies al nom de la taula en les expressions SELECT."
#. rim5j
#: dbaccess/uiconfig/ui/specialsettingspage.ui:62
@@ -4801,7 +4808,7 @@ msgstr "Utilitza la paraula clau AS abans dels noms d'àlies de les taules"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:70
msgctxt "specialsettingspage|extended_tip|useas"
msgid "Some databases use the keyword \"AS\" between a name and its alias, while other databases use a whitespace. Enable this option to insert AS before the alias."
-msgstr ""
+msgstr "Algunes bases de dades utilitzen la paraula clau «AS» entre un nom i el seu àlies, mentre que altres bases de dades utilitzen un espai en blanc. Activeu aquesta opció per a inserir AS abans de l'àlies."
#. JDTsA
#: dbaccess/uiconfig/ui/specialsettingspage.ui:81
@@ -4813,7 +4820,7 @@ msgstr "Utilitza la sintaxi Outer Join «{oj}»"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:89
msgctxt "specialsettingsoage|extended_tip|useoj"
msgid "Use escape sequences for outer joins. The syntax for this escape sequence is {oj outer-join}"
-msgstr ""
+msgstr "Usa seqüències d'escapament per a les unions externes. La sintaxi d'aquesta seqüència d'escapament és {oj outer-join}"
#. T8TKQ
#: dbaccess/uiconfig/ui/specialsettingspage.ui:100
@@ -4825,7 +4832,7 @@ msgstr "Ignora els privilegis del controlador de la base de dades"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:108
msgctxt "specialsettingspage|extended_tip|ignoreprivs"
msgid "Ignores access privileges that are provided by the database driver."
-msgstr ""
+msgstr "Ignora els privilegis d'accés que proporciona el controlador de la base de dades."
#. QK4W3
#: dbaccess/uiconfig/ui/specialsettingspage.ui:119
@@ -4837,7 +4844,7 @@ msgstr "Reemplaça els paràmetres anomenats amb «?»"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:127
msgctxt "specialsettingspage|extended_tip|replaceparams"
msgid "Replaces named parameters in a data source with a question mark (?)."
-msgstr ""
+msgstr "Reemplaça els paràmetres amb nom en una font de dades amb un signe d'interrogació (?)."
#. kfSki
#: dbaccess/uiconfig/ui/specialsettingspage.ui:138
@@ -4849,7 +4856,7 @@ msgstr "Mostra les columnes de versió (quan estiga disponible)"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:146
msgctxt "specialsettingspage|extended_tip|displayver"
msgid "Displays the internal version number of the record in the database table."
-msgstr ""
+msgstr "Mostra el número de versió interna del registre a la taula de la base de dades."
#. JqBdc
#: dbaccess/uiconfig/ui/specialsettingspage.ui:157
@@ -4861,7 +4868,7 @@ msgstr "Utilitza el nom de catàleg en les expressions SELECT"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:165
msgctxt "specialsettingspage|extended_tip|usecatalogname"
msgid "Uses the current data source of the catalog. This option is useful when the ODBC data source is a database server. Do not select this option if the ODBC data source is a dBASE driver."
-msgstr ""
+msgstr "Usa la font de dades actual del catàleg. Aquesta opció és útil quan la font de dades ODBC és un servidor de bases de dades. No seleccioneu aquesta opció si la font de dades ODBC és un controlador dBASE."
#. yFGxG
#: dbaccess/uiconfig/ui/specialsettingspage.ui:176
@@ -4873,7 +4880,7 @@ msgstr "Utilitza el nom d'esquema en les expressions SELECT"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:184
msgctxt "specialsettingspage|extended_tip|useschemaname"
msgid "Allows you to use the schema name in SELECT statements."
-msgstr ""
+msgstr "Vos permet usar el nom de l'esquema en les expressions SELECT."
#. gyC7J
#: dbaccess/uiconfig/ui/specialsettingspage.ui:195
@@ -4885,7 +4892,7 @@ msgstr "Crea un índex amb l'expressió ASC o DESC"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:203
msgctxt "specialsettingspage|extended_tip|createindex"
msgid "Creates an index with ASC or DESC statements."
-msgstr ""
+msgstr "Crea un índex amb expressions ASC o DESC."
#. Xabxp
#: dbaccess/uiconfig/ui/specialsettingspage.ui:214
@@ -4897,7 +4904,7 @@ msgstr "Acaba les línies de text amb CR+LF"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:222
msgctxt "specialsettingspage|extended_tip|eol"
msgid "Select to use the CR + LF code pair to end every text line (preferred for DOS and Windows operating systems)."
-msgstr ""
+msgstr "Seleccioneu aquesta opció per a usar el parell de codis CR + LF per a acabar cada línia de text (preferit per als sistemes operatius DOS i Windows)."
#. XFM7x
#: dbaccess/uiconfig/ui/specialsettingspage.ui:233
@@ -4909,7 +4916,7 @@ msgstr "Ignora la informació del camp de moneda"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:241
msgctxt "specialsettingspage|extended_tip|ignorecurrency"
msgid "Only for Oracle JDBC connections. When enabled it specifies that no column is treated as a currency field. The field type returned from the database driver is discarded."
-msgstr ""
+msgstr "Només per a connexions Oracle JDBC. Si està habilitat, especifica que cap columna es tracta com un camp de moneda. El tipus de camp retornat del controlador de la base de dades es descarta."
#. 2tRzG
#: dbaccess/uiconfig/ui/specialsettingspage.ui:252
@@ -4921,7 +4928,7 @@ msgstr "Comprovacions d'entrada de dades al formulari per als camps requerits"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:260
msgctxt "specialsettingspage|extended_tip|inputchecks"
msgid "When you enter a new record or update an existing record in a form, and you leave a field empty which is bound to a database column which requires input, then you will see a message complaining about the empty field."
-msgstr ""
+msgstr "Quan entreu un nou registre o actualitzeu un registre existent en un formulari, i deixeu un camp buit que està lligat a una columna de base de dades que requereix l'entrada, veureu un missatge que es queixa del camp buit."
#. jEgvf
#: dbaccess/uiconfig/ui/specialsettingspage.ui:271
@@ -4933,7 +4940,7 @@ msgstr "Utilitza literals de data i temps conformes amb ODBC"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:279
msgctxt "specialsettingspage|extended_tip|useodbcliterals"
msgid "Use date/time literals that conform to ODBC standard."
-msgstr ""
+msgstr "Usa literals de data/hora que s'ajusten a l'estàndard ODBC."
#. GuCLC
#: dbaccess/uiconfig/ui/specialsettingspage.ui:290
@@ -4945,7 +4952,7 @@ msgstr "Admet claus primàries"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:298
msgctxt "specialsettingspage|extended_tip|primarykeys"
msgid "Enable to overrule Base's heuristics used to detect whether the database supports primary keys."
-msgstr ""
+msgstr "Permet anul·lar l'heurística del Base usada per a detectar si la base de dades admet claus primàries."
#. o7mns
#: dbaccess/uiconfig/ui/specialsettingspage.ui:309
@@ -4957,7 +4964,7 @@ msgstr "Respecta el tipus de conjunt de resultats del controlador de la base de
#: dbaccess/uiconfig/ui/specialsettingspage.ui:317
msgctxt "specialsettingspage|extended_tip|resulttype"
msgid "Use the database driver different scroll capabilities of a result set."
-msgstr ""
+msgstr "Usa les diferents funcionalitats de desplaçament d'un conjunt de resultats del controlador de la base de dades."
#. RQ7hP
#: dbaccess/uiconfig/ui/specialsettingspage.ui:337
@@ -4993,7 +5000,7 @@ msgstr "MS Access"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:359
msgctxt "specialsettingspage|extended_tip|comparison"
msgid "Select the type of Boolean comparison that you want to use."
-msgstr ""
+msgstr "Seleccioneu el tipus de comparació booleana que voleu usar."
#. 3eorZ
#: dbaccess/uiconfig/ui/specialsettingspage.ui:372
@@ -5005,7 +5012,7 @@ msgstr "Files per a escanejar els tipus de columna:"
#: dbaccess/uiconfig/ui/specialsettingspage.ui:391
msgctxt "specialsettingspage|extended_tip|rows"
msgid "Select the number of rows to let the driver detect the data type."
-msgstr ""
+msgstr "Seleccioneu el nombre de files que voleu deixar perquè el controlador detecti el tipus de dades."
#. Y7PiJ
#: dbaccess/uiconfig/ui/sqlexception.ui:18
@@ -5287,7 +5294,7 @@ msgstr "U_suari:"
#: dbaccess/uiconfig/ui/useradminpage.ui:70
msgctxt "templatedlg|action_menu|label"
msgid "_Manage"
-msgstr ""
+msgstr "_Gestiona"
#. gMJwT
#: dbaccess/uiconfig/ui/useradminpage.ui:102
diff --git a/source/ca-valencia/desktop/messages.po b/source/ca-valencia/desktop/messages.po
index 69e57546244..c24f9982aef 100644
--- a/source/ca-valencia/desktop/messages.po
+++ b/source/ca-valencia/desktop/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/desktopmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1535975125.000000\n"
#. v2iwK
@@ -797,67 +797,67 @@ msgstr "ERROR: "
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. Qcv5A
#: desktop/uiconfig/ui/dependenciesdialog.ui:18
@@ -875,7 +875,7 @@ msgstr "L'extensió no es pot instal·lar perquè les dependències següents de
#: desktop/uiconfig/ui/extensionmanager.ui:8
msgctxt "extensionmanager|ExtensionManagerDialog"
msgid "Extensions"
-msgstr ""
+msgstr "Extensions"
#. gjCkd
#: desktop/uiconfig/ui/extensionmanager.ui:80
@@ -923,7 +923,7 @@ msgstr "Mostra les extensions"
#: desktop/uiconfig/ui/extensionmanager.ui:162
msgctxt "extensionmanager|search"
msgid "Search..."
-msgstr ""
+msgstr "Cerca..."
#. BAVdg
#: desktop/uiconfig/ui/extensionmanager.ui:191
@@ -1007,7 +1007,7 @@ msgstr "Podeu trobar una col·lecció d'extensions al web."
#: desktop/uiconfig/ui/extensionmanager.ui:399
msgctxt "extensionmanager|extended_tip|ExtensionManagerDialog"
msgid "The Extension Manager adds, removes, disables, enables, and updates extensions."
-msgstr ""
+msgstr "El Gestor d'extensions afig, elimina, desactiva, activa i actualitza les extensions."
#. EGwkP
#: desktop/uiconfig/ui/installforalldialog.ui:12
@@ -1199,7 +1199,7 @@ msgstr "Resultat"
#: desktop/uiconfig/ui/updateinstalldialog.ui:178
msgctxt "updateinstalldialog|extended_tip|UpdateInstallDialog"
msgid "Click the Check for Updates button in the Extensions dialog to check for online updates for all installed extensions. To check for online updates for only the selected extension, right-click to open the context menu, then choose Update."
-msgstr ""
+msgstr "Feu clic al botó Comprova si hi ha actualitzacions al diàleg Extensions per a comprovar si hi ha actualitzacions en línia per a totes les extensions instal·lades. Per a comprovar si hi ha actualitzacions en línia només per a l'extensió seleccionada, feu clic amb el botó dret per a obrir el menú contextual i trieu Actualitza."
#. Kfhc4
#: desktop/uiconfig/ui/updaterequireddialog.ui:8
diff --git a/source/ca-valencia/dictionaries/be_BY.po b/source/ca-valencia/dictionaries/be_BY.po
index f1b210281e6..431ebca68be 100644
--- a/source/ca-valencia/dictionaries/be_BY.po
+++ b/source/ca-valencia/dictionaries/be_BY.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-09-27 19:08+0200\n"
-"PO-Revision-Date: 2020-07-18 23:40+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/dictionariesbe_by/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesbe_by/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1384956218.000000\n"
#. ASUni
@@ -23,4 +23,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Belarusian spelling dictionary and hyphenation: official orthography 2008"
-msgstr ""
+msgstr "Bielorús (ortografia oficial del 2008): corrector ortogràfic i partició de mots"
diff --git a/source/ca-valencia/dictionaries/ckb.po b/source/ca-valencia/dictionaries/ckb.po
index c147e6db20f..130dcf37b04 100644
--- a/source/ca-valencia/dictionaries/ckb.po
+++ b/source/ca-valencia/dictionaries/ckb.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-02-18 12:38+0100\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesckb/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. UGHNx
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Central Kurdish (Sorani) spelling dictionary"
-msgstr ""
+msgstr "Kurd central (sorani): corrector ortogràfic"
diff --git a/source/ca-valencia/dictionaries/da_DK.po b/source/ca-valencia/dictionaries/da_DK.po
index 811cffb146f..9f08945b876 100644
--- a/source/ca-valencia/dictionaries/da_DK.po
+++ b/source/ca-valencia/dictionaries/da_DK.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: LibO 350-l10n\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-25 14:55+0100\n"
-"PO-Revision-Date: 2013-11-20 14:03+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: none\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesda_dk/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1384956219.000000\n"
#. M5yh2
@@ -39,3 +39,9 @@ msgid ""
"and Center for Sprogteknologi, Københavns Universitet\n"
"Hyphenation dictionary Based on the TeX hyphenation tables.\n"
msgstr ""
+"Diccionari danés de Stavekontrolden.\n"
+"Aquest diccionari es basa en dades de Societat Danesa per a la Llengua i la Literatura\n"
+"(Det Danske Sprog-og Litteraturselskab), http://www.dsl.dk.\n"
+"El tesaure danés es basa en dades de Societat Danesa per a la Llengua i la Literatura\n"
+"i del Centre de Tecnològies de la Llengua de la Universitat de Copenague.\n"
+"El diccionari de partició de mots es basa en les taules de partició de mots de TeX.\n"
diff --git a/source/ca-valencia/dictionaries/en/dialog.po b/source/ca-valencia/dictionaries/en/dialog.po
index dd95cbbfaea..e16b3b83915 100644
--- a/source/ca-valencia/dictionaries/en/dialog.po
+++ b/source/ca-valencia/dictionaries/en/dialog.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:23+0200\n"
-"PO-Revision-Date: 2018-01-29 07:52+0000\n"
-"Last-Translator: joamuran <joamuran@gmail.com>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesendialog/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1517212377.000000\n"
#. fyB4s
@@ -275,7 +275,7 @@ msgctxt ""
"hlp_ellipsis\n"
"property.text"
msgid "Replace three dots with ellipsis."
-msgstr ""
+msgstr "Substitueix tres punts per punts suspensius."
#. JaeW9
#: en_en_US.properties
diff --git a/source/ca-valencia/dictionaries/eo.po b/source/ca-valencia/dictionaries/eo.po
index cb3b1e690cd..19b03c0bb96 100644
--- a/source/ca-valencia/dictionaries/eo.po
+++ b/source/ca-valencia/dictionaries/eo.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-04-12 12:05+0200\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionarieseo/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. 8TKYb
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Spelling dictionary, thesaurus, and hyphenator for Esperanto"
-msgstr ""
+msgstr "Esperanto: corrector ortogràfic, partició de mots i tesaurus (sinònims i termes relacionats)"
diff --git a/source/ca-valencia/dictionaries/es.po b/source/ca-valencia/dictionaries/es.po
index 505e98b11c9..32ca3cc0dd3 100644
--- a/source/ca-valencia/dictionaries/es.po
+++ b/source/ca-valencia/dictionaries/es.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-14 18:08+0100\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionarieses/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. RvfxU
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Spanish spelling dictionary, hyphenation rules, and thesaurus for all variants of Spanish."
-msgstr ""
+msgstr "Espanyol (totes les variants): corrector ortogràfic, partició de mots i tesaurus (sinònims i termes relacionats)"
diff --git a/source/ca-valencia/dictionaries/fa_IR.po b/source/ca-valencia/dictionaries/fa_IR.po
index e19495373d5..b11175631e8 100644
--- a/source/ca-valencia/dictionaries/fa_IR.po
+++ b/source/ca-valencia/dictionaries/fa_IR.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-10-22 14:12+0200\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesfa_ir/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. aZkZV
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Lilak, Persian Spell Checking Dictionary"
-msgstr ""
+msgstr "Persa: corrector ortogràfic Lilak"
diff --git a/source/ca-valencia/dictionaries/mn_MN.po b/source/ca-valencia/dictionaries/mn_MN.po
index b53104d879a..9ff968fc9d5 100644
--- a/source/ca-valencia/dictionaries/mn_MN.po
+++ b/source/ca-valencia/dictionaries/mn_MN.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-04-27 17:02+0200\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesmn_mn/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. UsF8V
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Mongolian spelling and hyphenation dictionaries"
-msgstr ""
+msgstr "Mongol: corrector ortogràfic i partició de mots"
diff --git a/source/ca-valencia/dictionaries/pt_BR.po b/source/ca-valencia/dictionaries/pt_BR.po
index 802dd1a7181..db03f9ce758 100644
--- a/source/ca-valencia/dictionaries/pt_BR.po
+++ b/source/ca-valencia/dictionaries/pt_BR.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: LibO 350-l10n\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-11-16 12:08+0100\n"
-"PO-Revision-Date: 2013-11-20 14:03+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: none\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariespt_br/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1384956222.000000\n"
#. svvMk
@@ -23,4 +23,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Spelling, thesaurus, hyphenation and grammar checking tools for Brazilian Portuguese"
-msgstr ""
+msgstr "Portugués (Brasil): corrector ortogràfic i gramatical, tesaurus i partició de mots"
diff --git a/source/ca-valencia/dictionaries/pt_BR/dialog.po b/source/ca-valencia/dictionaries/pt_BR/dialog.po
index 5439250cf82..e53d312dfd9 100644
--- a/source/ca-valencia/dictionaries/pt_BR/dialog.po
+++ b/source/ca-valencia/dictionaries/pt_BR/dialog.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:23+0200\n"
-"PO-Revision-Date: 2020-05-23 22:48+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/dictionariespt_brdialog/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariespt_brdialog/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1391065183.000000\n"
#. Bshz7
@@ -43,7 +43,7 @@ msgctxt ""
"spelling\n"
"property.text"
msgid "Grammar checking"
-msgstr ""
+msgstr "Comprovació gramatical"
#. Y3GdR
#: pt_BR_en_US.properties
@@ -52,7 +52,7 @@ msgctxt ""
"hlp_grammar\n"
"property.text"
msgid "Identify use of grave accent"
-msgstr ""
+msgstr "Identifica l'ús de l'accent greu"
#. y47wU
#: pt_BR_en_US.properties
@@ -61,7 +61,7 @@ msgctxt ""
"grammar\n"
"property.text"
msgid "Grave accent"
-msgstr ""
+msgstr "Crasi"
#. KTKVL
#: pt_BR_en_US.properties
@@ -70,7 +70,7 @@ msgctxt ""
"hlp_cap\n"
"property.text"
msgid "Check missing capitalization of sentences."
-msgstr ""
+msgstr "Comprova que les frases comencen en majúscules."
#. czHGi
#: pt_BR_en_US.properties
@@ -79,7 +79,7 @@ msgctxt ""
"cap\n"
"property.text"
msgid "Capitalization"
-msgstr ""
+msgstr "Majúscules"
#. 6q87h
#: pt_BR_en_US.properties
@@ -88,7 +88,7 @@ msgctxt ""
"hlp_dup\n"
"property.text"
msgid "Check repeated words."
-msgstr ""
+msgstr "Comprova paraules repetides."
#. vFbJC
#: pt_BR_en_US.properties
@@ -97,7 +97,7 @@ msgctxt ""
"dup\n"
"property.text"
msgid "Word duplication"
-msgstr ""
+msgstr "Duplicació de paraules"
#. CkE8A
#: pt_BR_en_US.properties
@@ -106,7 +106,7 @@ msgctxt ""
"hlp_pair\n"
"property.text"
msgid "Check missing or extra parentheses and quotation marks."
-msgstr ""
+msgstr "Comprova que hi ha el nombre correcte de parèntesis o cometes."
#. DWaBt
#: pt_BR_en_US.properties
@@ -115,7 +115,7 @@ msgctxt ""
"pair\n"
"property.text"
msgid "Parentheses"
-msgstr ""
+msgstr "Parèntesis"
#. EJA3T
#: pt_BR_en_US.properties
@@ -124,7 +124,7 @@ msgctxt ""
"punctuation\n"
"property.text"
msgid "Punctuation"
-msgstr ""
+msgstr "Puntuació"
#. GfJce
#: pt_BR_en_US.properties
@@ -133,7 +133,7 @@ msgctxt ""
"hlp_spaces\n"
"property.text"
msgid "Check single spaces between words."
-msgstr ""
+msgstr "Comprova els espais simples entre paraules."
#. 2Cz8d
#: pt_BR_en_US.properties
@@ -142,7 +142,7 @@ msgctxt ""
"spaces\n"
"property.text"
msgid "Word spacing"
-msgstr ""
+msgstr "Espai entre paraules"
#. jh9qT
#: pt_BR_en_US.properties
@@ -151,7 +151,7 @@ msgctxt ""
"hlp_mdash\n"
"property.text"
msgid "Force unspaced em dash instead of spaced en dash."
-msgstr ""
+msgstr "Força un guió llarg sense espai en compte d'un guió mitjà amb espai"
#. QUZwx
#: pt_BR_en_US.properties
@@ -160,7 +160,7 @@ msgctxt ""
"mdash\n"
"property.text"
msgid "Em-dash"
-msgstr ""
+msgstr "Guió"
#. ijU9H
#: pt_BR_en_US.properties
@@ -169,7 +169,7 @@ msgctxt ""
"hlp_ndash\n"
"property.text"
msgid "Force spaced en dash instead of unspaced em dash."
-msgstr ""
+msgstr "Força un guió mitjà amb espai en comptes d'un guió llarg sense espai"
#. tyEkH
#: pt_BR_en_US.properties
@@ -178,7 +178,7 @@ msgctxt ""
"ndash\n"
"property.text"
msgid "En-dash"
-msgstr ""
+msgstr "Guió mitjà"
#. ZQhno
#: pt_BR_en_US.properties
@@ -187,7 +187,7 @@ msgctxt ""
"hlp_quotation\n"
"property.text"
msgid "Check double quotation marks: \"x\" → “x”"
-msgstr ""
+msgstr "Comprova les cometes dobles: \"x\" → “x”"
#. bC8RD
#: pt_BR_en_US.properties
@@ -196,7 +196,7 @@ msgctxt ""
"quotation\n"
"property.text"
msgid "Quotation marks"
-msgstr ""
+msgstr "Cometes"
#. CARTv
#: pt_BR_en_US.properties
@@ -205,7 +205,7 @@ msgctxt ""
"hlp_times\n"
"property.text"
msgid "Check true multiplication sign: 5x5 → 5×5"
-msgstr ""
+msgstr "Comprova el signe de multiplicació real: 5x5 → 5×5"
#. Y5eQr
#: pt_BR_en_US.properties
@@ -214,7 +214,7 @@ msgctxt ""
"times\n"
"property.text"
msgid "Multiplication sign"
-msgstr ""
+msgstr "Signe de multiplicació"
#. ykeAk
#: pt_BR_en_US.properties
@@ -223,7 +223,7 @@ msgctxt ""
"hlp_spaces2\n"
"property.text"
msgid "Check single spaces between sentences."
-msgstr ""
+msgstr "Comprova espais simples entre frases."
#. uHT7U
#: pt_BR_en_US.properties
@@ -232,7 +232,7 @@ msgctxt ""
"spaces2\n"
"property.text"
msgid "Sentence spacing"
-msgstr ""
+msgstr "Espaiat entre frases"
#. WEAJJ
#: pt_BR_en_US.properties
@@ -241,7 +241,7 @@ msgctxt ""
"hlp_spaces3\n"
"property.text"
msgid "Check more than two extra space characters between words and sentences."
-msgstr ""
+msgstr "Comprova si hi ha més de dos espais extra entre paraules i frases."
#. XbDmT
#: pt_BR_en_US.properties
@@ -250,7 +250,7 @@ msgctxt ""
"spaces3\n"
"property.text"
msgid "More spaces"
-msgstr ""
+msgstr "Més espais"
#. Fthsx
#: pt_BR_en_US.properties
@@ -259,7 +259,7 @@ msgctxt ""
"hlp_minus\n"
"property.text"
msgid "Change hyphen characters to real minus signs."
-msgstr ""
+msgstr "Canvia els guionets per signes menys reals."
#. VNuhF
#: pt_BR_en_US.properties
@@ -268,7 +268,7 @@ msgctxt ""
"minus\n"
"property.text"
msgid "Minus sign"
-msgstr ""
+msgstr "Signe menys"
#. nvi9G
#: pt_BR_en_US.properties
@@ -277,7 +277,7 @@ msgctxt ""
"hlp_apostrophe\n"
"property.text"
msgid "Change typewriter apostrophe, single quotation marks and correct double primes."
-msgstr ""
+msgstr "Canvia l'apòstrof tipogràfic, cometes simples i corregeix les cometes dobles."
#. Daynz
#: pt_BR_en_US.properties
@@ -286,7 +286,7 @@ msgctxt ""
"apostrophe\n"
"property.text"
msgid "Apostrophes"
-msgstr ""
+msgstr "Apòstrofs"
#. 5qDDv
#: pt_BR_en_US.properties
@@ -295,7 +295,7 @@ msgctxt ""
"hlp_ellipsis\n"
"property.text"
msgid "Replace three dots with ellipsis."
-msgstr ""
+msgstr "Substitueix tres punts per punts suspensius."
#. ngM8A
#: pt_BR_en_US.properties
@@ -304,7 +304,7 @@ msgctxt ""
"ellipsis\n"
"property.text"
msgid "Ellipsis"
-msgstr ""
+msgstr "Punts suspensius"
#. 5dkwv
#: pt_BR_en_US.properties
@@ -313,7 +313,7 @@ msgctxt ""
"others\n"
"property.text"
msgid "Others"
-msgstr ""
+msgstr "Altres"
#. ifGmB
#: pt_BR_en_US.properties
@@ -322,7 +322,7 @@ msgctxt ""
"hlp_metric\n"
"property.text"
msgid "Identify redundant terms: \"criar novo\", \"subir para cima\", \"beco sem saída\", \"regra geral\"."
-msgstr ""
+msgstr "Identifica termes redundants: «criar novo», «subir para cima», «beco sem saída», «regra geral»."
#. EgY9b
#: pt_BR_en_US.properties
@@ -331,7 +331,7 @@ msgctxt ""
"metric\n"
"property.text"
msgid "Pleonasms"
-msgstr ""
+msgstr "Pleonasmes"
#. wAFVA
#: pt_BR_en_US.properties
@@ -340,7 +340,7 @@ msgctxt ""
"hlp_gerund\n"
"property.text"
msgid "Inadequate use of gerund: \"estarei trabalhando\", \"vou estar fazendo\"."
-msgstr ""
+msgstr "Ús no adequat del gerundi: «estarei trabalhando», «vou estar fazendo»."
#. 3cDKm
#: pt_BR_en_US.properties
@@ -349,7 +349,7 @@ msgctxt ""
"gerund\n"
"property.text"
msgid "Gerundisms"
-msgstr ""
+msgstr "Gerundismes"
#. eJcDX
#: pt_BR_en_US.properties
@@ -358,7 +358,7 @@ msgctxt ""
"hlp_nonmetric\n"
"property.text"
msgid "Ugly or unpleasant sound: \"por cada\"."
-msgstr ""
+msgstr "Expressions malsonants: «por cada»."
#. Bidr9
#: pt_BR_en_US.properties
@@ -367,7 +367,7 @@ msgctxt ""
"nonmetric\n"
"property.text"
msgid "Cacophonous sound"
-msgstr ""
+msgstr "Cacofonies"
#. funWi
#: pt_BR_en_US.properties
@@ -376,7 +376,7 @@ msgctxt ""
"hlp_paronimo\n"
"property.text"
msgid "Words that are pronounced or written in a similar way but which have different lexical meanings."
-msgstr ""
+msgstr "Paraules que es pronuncien o escriuen de forma similar, però que tenen significats lèxics diferents."
#. ua58D
#: pt_BR_en_US.properties
@@ -385,7 +385,7 @@ msgctxt ""
"paronimo\n"
"property.text"
msgid "Paronyms"
-msgstr ""
+msgstr "Parònims"
#. nJ4AT
#: pt_BR_en_US.properties
@@ -394,7 +394,7 @@ msgctxt ""
"hlp_composto\n"
"property.text"
msgid "Compound words written separatedly: \"auto escola\", \"sub contratado\"."
-msgstr ""
+msgstr "Paraules compostes que s'escriuen separades: «auto escola», «sub contratado»."
#. 5TS3y
#: pt_BR_en_US.properties
@@ -403,7 +403,7 @@ msgctxt ""
"composto\n"
"property.text"
msgid "Compound terms"
-msgstr ""
+msgstr "Termes composts"
#. RM535
#: pt_BR_en_US.properties
@@ -412,7 +412,7 @@ msgctxt ""
"hlp_malmau\n"
"property.text"
msgid "Use of \"mal\" or \"mau\"."
-msgstr ""
+msgstr "Ús de «mal» i «mau»."
#. SwvCV
#: pt_BR_en_US.properties
@@ -421,7 +421,7 @@ msgctxt ""
"malmau\n"
"property.text"
msgid "\"Mal\" or \"Mau\""
-msgstr ""
+msgstr "«Mal» o «Mau»."
#. pC8xk
#: pt_BR_en_US.properties
@@ -430,7 +430,7 @@ msgctxt ""
"hlp_aha\n"
"property.text"
msgid "Use of há or a."
-msgstr ""
+msgstr "Ús de «há» i «a»."
#. HGVSj
#: pt_BR_en_US.properties
@@ -439,7 +439,7 @@ msgctxt ""
"aha\n"
"property.text"
msgid "\"Há\" or \"a\""
-msgstr ""
+msgstr "«Há» o «a»"
#. cBTLG
#: pt_BR_en_US.properties
@@ -448,7 +448,7 @@ msgctxt ""
"hlp_meiameio\n"
"property.text"
msgid "Use of \"meia\" or \"meio\"."
-msgstr ""
+msgstr "Ús de «meia» i «meio»."
#. RxzDW
#: pt_BR_en_US.properties
@@ -457,7 +457,7 @@ msgctxt ""
"meiameio\n"
"property.text"
msgid "\"Meia\" or \"meio\""
-msgstr ""
+msgstr "«Meia» o «meio»"
#. bNA4x
#: pt_BR_en_US.properties
@@ -466,7 +466,7 @@ msgctxt ""
"hlp_verbo\n"
"property.text"
msgid "Check verbal agreement."
-msgstr ""
+msgstr "Verifica la concordància verbal."
#. Ekweu
#: pt_BR_en_US.properties
@@ -475,7 +475,7 @@ msgctxt ""
"verbo\n"
"property.text"
msgid "Verbal agreement"
-msgstr ""
+msgstr "Concordància verbal"
#. wRBb9
#: pt_BR_en_US.properties
@@ -484,7 +484,7 @@ msgctxt ""
"hlp_pronominal\n"
"property.text"
msgid "Position that personal pronouns occupy in relation to the verb."
-msgstr ""
+msgstr "Posició que ocupen els pronoms personals en relació amb el verb."
#. FHPjP
#: pt_BR_en_US.properties
@@ -493,7 +493,7 @@ msgctxt ""
"pronominal\n"
"property.text"
msgid "Pronominal placement"
-msgstr ""
+msgstr "Col·locació pronominal"
#. iiTDb
#: pt_BR_en_US.properties
@@ -502,7 +502,7 @@ msgctxt ""
"hlp_pronome\n"
"property.text"
msgid "Use of pronoun."
-msgstr ""
+msgstr "Ús dels pronoms."
#. ETD6e
#: pt_BR_en_US.properties
@@ -511,7 +511,7 @@ msgctxt ""
"pronome\n"
"property.text"
msgid "Use of pronouns"
-msgstr ""
+msgstr "Ús dels pronoms"
#. szSVE
#: pt_BR_en_US.properties
@@ -520,7 +520,7 @@ msgctxt ""
"hlp_porque\n"
"property.text"
msgid "Check for \"porque\", \"por que\", \"porquê\" and \"por quê\"."
-msgstr ""
+msgstr "Comprovació de «porque», «por que», «porquê» i «por quê»."
#. 7QjsH
#: pt_BR_en_US.properties
@@ -529,4 +529,4 @@ msgctxt ""
"porque\n"
"property.text"
msgid "Use of \"porquê\""
-msgstr ""
+msgstr "Ús de «porquê»"
diff --git a/source/ca-valencia/dictionaries/pt_PT.po b/source/ca-valencia/dictionaries/pt_PT.po
index 281a601010b..024cc8bb8aa 100644
--- a/source/ca-valencia/dictionaries/pt_PT.po
+++ b/source/ca-valencia/dictionaries/pt_PT.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-14 18:08+0100\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariespt_pt/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. H9tN6
#: description.xml
@@ -20,4 +22,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Portuguese, Portugal spelling and hyphenation dictionaries and thesaurus."
-msgstr ""
+msgstr "Portugués: corrector ortogràfic, partició de mots i tesaurus (sinònims i termes relacionats)"
diff --git a/source/ca-valencia/dictionaries/sq_AL.po b/source/ca-valencia/dictionaries/sq_AL.po
index 1cef115c430..28afc9e941e 100644
--- a/source/ca-valencia/dictionaries/sq_AL.po
+++ b/source/ca-valencia/dictionaries/sq_AL.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2021-01-14 18:08+0100\n"
-"PO-Revision-Date: 2020-05-23 22:48+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/dictionariessq_al/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariessq_al/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1513252368.000000\n"
#. WxvKp
@@ -23,4 +23,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Albanian spelling dictionary, and hyphenation rules"
-msgstr ""
+msgstr "Albanés: corrector ortogràfic i partició de mots"
diff --git a/source/ca-valencia/dictionaries/th_TH.po b/source/ca-valencia/dictionaries/th_TH.po
index 7ec13892680..f7092debf49 100644
--- a/source/ca-valencia/dictionaries/th_TH.po
+++ b/source/ca-valencia/dictionaries/th_TH.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: LibO 350-l10n\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-07 13:11+0100\n"
-"PO-Revision-Date: 2013-11-20 14:03+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: none\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/dictionariesth_th/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1384956227.000000\n"
#. GkzWs
@@ -23,4 +23,4 @@ msgctxt ""
"dispname\n"
"description.text"
msgid "Thai spelling dictionary and hyphenation rules"
-msgstr ""
+msgstr "Tai: corrector ortogràfic i partició de mots"
diff --git a/source/ca-valencia/editeng/messages.po b/source/ca-valencia/editeng/messages.po
index 65c1c7568c5..b85b74f7b59 100644
--- a/source/ca-valencia/editeng/messages.po
+++ b/source/ca-valencia/editeng/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-11-14 14:35+0100\n"
-"PO-Revision-Date: 2020-05-23 22:48+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/editengmessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/editengmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1517212378.000000\n"
#. BHYB4
@@ -100,67 +100,67 @@ msgstr "Justificació distribuïda"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. 2Lzx7
#: editeng/uiconfig/ui/spellmenu.ui:12
@@ -1319,25 +1319,25 @@ msgstr "%1 guionets"
#: include/editeng/editrids.hrc:233
msgctxt "RID_SVXITEMS_HYPHEN_NO_CAPS_TRUE"
msgid "Not hyphenated CAPS"
-msgstr ""
+msgstr "MAJÚSCULES sense partició"
#. EnQvu
#: include/editeng/editrids.hrc:234
msgctxt "RID_SVXITEMS_HYPHEN_NO_CAPS_FALSE"
msgid "Not hyphenated last word"
-msgstr ""
+msgstr "Última paraula sense partir"
#. gphfE
#: include/editeng/editrids.hrc:235
msgctxt "RID_SVXITEMS_HYPHEN_MINWORDLEN"
msgid "%1 characters in words"
-msgstr ""
+msgstr "%1 caràcters en les paraules"
#. imVah
#: include/editeng/editrids.hrc:236
msgctxt "RID_SVXITEMS_HYPHEN_ZONE"
msgid "Hyphenation zone "
-msgstr ""
+msgstr "Zona de partició de mots "
#. zVxGk
#: include/editeng/editrids.hrc:237
@@ -1590,7 +1590,7 @@ msgstr "Direcció de text d'esquerra a dreta (vertical des de baix)"
#: include/editeng/editrids.hrc:279
msgctxt "RID_SVXITEMS_FRMDIR_Vert_TOP_RIGHT90"
msgid "Text direction right-to-left (vertical, all characters rotated)"
-msgstr ""
+msgstr "Direcció del text de dreta a esquerra (vertical, tots els caràcters girats)"
#. Z9dAu
#: include/editeng/editrids.hrc:280
diff --git a/source/ca-valencia/extensions/messages.po b/source/ca-valencia/extensions/messages.po
index 53cadd3bf76..610c0254c51 100644
--- a/source/ca-valencia/extensions/messages.po
+++ b/source/ca-valencia/extensions/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:20+0200\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/extensionsmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1542022792.000000\n"
#. cBx8W
@@ -37,67 +37,67 @@ msgstr "Orde SQL"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. hEBQd
#: extensions/inc/showhide.hrc:31
@@ -3148,7 +3148,7 @@ msgstr "Fes disponible aquesta llibreta d'adreces per a tots els mòduls del %PR
#: extensions/uiconfig/sabpilot/ui/datasourcepage.ui:134
msgctxt "datasourcepage|extended_tip|available"
msgid "Registers the newly created database file in the office suite. The database will then be listed in the Data sources pane (Ctrl+Shift+F4). If this check box is cleared, the database will be available only by opening the database file."
-msgstr ""
+msgstr "Registra el fitxer de base de dades recentment creat en el paquet ofimàtic. La base de dades es llistarà a la subfinestra Fonts de dades (Ctrl+Maj+F4). Si es desmarca aquesta casella de selecció, la base de dades només estarà disponible obrint el fitxer de base de dades."
#. jbrum
#: extensions/uiconfig/sabpilot/ui/datasourcepage.ui:162
@@ -3466,13 +3466,13 @@ msgstr ""
#: extensions/uiconfig/sabpilot/ui/selecttablepage.ui:77
msgctxt "selecttablepage|extended_tip|table"
msgid "Specifies the table that is to serve as the address book for the office suite templates."
-msgstr ""
+msgstr "Indica la taula que s'ha de servir com a llibreta d'adreces per a les plantilles del paquet ofimàtic."
#. K8W3u
#: extensions/uiconfig/sabpilot/ui/selecttablepage.ui:90
msgctxt "selecttablepage|extended_tip|SelectTablePage"
msgid "Specifies a table from the Seamonkey / Netscape address book source that is used as the address book in the office suite."
-msgstr ""
+msgstr "Indica una taula de la font de la llibreta d'adreces Seamonkey o Netscape que s'utilitza com a llibreta d'adreces en el paquet ofimàtic."
#. bCndk
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:15
@@ -3544,7 +3544,7 @@ msgstr "Llibreta d'adreces del KDE"
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:131
msgctxt "selecttypepage|extended_tip|kde"
msgid "Select this option if you already use an address book in KDE Address book (KAddressBook)."
-msgstr ""
+msgstr "Seleccioneu aquesta opció si ja feu servir una llibreta d'adreces a la Llibreta d'adreces del KDE (KAddressBook)."
#. 2Psrm
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:142
@@ -3568,7 +3568,7 @@ msgstr "Un altre tipus de dades externes"
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:171
msgctxt "selecttypepage|extended_tip|other"
msgid "Select this option if you want to register another data source as address book in the office suite."
-msgstr ""
+msgstr "Seleccioneu aquesta opció si voleu registrar una altra font de dades com a llibreta d'adreces en el paquet ofimàtic."
#. HyBth
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:184
@@ -3580,7 +3580,7 @@ msgstr "Seleccioneu el tipus de la llibreta d'adreces externa:"
#: extensions/uiconfig/sabpilot/ui/selecttypepage.ui:207
msgctxt "selecttypepage|extended_tip|SelectTypePage"
msgid "This wizard registers an existing address book as a data source in the office suite."
-msgstr ""
+msgstr "Aquest auxiliar registra una llibreta d'adreces existent com a font de dades en el paquet ofimàtic."
#. f33Eh
#: extensions/uiconfig/sabpilot/ui/tableselectionpage.ui:56
@@ -3838,19 +3838,19 @@ msgstr "Camp definit per l'usuari _3"
#: extensions/uiconfig/sbibliography/ui/generalpage.ui:881
msgctxt "generalpage|localurl"
msgid "Local copy"
-msgstr ""
+msgstr "Còpia local"
#. ddQ5G
#: extensions/uiconfig/sbibliography/ui/generalpage.ui:915
msgctxt "generalpage|browse"
msgid "Browse..."
-msgstr ""
+msgstr "Navega..."
#. vrVJF
#: extensions/uiconfig/sbibliography/ui/generalpage.ui:939
msgctxt "generalpage|localpagecb"
msgid "Page"
-msgstr ""
+msgstr "Pàgina"
#. x9s9K
#: extensions/uiconfig/sbibliography/ui/generalpage.ui:1015
@@ -4054,7 +4054,7 @@ msgstr "Camp definit per l'usuari _5"
#: extensions/uiconfig/sbibliography/ui/mappingdialog.ui:955
msgctxt "mappingdialog|label33"
msgid "Local copy"
-msgstr ""
+msgstr "Còpia local"
#. wkCw6
#: extensions/uiconfig/sbibliography/ui/mappingdialog.ui:1051
@@ -4162,7 +4162,7 @@ msgstr "Quant al d_ispositiu"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:85
msgctxt "sanedialog|extended_tip|deviceInfoButton"
msgid "Displays a popup window with information obtained from the scanner driver."
-msgstr ""
+msgstr "Mostra una finestra emergent amb informació obtinguda del controlador de l'escàner."
#. 3EeXn
#: extensions/uiconfig/scanner/ui/sanedialog.ui:97
@@ -4174,7 +4174,7 @@ msgstr "Crea una pre_visualització"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:104
msgctxt "sanedialog|extended_tip|previewButton"
msgid "Scans and displays the document in the preview area."
-msgstr ""
+msgstr "Escaneja i mostra el document a l'àrea de previsualització."
#. ihLsf
#: extensions/uiconfig/scanner/ui/sanedialog.ui:116
@@ -4186,7 +4186,7 @@ msgstr "E_scaneja"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:123
msgctxt "sanedialog|extended_tip|ok"
msgid "Scans an image, and then inserts the result into the document and closes the dialog."
-msgstr ""
+msgstr "Escaneja una imatge i després insereix el resultat al document i tanca el diàleg."
#. gFREe
#: extensions/uiconfig/scanner/ui/sanedialog.ui:187
@@ -4216,25 +4216,25 @@ msgstr "Part in_ferior:"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:249
msgctxt "sanedialog|extended_tip|topSpinbutton"
msgid "Set the top margin of the scan area."
-msgstr ""
+msgstr "Estableix el marge superior de l'àrea d'escaneig."
#. oDppB
#: extensions/uiconfig/scanner/ui/sanedialog.ui:268
msgctxt "sanedialog|extended_tip|rightSpinbutton"
msgid "Set the right margin of the scan area."
-msgstr ""
+msgstr "Estableix el marge dret de l'àrea d'escaneig."
#. EdgNn
#: extensions/uiconfig/scanner/ui/sanedialog.ui:287
msgctxt "sanedialog|extended_tip|bottomSpinbutton"
msgid "Set the bottom margin of the scan area."
-msgstr ""
+msgstr "Estableix el marge inferior de l'àrea d'escaneig."
#. L7tZS
#: extensions/uiconfig/scanner/ui/sanedialog.ui:306
msgctxt "sanedialog|extended_tip|leftSpinbutton"
msgid "Set the left margin of the scan area."
-msgstr ""
+msgstr "Estableix el marge esquerre de l'àrea d'escaneig."
#. YfU4m
#: extensions/uiconfig/scanner/ui/sanedialog.ui:321
@@ -4246,7 +4246,7 @@ msgstr "Àrea a digitalitzar"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:366
msgctxt "sanedialog|extended_tip|preview"
msgid "Displays a preview of the scanned image. The preview area contains eight handles. Drag the handles to adjust the scan area or enter a value in the corresponding margin spin box."
-msgstr ""
+msgstr "Mostra una vista prèvia de la imatge escanejada. L'àrea de vista prèvia conté vuit agafadors. Arrossegueu els agafadors per ajustar l'àrea d'escaneig o introduïu un valor al quadre de gir corresponent."
#. FZ7Vw
#: extensions/uiconfig/scanner/ui/sanedialog.ui:379
@@ -4270,13 +4270,13 @@ msgstr "Resolució [_PPP]"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:444
msgctxt "sanedialog|extended_tip|deviceCombobox"
msgid "Displays a list of available scanners detected in your system."
-msgstr ""
+msgstr "Mostra una llista amb els escàners disponibles detectats al vostre sistema."
#. nBuc6
#: extensions/uiconfig/scanner/ui/sanedialog.ui:466
msgctxt "sanedialog|extended_tip|reslCombobox"
msgid "Select the resolution in dots per inch for the scan job."
-msgstr ""
+msgstr "Seleccioneu la resolució en punts per polzada de la tasca d'escaneig."
#. t3Tuq
#: extensions/uiconfig/scanner/ui/sanedialog.ui:492
@@ -4288,7 +4288,7 @@ msgstr "Mostra les opcions avançades"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:500
msgctxt "sanedialog|extended_tip|advancedcheckbutton"
msgid "Mark this checkbox to display more configuration options for the scanner device."
-msgstr ""
+msgstr "Marqueu aquesta casella de selecció per mostrar més opcions de configuració per al dispositiu d'escàner."
#. gneMZ
#: extensions/uiconfig/scanner/ui/sanedialog.ui:527
@@ -4300,7 +4300,7 @@ msgstr "Opcions:"
#: extensions/uiconfig/scanner/ui/sanedialog.ui:569
msgctxt "sanedialog\\extended_tip|optionSvTreeListBox"
msgid "Displays the list of available scanner driver advanced options. Double click an option to display its contents just below."
-msgstr ""
+msgstr "Mostra la llista d'opcions avançades del controlador d'escàner. Feu doble clic en una opció per mostrar-ne el contingut just a sota."
#. VDQay
#: extensions/uiconfig/scanner/ui/sanedialog.ui:607
@@ -4408,13 +4408,13 @@ msgstr "Cap assig_nació"
#: extensions/uiconfig/spropctrlr/ui/labelselectiondialog.ui:170
msgctxt "labelselectiondialog|extended_tip|noassignment"
msgid "Check the “No assignment” box to remove the link between a control and the assigned label field."
-msgstr ""
+msgstr "Marqueu la casella «Cap assignació» per a eliminar l'enllaç entre un control i el camp d'etiqueta assignat."
#. 88YSn
#: extensions/uiconfig/spropctrlr/ui/labelselectiondialog.ui:196
msgctxt "labelselectiondialog|extended_tip|LabelSelectionDialog"
msgid "Specifies the source for the label of the control."
-msgstr ""
+msgstr "Indica l'origen de l'etiqueta del control."
#. 8EkFC
#: extensions/uiconfig/spropctrlr/ui/multiline.ui:73
diff --git a/source/ca-valencia/extras/source/gallery/share.po b/source/ca-valencia/extras/source/gallery/share.po
index d472aad7804..3d6cfff3470 100644
--- a/source/ca-valencia/extras/source/gallery/share.po
+++ b/source/ca-valencia/extras/source/gallery/share.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-21 18:06+0100\n"
-"PO-Revision-Date: 2020-07-18 23:40+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/extrassourcegalleryshare/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/extrassourcegalleryshare/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1519741860.000000\n"
#. 88PiB
@@ -41,7 +41,7 @@ msgctxt ""
"bullets_name\n"
"LngText.text"
msgid "Bullets"
-msgstr ""
+msgstr "Pics"
#. LddYM
#: gallery_names.ulf
diff --git a/source/ca-valencia/filter/messages.po b/source/ca-valencia/filter/messages.po
index 96beb11e82d..ba59f575b68 100644
--- a/source/ca-valencia/filter/messages.po
+++ b/source/ca-valencia/filter/messages.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2021-01-12 09:36+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/filtermessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516029460.000000\n"
#. 5AQgJ
@@ -294,100 +294,100 @@ msgstr "S'ha interromput l'exportació a PDF"
msgctxt "STR_WARN_PDFUA_ISSUES"
msgid "One accessibility issue detected. Do you want to continue?"
msgid_plural "%1 accessibility issues detected. Do you want to continue?"
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "S'ha detectat un problema d'accessibilitat. Voleu continuar?"
+msgstr[1] "S'han detectat %1 problemes d'accessibilitat. Voleu continuar?"
#. Kb2AE
#: filter/inc/strings.hrc:80
msgctxt "STR_PDFUA_IGNORE"
msgid "Continue"
-msgstr ""
+msgstr "Continua"
#. PcZQn
#: filter/inc/strings.hrc:81
msgctxt "STR_PDFUA_INVESTIGATE"
msgid "Investigate issue"
msgid_plural "Investigate issues"
-msgstr[0] ""
-msgstr[1] ""
+msgstr[0] "Investiga el problema"
+msgstr[1] "Investiga els problemes"
#. eNaMA
#. Progress bar status indicator when importing or exporting
#: filter/inc/strings.hrc:84
msgctxt "STR_FILTER_DOC_LOADING"
msgid "Loading: "
-msgstr ""
+msgstr "S'està carregant: "
#. 4YFQR
#: filter/inc/strings.hrc:85
msgctxt "STR_FILTER_DOC_SAVING"
msgid "Saving: "
-msgstr ""
+msgstr "S'està desant: "
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. AwX66
#: filter/uiconfig/ui/pdfgeneralpage.ui:42
@@ -447,7 +447,7 @@ msgstr "_Mostra el PDF després de l'exportació"
#: filter/uiconfig/ui/pdfgeneralpage.ui:153
msgctxt "pdfgeneralpage|extended_tip|viewpdf"
msgid "Open the exported document in the system default PDF viewer."
-msgstr ""
+msgstr "Obri el document exportat en el visualitzador de PDF per defecte del sistema."
#. aWj7F
#: filter/uiconfig/ui/pdfgeneralpage.ui:168
@@ -477,7 +477,7 @@ msgstr "Selecciona una compressió sense pèrdua de les imatges. Es conserven t
#: filter/uiconfig/ui/pdfgeneralpage.ui:233
msgctxt "pdfgeneralpage|reduceresolution"
msgid "Reduce ima_ge resolution to:"
-msgstr ""
+msgstr "Redueix la resolució de la imat_ge a:"
#. bAtCV
#: filter/uiconfig/ui/pdfgeneralpage.ui:245
@@ -567,13 +567,13 @@ msgstr "Signa amb una _marca d'aigua"
#: filter/uiconfig/ui/pdfgeneralpage.ui:410
msgctxt "pdfgeneralpage|extended_tip|watermark"
msgid "Add a centered, vertical, light green watermark text to the page background. The watermark is not part of the source document."
-msgstr ""
+msgstr "Afig un text de marca d'aigua de color verd clar, centrat, vertical i en el fons de la pàgina. La marca d'aigua no forma part del document d'origen."
#. L7AYx
#: filter/uiconfig/ui/pdfgeneralpage.ui:427
msgctxt "pdfgeneralpage|extended_tip|watermarkentry"
msgid "Insert the text for the watermark signature."
-msgstr ""
+msgstr "Inseriu el text per a la signatura amb marca d'aigua."
#. JtBsL
#: filter/uiconfig/ui/pdfgeneralpage.ui:439
@@ -693,7 +693,7 @@ msgstr "Tramet els formularis en _format:"
#: filter/uiconfig/ui/pdfgeneralpage.ui:657
msgctxt "pdfgeneralpage|pdfa"
msgid "Archival (P_DF/A, ISO 19005)"
-msgstr ""
+msgstr "D'arxiu (P_DF/A, ISO 19005)"
#. qQjPA
#: filter/uiconfig/ui/pdfgeneralpage.ui:661
@@ -729,7 +729,7 @@ msgstr "Crea un fitxer PDF universal que compleix amb els requisits d'accesibili
#: filter/uiconfig/ui/pdfgeneralpage.ui:758
msgctxt "pdfgeneralpage|extended_tip|pdfua"
msgid "Creates a universal accessibility-complying PDF file that follows the requirements of PDF/UA (ISO 14289) specifications."
-msgstr ""
+msgstr "Crea un fitxer PDF que compleix els requisits d'accessibilitat universal de les especificacions PDF/UA (ISO 14289)."
#. Drqkd
#: filter/uiconfig/ui/pdfgeneralpage.ui:773
@@ -747,13 +747,13 @@ msgstr "Exporta els es_quemes"
#: filter/uiconfig/ui/pdfgeneralpage.ui:809
msgctxt "pdfgeneralpage|bookmarks|tooltip_text"
msgid "Export headings along with hyperlinked entries in Table of Contents as PDF bookmarks."
-msgstr ""
+msgstr "Exporta els encapçalaments juntament amb les entrades enllaçades de la taula de continguts com a marcadors de PDF."
#. Q3h6b
#: filter/uiconfig/ui/pdfgeneralpage.ui:812
msgctxt "pdfgeneralpage|extended_tip|bookmarks"
msgid "PDF bookmarks are created for all paragraphs with outline level 1 or greater and for all “Table of Contents” entries with hyperlinks."
-msgstr ""
+msgstr "Els marcadors de PDF es creen per a tots els paràgrafs amb el nivell 1 de l'esquema o superior i per a totes les entrades de la taula de continguts amb enllaços."
#. kQbPh
#: filter/uiconfig/ui/pdfgeneralpage.ui:823
@@ -765,7 +765,7 @@ msgstr "Expo_rta els espais reservats"
#: filter/uiconfig/ui/pdfgeneralpage.ui:832
msgctxt "pdfgeneralpage|extended_tip|exportplaceholders"
msgid "Export the placeholders fields visual markings only. The exported placeholder is ineffective."
-msgstr ""
+msgstr "Exporta només les marques visuals dels camps dels espais reservats. El marcador de posició exportat no és operatiu."
#. P4kGd
#: filter/uiconfig/ui/pdfgeneralpage.ui:843
@@ -789,7 +789,7 @@ msgstr "Exp_orta les pàgines en blanc inserides automàticament"
#: filter/uiconfig/ui/pdfgeneralpage.ui:872
msgctxt "pdfgeneralpage|extended_tip|emptypages"
msgid "If switched on, automatically inserted blank pages are exported to the PDF file. This is best if you are printing the pdf file double-sided. Example: In a book a chapter paragraph style is set to always start with an odd numbered page. If the previous chapter ends on an odd page, then an even numbered blank page is normally automatically inserted. This option controls whether to export that even numbered page or not."
-msgstr ""
+msgstr "Si s'activa, les pàgines en blanc inserides automàticament s'exporten al fitxer PDF. Això és millor si esteu imprimint el fitxer pdf a doble cara. Exemple: en un llibre, l'estil de paràgraf d'un capítol sempre comença amb una pàgina numerada senar. Si el capítol anterior acaba en una pàgina senar, llavors una pàgina en blanc numerada parella s'insereix normalment automàticament. Aquesta opció controla si s'ha d'exportar la pàgina numerada parella o no."
#. sHqKP
#: filter/uiconfig/ui/pdfgeneralpage.ui:883
@@ -801,7 +801,7 @@ msgstr "Usa els XObjects de referència"
#: filter/uiconfig/ui/pdfgeneralpage.ui:892
msgctxt "pdfgeneralpage|extended_tip|usereferencexobject"
msgid "When the option is enabled, then the reference XObject markup is used: viewers have to support this markup to show vector images. Otherwise a fallback bitmap is shown in the viewer."
-msgstr ""
+msgstr "Si l'opció està habilitada, llavors s'utilitza el marcatge XObject de referència: els visors han de donar suport a aquest marcatge per a mostrar imatges vectorials. Altrament, es mostra un mapa de bits alternatiu al visor."
#. 2K2cD
#: filter/uiconfig/ui/pdfgeneralpage.ui:903
@@ -813,7 +813,7 @@ msgstr "Exporta les pàgines _ocultes"
#: filter/uiconfig/ui/pdfgeneralpage.ui:912
msgctxt "pdfgeneralpage|extended_tip|hiddenpages"
msgid "Exports document hidden slides."
-msgstr ""
+msgstr "Exporta les diapositives amagades del document."
#. ghuXR
#: filter/uiconfig/ui/pdfgeneralpage.ui:923
@@ -825,7 +825,7 @@ msgstr "Exporta les pàgines de _notes"
#: filter/uiconfig/ui/pdfgeneralpage.ui:932
msgctxt "pdfgeneralpage|extended_tip|notes"
msgid "Export also the Notes pages view at the end of the exported PDF presentation document."
-msgstr ""
+msgstr "Exporta també la vista de les pàgines de notes al final del document de presentació PDF exportat."
#. BGvC2
#: filter/uiconfig/ui/pdfgeneralpage.ui:943
@@ -837,7 +837,7 @@ msgstr "Exporta _només les pàgines de notes"
#: filter/uiconfig/ui/pdfgeneralpage.ui:953
msgctxt "pdfgeneralpage|extended_tip|onlynotes"
msgid "Exports only the Notes page views."
-msgstr ""
+msgstr "Exporta només les pàgines de notes."
#. MpRUp
#: filter/uiconfig/ui/pdfgeneralpage.ui:964
@@ -849,19 +849,19 @@ msgstr "Exportació integral del full"
#: filter/uiconfig/ui/pdfgeneralpage.ui:973
msgctxt "pdfgeneralpage|extended_tip|singlepagessheets"
msgid "Ignores each sheet’s paper size, print ranges and shown/hidden status and puts every sheet (even hidden sheets) on exactly one page, which is exactly as small or large as needed to fit the whole contents of the sheet."
-msgstr ""
+msgstr "Ignora les mides de pàgina, els intervals d'impressió i els estats visible/amagat de cadascun dels fulls i posa el contingut d'aquests (fins i tot els amagats) en una única pàgina, la qual tindrà la grandària exacta necessària perquè hi càpiga tot el contingut del full."
#. DiBsa
#: filter/uiconfig/ui/pdfgeneralpage.ui:984
msgctxt "pdfgeneralpage|commentsinmargin"
msgid "_Comments in margin"
-msgstr ""
+msgstr "_Comentaris en el marge"
#. RpDqi
#: filter/uiconfig/ui/pdfgeneralpage.ui:993
msgctxt "pdfgeneralpage|extended_tip|commentsinmargin"
msgid "Select to export comments of Writer documents in the page margin."
-msgstr ""
+msgstr "Trieu aquesta opció per a exportar els comentaris de document del Writer en el marge de pàgina."
#. AcPTB
#: filter/uiconfig/ui/pdfgeneralpage.ui:1008
@@ -879,13 +879,13 @@ msgstr "Exporta els marcadors com a destinacions amb nom"
#: filter/uiconfig/ui/pdflinkspage.ui:35
msgctxt "pdflinkspage|export|tooltip_text"
msgid "Enable the checkbox to export bookmarks in your document as named destinations in the PDF document."
-msgstr ""
+msgstr "Activeu la casella de selecció per a exportar els marcadors al document com a destinacions amb nom al PDF."
#. vECBd
#: filter/uiconfig/ui/pdflinkspage.ui:38
msgctxt "pdflinkspage|extended_tip|export"
msgid "Enable the checkbox to export bookmarks in your document as named destinations in the PDF document. The destinations correspond to the location of your bookmarks. Use these destinations to create URL links that point to these locations in the PDF document."
-msgstr ""
+msgstr "Activeu la casella de selecció per a exportar els marcadors al document com a destinacions amb nom al PDF. Les destinacions corresponen a la ubicació dels marcadors. Useu aquestes destinacions per a crear enllaços URL que apuntin a aquestes ubicacions al PDF."
#. aCCLQ
#: filter/uiconfig/ui/pdflinkspage.ui:49
@@ -1251,13 +1251,13 @@ msgstr "Selecciona..."
#: filter/uiconfig/ui/pdfsignpage.ui:76
msgctxt "pdfsignpage|extended_tip|select"
msgid "Opens the Select X.509 Certificate dialog."
-msgstr ""
+msgstr "Obri el diàleg de selecció d'un certificat X.509"
#. zRUyK
#: filter/uiconfig/ui/pdfsignpage.ui:88
msgctxt "pdfsignpage|clear"
msgid "_Clear"
-msgstr ""
+msgstr "_Neteja"
#. UQz9i
#: filter/uiconfig/ui/pdfsignpage.ui:131
@@ -1575,7 +1575,7 @@ msgstr "Ajusta a l'àrea _visible"
#: filter/uiconfig/ui/pdfviewpage.ui:254
msgctxt "pdfviewpage|extended_tip|fitvis"
msgid "Select to generate a PDF file that shows the text and graphics on the page zoomed to fit the reader's window."
-msgstr ""
+msgstr "Seleccioneu per a generar el fitxer PDF que mostra el text i les imatges de la pàgina ampliats per a ajustar-se a la finestra del lector."
#. NGpWy
#: filter/uiconfig/ui/pdfviewpage.ui:271
@@ -1869,7 +1869,7 @@ msgstr "_Nou..."
#: filter/uiconfig/ui/xmlfiltersettings.ui:163
msgctxt "xmlfiltersettings|extended_tip|new"
msgid "Opens a dialog for creating a new filter."
-msgstr ""
+msgstr "Obri un diàleg per a crear un filtre."
#. W6Ju3
#: filter/uiconfig/ui/xmlfiltersettings.ui:175
@@ -1881,7 +1881,7 @@ msgstr "_Edita..."
#: filter/uiconfig/ui/xmlfiltersettings.ui:182
msgctxt "xmlfiltersettings|extended_tip|edit"
msgid "Opens a dialog for editing the selected filter."
-msgstr ""
+msgstr "Obri un diàleg per a editar el filtre seleccionat."
#. DAoSK
#: filter/uiconfig/ui/xmlfiltersettings.ui:194
@@ -1893,7 +1893,7 @@ msgstr "_Verifica els XSLT..."
#: filter/uiconfig/ui/xmlfiltersettings.ui:201
msgctxt "xmlfiltersettings|extended_tip|test"
msgid "Opens a dialog for testing the selected filter."
-msgstr ""
+msgstr "Obri un diàleg per a provar el filtre seleccionat."
#. FE7Za
#: filter/uiconfig/ui/xmlfiltersettings.ui:213
@@ -1977,7 +1977,7 @@ msgstr "Introduïu el nom que vulgueu que es mostre en el quadre de llista del d
#: filter/uiconfig/ui/xmlfiltertabpagegeneral.ui:119
msgctxt "xmlfiltertabpagegeneral|extended_tip|extension"
msgid "Enter the file extension to use when you open a file without specifying a filter. The file extension is used to determine which filter to use."
-msgstr ""
+msgstr "Introduïu l'extensió del fitxer a usar si obriu un fitxer sense indicar un filtre. L'extensió de fitxer es fa servir per a determinar quin filtre usar."
#. fZvBA
#: filter/uiconfig/ui/xmlfiltertabpagegeneral.ui:138
@@ -2127,4 +2127,4 @@ msgstr "Transformació"
#: filter/uiconfig/ui/xsltfilterdialog.ui:149
msgctxt "xsltfilterdialog|extended_tip|XSLTFilterDialog"
msgid "Opens a dialog for creating a new filter."
-msgstr ""
+msgstr "Obri un diàleg per a crear un filtre."
diff --git a/source/ca-valencia/filter/source/config/fragments/filters.po b/source/ca-valencia/filter/source/config/fragments/filters.po
index fb391807312..40fe6521766 100644
--- a/source/ca-valencia/filter/source/config/fragments/filters.po
+++ b/source/ca-valencia/filter/source/config/fragments/filters.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: Libreoffice42\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-06 17:53+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentsfilters/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentsfilters/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1530485125.000000\n"
#. FR4Ff
@@ -224,7 +224,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "EMZ - Compressed Enhanced Metafile"
-msgstr ""
+msgstr "EMZ - Metafitxer millorat comprimit"
#. eFNDy
#: EPS___Encapsulated_PostScript.xcu
@@ -534,7 +534,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007"
-msgstr ""
+msgstr "Word 2007"
#. GXZZf
#: MS_Word_2007_XML_Template.xcu
@@ -544,7 +544,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007 Template"
-msgstr ""
+msgstr "Plantilla del Word 2007"
#. 437BJ
#: MS_Word_2007_XML_VBA.xcu
@@ -554,7 +554,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007 VBA"
-msgstr ""
+msgstr "VBA del Word 2007"
#. arVLQ
#: MS_Word_95.xcu
@@ -804,7 +804,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2010–365 Document"
-msgstr ""
+msgstr "Document del Word 2010-365"
#. YmifQ
#: OOXML_Text_Template.xcu
@@ -814,7 +814,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2010–365 Template"
-msgstr ""
+msgstr "Plantilla del Word 2010-365"
#. B4Xqe
#: PBM___Portable_Bitmap.xcu
@@ -864,7 +864,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. WKEx6
#: PPM___Portable_Pixelmap.xcu
@@ -1004,7 +1004,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "SVGZ - Compressed Scalable Vector Graphics"
-msgstr ""
+msgstr "SVGZ - Gràfics vectorials escalables comprimits"
#. KbNXG
#: SVG___Scalable_Vector_Graphics.xcu
@@ -1314,7 +1314,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. zUxn7
#: WMF___MS_Windows_Metafile.xcu
@@ -1334,7 +1334,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WMZ - Compressed Windows Metafile"
-msgstr ""
+msgstr "WMZ - Metafitxer del Windows comprimit"
#. G6mAM
#: WPS_Lotus_Calc.xcu
@@ -1554,7 +1554,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. 8CFN6
#: calc_svg_Export.xcu
@@ -1574,7 +1574,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. ASgi2
#: chart8.xcu
@@ -1684,7 +1684,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "EMZ - Compressed Enhanced Metafile"
-msgstr ""
+msgstr "EMZ - Metafitxer millorat comprimit"
#. Vx93E
#: draw_eps_Export.xcu
@@ -1744,7 +1744,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. 89aEb
#: draw_svg_Export.xcu
@@ -1764,7 +1764,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "SVGZ - Compressed Scalable Vector Graphics"
-msgstr ""
+msgstr "SVGZ - Gràfics vectorials escalables comprimits"
#. GsbKe
#: draw_tif_Export.xcu
@@ -1784,7 +1784,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. RgBSz
#: draw_wmf_Export.xcu
@@ -1804,7 +1804,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WMZ - Compressed Windows Metafile"
-msgstr ""
+msgstr "WMZ - Metafitxer del Windows comprimit"
#. 3fXiG
#: impress8.xcu
@@ -2004,7 +2004,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. cEbFG
#: impress_svg_Export.xcu
@@ -2034,7 +2034,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. 3yHCC
#: impress_wmf_Export.xcu
@@ -2154,7 +2154,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Writer Indexing Export XML"
-msgstr ""
+msgstr "XML d'exportació d'indexació del Writer"
#. C4PGD
#: writer_jpg_Export.xcu
@@ -2194,7 +2194,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. Douv2
#: writer_svg_Export.xcu
@@ -2264,7 +2264,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. SyN4Q
#: writer_web_webp_Export.xcu
@@ -2274,7 +2274,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. DxENG
#: writer_webp_Export.xcu
@@ -2284,7 +2284,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. iRPFB
#: writerglobal8.xcu
diff --git a/source/ca-valencia/filter/source/config/fragments/internalgraphicfilters.po b/source/ca-valencia/filter/source/config/fragments/internalgraphicfilters.po
index afc5f751409..540433b4e1c 100644
--- a/source/ca-valencia/filter/source/config/fragments/internalgraphicfilters.po
+++ b/source/ca-valencia/filter/source/config/fragments/internalgraphicfilters.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-10-10 13:35+0200\n"
-"PO-Revision-Date: 2018-01-15 15:17+0000\n"
-"Last-Translator: Anonymous Pootle User\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentsinternalgraphicfilters/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516029460.000000\n"
#. s5fY3
@@ -74,7 +74,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "EMZ - Compressed Enhanced Metafile"
-msgstr ""
+msgstr "EMZ - Metafitxer millorat comprimit"
#. LEu3Z
#: emz_Import.xcu
@@ -84,7 +84,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "EMZ - Compressed Enhanced Metafile"
-msgstr ""
+msgstr "EMZ - Metafitxer millorat comprimit"
#. zAAmY
#: eps_Export.xcu
@@ -264,7 +264,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. 9C3pW
#: png_Import.xcu
@@ -274,7 +274,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "PNG - Portable Network Graphics"
-msgstr ""
+msgstr "PNG - Gràfics de xarxa portàtils"
#. CCFfq
#: ppm_Import.xcu
@@ -334,7 +334,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "SVGZ - Compressed Scalable Vector Graphics"
-msgstr ""
+msgstr "SVGZ - Gràfics vectorials escalables comprimits"
#. 6eXxZ
#: svgz_Import.xcu
@@ -344,7 +344,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "SVGZ - Compressed Scalable Vector Graphics"
-msgstr ""
+msgstr "SVGZ - Gràfics vectorials escalables comprimits"
#. J66y9
#: svm_Export.xcu
@@ -404,7 +404,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. ZABzk
#: webp_Import.xcu
@@ -414,7 +414,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WEBP - WebP Image"
-msgstr ""
+msgstr "WEBP - Imatge WebP"
#. fUdGf
#: wmf_Export.xcu
@@ -444,7 +444,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WMZ - Compressed Windows Metafile"
-msgstr ""
+msgstr "WMZ - Metafitxer del Windows comprimit"
#. mDjFD
#: wmz_Import.xcu
@@ -454,7 +454,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "WMZ - Compressed Windows Metafile"
-msgstr ""
+msgstr "WMZ - Metafitxer del Windows comprimit"
#. 86GGm
#: xbm_Import.xcu
diff --git a/source/ca-valencia/filter/source/config/fragments/types.po b/source/ca-valencia/filter/source/config/fragments/types.po
index 49bc58f695e..51fe023878e 100644
--- a/source/ca-valencia/filter/source/config/fragments/types.po
+++ b/source/ca-valencia/filter/source/config/fragments/types.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentstypes/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/filtersourceconfigfragmentstypes/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1528120884.000000\n"
#. VQegi
@@ -334,7 +334,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007"
-msgstr ""
+msgstr "Word 2007"
#. baaXD
#: writer_MS_Word_2007_XML_Template.xcu
@@ -344,7 +344,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007 Template"
-msgstr ""
+msgstr "Plantilla del Word 2007"
#. ZmGCw
#: writer_MS_Word_2007_XML_VBA.xcu
@@ -354,7 +354,7 @@ msgctxt ""
"UIName\n"
"value.text"
msgid "Word 2007 VBA"
-msgstr ""
+msgstr "VBA del Word 2007"
#. iuESB
#: writer_ODT_FlatXML.xcu
diff --git a/source/ca-valencia/forms/messages.po b/source/ca-valencia/forms/messages.po
index 881d2b92dc3..dea030baf15 100644
--- a/source/ca-valencia/forms/messages.po
+++ b/source/ca-valencia/forms/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2018-01-15 13:22+0000\n"
-"Last-Translator: joamuran <joamuran@gmail.com>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/formsmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=2; plural=(n != 1);\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516022552.000000\n"
#. naBgZ
@@ -306,7 +306,7 @@ msgstr "Coma flotant"
#: forms/inc/strings.hrc:74
msgctxt "RID_STR_DATATYPE_DOUBLE"
msgid "Double precision"
-msgstr ""
+msgstr "Precisió doble"
#. ki4Gz
#: forms/inc/strings.hrc:75
@@ -372,69 +372,69 @@ msgstr "Això és un tipus intern i no es pot suprimir."
#: forms/inc/strings.hrc:85
msgctxt "RID_STR_XFORMS_WARN_TARGET_IS_FILE"
msgid "Are you sure you want to write to local file \"$\"?"
-msgstr ""
+msgstr "Esteu segur que voleu escriure al fitxer local «$»?"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
diff --git a/source/ca-valencia/formula/messages.po b/source/ca-valencia/formula/messages.po
index 45aa6e58673..379bde7100c 100644
--- a/source/ca-valencia/formula/messages.po
+++ b/source/ca-valencia/formula/messages.po
@@ -4,9 +4,9 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-10 12:32+0200\n"
-"PO-Revision-Date: 2023-05-10 12:52+0200\n"
+"PO-Revision-Date: 2023-08-16 10:40+0200\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/formulamessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/formulamessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
@@ -2510,67 +2510,67 @@ msgstr "ALEATENTRE.NV"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. iySox
#: formula/inc/strings.hrc:24
@@ -2636,31 +2636,31 @@ msgstr "Avan_t >"
#: formula/uiconfig/ui/formuladialog.ui:153
msgctxt "formuladialog|functiontab"
msgid "Functions"
-msgstr ""
+msgstr "Funcions"
#. 54kbd
#: formula/uiconfig/ui/formuladialog.ui:176
msgctxt "formuladialog|structtab"
msgid "Structure"
-msgstr ""
+msgstr "Estructura"
#. RGrYD
#: formula/uiconfig/ui/formuladialog.ui:208
msgctxt "formuladialog|label2"
msgid "Function result:"
-msgstr ""
+msgstr "Resultat de la funció:"
#. dN9gA
#: formula/uiconfig/ui/formuladialog.ui:356
msgctxt "formuladialog|formula"
msgid "For_mula:"
-msgstr ""
+msgstr "Fór_mula:"
#. jvCvJ
#: formula/uiconfig/ui/formuladialog.ui:371
msgctxt "formuladialog|label1"
msgid "Result:"
-msgstr ""
+msgstr "Resultat:"
#. rJsXw
#: formula/uiconfig/ui/formuladialog.ui:417
@@ -2678,19 +2678,19 @@ msgstr "Maximitza"
#: formula/uiconfig/ui/functionpage.ui:26
msgctxt "functionpage|label_search"
msgid "_Search:"
-msgstr ""
+msgstr "_Cerca:"
#. kBsGA
#: formula/uiconfig/ui/functionpage.ui:45
msgctxt "functionpage|extended_tip|search"
msgid "Search for a function name. Also matches function descriptions."
-msgstr ""
+msgstr "Cerqueu el nom d'una funció. També en troba les descripcions."
#. 2vn36
#: formula/uiconfig/ui/functionpage.ui:60
msgctxt "functionpage|label1"
msgid "_Category:"
-msgstr ""
+msgstr "_Categoria:"
#. WQC5A
#: formula/uiconfig/ui/functionpage.ui:75
@@ -2714,7 +2714,7 @@ msgstr "Enumera les categories a les quals estan assignades les diverses funcion
#: formula/uiconfig/ui/functionpage.ui:95
msgctxt "functionpage|label2"
msgid "_Function:"
-msgstr ""
+msgstr "_Funció:"
#. TSCPY
#: formula/uiconfig/ui/functionpage.ui:141
@@ -2786,7 +2786,7 @@ msgstr "Seleccioneu"
#: formula/uiconfig/ui/structpage.ui:28
msgctxt "structpage|label1"
msgid "_Structure:"
-msgstr ""
+msgstr "E_structura:"
#. KGSPW
#: formula/uiconfig/ui/structpage.ui:77
diff --git a/source/ca-valencia/fpicker/messages.po b/source/ca-valencia/fpicker/messages.po
index a70796cd418..b2fa4a3691f 100644
--- a/source/ca-valencia/fpicker/messages.po
+++ b/source/ca-valencia/fpicker/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-06-09 11:50+0200\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/fpickermessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/fpickermessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1538496774.000000\n"
#. SJGCw
@@ -93,67 +93,67 @@ msgstr ""
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
#. D3iME
#: fpicker/uiconfig/ui/explorerfiledialog.ui:129
@@ -195,13 +195,13 @@ msgstr "Llocs"
#: fpicker/uiconfig/ui/explorerfiledialog.ui:296
msgctxt "explorerfiledialog|add"
msgid "Add current folder to Places"
-msgstr ""
+msgstr "Afig la carpeta actual a Llocs"
#. wP2nq
#: fpicker/uiconfig/ui/explorerfiledialog.ui:311
msgctxt "explorerfiledialog|add"
msgid "Remove selected folder from Places"
-msgstr ""
+msgstr "Elimina la carpeta actual de Llocs"
#. Upnsg
#: fpicker/uiconfig/ui/explorerfiledialog.ui:365
@@ -231,13 +231,13 @@ msgstr "Data de modificació"
#: fpicker/uiconfig/ui/explorerfiledialog.ui:495
msgctxt "explorerfiledialog|open"
msgid "_Open"
-msgstr ""
+msgstr "_Obri"
#. JnE2t
#: fpicker/uiconfig/ui/explorerfiledialog.ui:542
msgctxt "explorerfiledialog|play"
msgid "_Play"
-msgstr ""
+msgstr "Re_produeix"
#. dWNqZ
#: fpicker/uiconfig/ui/explorerfiledialog.ui:580
@@ -333,7 +333,7 @@ msgstr "Fitxers remots"
#: fpicker/uiconfig/ui/remotefilesdialog.ui:142
msgctxt "remotefilesdialog|open"
msgid "_Open"
-msgstr ""
+msgstr "_Obri"
#. uGwr4
#: fpicker/uiconfig/ui/remotefilesdialog.ui:175
@@ -508,13 +508,13 @@ msgstr ""
#: include/fpicker/strings.hrc:32
msgctxt "STR_SVT_ALREADYEXISTOVERWRITE_SECONDARY"
msgid "The file already exists in \"$dirname$\". Replacing it will overwrite its contents."
-msgstr ""
+msgstr "El fitxer ja existeix a «$dirname$». Si el reemplaceu, se'n sobreescriurà el contingut."
#. cBvCB
#: include/fpicker/strings.hrc:33
msgctxt "STR_SVT_ALLFORMATS"
msgid "All Formats"
-msgstr ""
+msgstr "Tots els formats"
#. z6Eo3
#: include/fpicker/strings.hrc:34
diff --git a/source/ca-valencia/framework/messages.po b/source/ca-valencia/framework/messages.po
index 4dce943a48b..df48ccfa143 100644
--- a/source/ca-valencia/framework/messages.po
+++ b/source/ca-valencia/framework/messages.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2020-05-23 22:47+0000\n"
+"PO-Revision-Date: 2023-08-10 13:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_ui-master/frameworkmessages/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_ui-master/frameworkmessages/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1516022553.000000\n"
#. 5dTDC
@@ -110,7 +110,7 @@ msgstr " (Remot)"
#: framework/inc/strings.hrc:39
msgctxt "STR_EMDASH_SEPARATOR"
msgid " — "
-msgstr ""
+msgstr " • "
#. JFH6k
#: framework/inc/strings.hrc:40
@@ -160,7 +160,7 @@ msgstr "~Reinicialitza"
#: framework/inc/strings.hrc:45
msgctxt "STR_LOCK_TOOLBARS"
msgid "~Lock Toolbars"
-msgstr ""
+msgstr "~Bloca les barres d'eines"
#. ntyDa
#: framework/inc/strings.hrc:46
@@ -239,183 +239,183 @@ msgstr "Llengua del text. Feu clic amb el botó dret per a canviar la llengua de
#: framework/inc/strings.hrc:58
msgctxt "RID_STR_PROPTITLE_EDIT"
msgid "Text Box"
-msgstr ""
+msgstr "Quadre de text"
#. CBmAL
#: framework/inc/strings.hrc:59
msgctxt "RID_STR_PROPTITLE_CHECKBOX"
msgid "Check Box"
-msgstr ""
+msgstr "Casella de selecció"
#. xwuJF
#: framework/inc/strings.hrc:60
msgctxt "RID_STR_PROPTITLE_COMBOBOX"
msgid "Combo Box"
-msgstr ""
+msgstr "Quadre combinat"
#. WiNUf
#: framework/inc/strings.hrc:61
msgctxt "RID_STR_PROPTITLE_LISTBOX"
msgid "List Box"
-msgstr ""
+msgstr "Quadre de llista"
#. a7gAj
#: framework/inc/strings.hrc:62
msgctxt "RID_STR_PROPTITLE_DATEFIELD"
msgid "Date Field"
-msgstr ""
+msgstr "Camp de data"
#. EaBTj
#: framework/inc/strings.hrc:63
msgctxt "RID_STR_PROPTITLE_TIMEFIELD"
msgid "Time Field"
-msgstr ""
+msgstr "Camp d'hora"
#. DWfsm
#: framework/inc/strings.hrc:64
msgctxt "RID_STR_PROPTITLE_NUMERICFIELD"
msgid "Numeric Field"
-msgstr ""
+msgstr "Camp numèric"
#. TYjnr
#: framework/inc/strings.hrc:65
msgctxt "RID_STR_PROPTITLE_CURRENCYFIELD"
msgid "Currency Field"
-msgstr ""
+msgstr "Camp de moneda"
#. B6MEP
#: framework/inc/strings.hrc:66
msgctxt "RID_STR_PROPTITLE_PATTERNFIELD"
msgid "Pattern Field"
-msgstr ""
+msgstr "Camp emmascarat"
#. DEn9D
#: framework/inc/strings.hrc:67
msgctxt "RID_STR_PROPTITLE_FORMATTED"
msgid "Formatted Field"
-msgstr ""
+msgstr "Camp formatat"
#. V4iMu
#: framework/inc/strings.hrc:69
msgctxt "RID_STR_PROPTITLE_PUSHBUTTON"
msgid "Push Button"
-msgstr ""
+msgstr "Botó per a prémer"
#. TreFC
#: framework/inc/strings.hrc:70
msgctxt "RID_STR_PROPTITLE_RADIOBUTTON"
msgid "Option Button"
-msgstr ""
+msgstr "Botó d'opció"
#. NFysA
#: framework/inc/strings.hrc:71
msgctxt "RID_STR_PROPTITLE_FIXEDTEXT"
msgid "Label Field"
-msgstr ""
+msgstr "Camp d'etiqueta"
#. E5mMK
#: framework/inc/strings.hrc:72
msgctxt "RID_STR_PROPTITLE_GROUPBOX"
msgid "Group Box"
-msgstr ""
+msgstr "Quadre de grup"
#. 5474w
#: framework/inc/strings.hrc:73
msgctxt "RID_STR_PROPTITLE_IMAGEBUTTON"
msgid "Image Button"
-msgstr ""
+msgstr "Botó gràfic"
#. qT2Ed
#: framework/inc/strings.hrc:74
msgctxt "RID_STR_PROPTITLE_IMAGECONTROL"
msgid "Image Control"
-msgstr ""
+msgstr "Control d'imatge"
#. 6Qvho
#: framework/inc/strings.hrc:75
msgctxt "RID_STR_PROPTITLE_FILECONTROL"
msgid "File Selection"
-msgstr ""
+msgstr "Selecció de fitxers"
#. 3SUEn
#: framework/inc/strings.hrc:76
msgctxt "RID_STR_PROPTITLE_SCROLLBAR"
msgid "Scrollbar"
-msgstr ""
+msgstr "Barra de desplaçament"
#. VtEN6
#: framework/inc/strings.hrc:77
msgctxt "RID_STR_PROPTITLE_SPINBUTTON"
msgid "Spin Button"
-msgstr ""
+msgstr "Botó de selecció de valor"
#. eGgm4
#: framework/inc/strings.hrc:78
msgctxt "RID_STR_PROPTITLE_NAVBAR"
msgid "Navigation Bar"
-msgstr ""
+msgstr "Barra de navegació"
#. wH3TZ
msgctxt "stock"
msgid "_Add"
-msgstr ""
+msgstr "_Afig"
#. S9dsC
msgctxt "stock"
msgid "_Apply"
-msgstr ""
+msgstr "_Aplica"
#. TMo6G
msgctxt "stock"
msgid "_Cancel"
-msgstr ""
+msgstr "_Cancel·la"
#. MRCkv
msgctxt "stock"
msgid "_Close"
-msgstr ""
+msgstr "_Tanca"
#. nvx5t
msgctxt "stock"
msgid "_Delete"
-msgstr ""
+msgstr "_Suprimeix"
#. YspCj
msgctxt "stock"
msgid "_Edit"
-msgstr ""
+msgstr "_Edita"
#. imQxr
msgctxt "stock"
msgid "_Help"
-msgstr ""
+msgstr "_Ajuda"
#. RbjyB
msgctxt "stock"
msgid "_New"
-msgstr ""
+msgstr "_Nou"
#. dx2yy
msgctxt "stock"
msgid "_No"
-msgstr ""
+msgstr "_No"
#. M9DsL
msgctxt "stock"
msgid "_OK"
-msgstr ""
+msgstr "_D'acord"
#. VtJS9
msgctxt "stock"
msgid "_Remove"
-msgstr ""
+msgstr "_Elimina"
#. C69Fy
msgctxt "stock"
msgid "_Reset"
-msgstr ""
+msgstr "_Reinicialitza"
#. mgpxh
msgctxt "stock"
msgid "_Yes"
-msgstr ""
+msgstr "_Sí"
diff --git a/source/ca-valencia/helpcontent2/source/auxiliary.po b/source/ca-valencia/helpcontent2/source/auxiliary.po
index ea40bad32be..3d9baa93ebc 100644
--- a/source/ca-valencia/helpcontent2/source/auxiliary.po
+++ b/source/ca-valencia/helpcontent2/source/auxiliary.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:23+0200\n"
-"PO-Revision-Date: 2020-05-24 12:32+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_help-master/auxiliary/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/auxiliary/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1532004417.000000\n"
#. fEEXD
@@ -59,7 +59,7 @@ msgctxt ""
"07010202\n"
"node.text"
msgid "Functions, Statements and Operators"
-msgstr ""
+msgstr "Funcions, expressions i operadors"
#. 3SEZD
#: sbasic.tree
@@ -68,7 +68,7 @@ msgctxt ""
"07010201\n"
"node.text"
msgid "Alphabetic List of Functions, Statements and Operators"
-msgstr ""
+msgstr "Llista alfabètica de funcions, d'expressions i d'operadors"
#. jhVCB
#: sbasic.tree
@@ -86,7 +86,7 @@ msgctxt ""
"07010305\n"
"node.text"
msgid "ScriptForge Library"
-msgstr ""
+msgstr "Biblioteca ScriptForge"
#. Vkt9E
#: sbasic.tree
@@ -131,7 +131,7 @@ msgctxt ""
"070203\n"
"node.text"
msgid "Python Modules"
-msgstr ""
+msgstr "Mòduls de Python"
#. JCHAg
#: sbasic.tree
@@ -140,7 +140,7 @@ msgctxt ""
"0703\n"
"node.text"
msgid "Script Development Tools"
-msgstr ""
+msgstr "Eines de desenvolupament de scripts"
#. KsAjT
#: scalc.tree
@@ -266,7 +266,7 @@ msgctxt ""
"08095\n"
"node.text"
msgid "Data Analysis"
-msgstr ""
+msgstr "Anàlisi de dades"
#. RowUw
#: scalc.tree
@@ -329,7 +329,7 @@ msgctxt ""
"0815\n"
"node.text"
msgid "Writing Calc Macros"
-msgstr ""
+msgstr "Escritura de macros al Calc"
#. vBXqp
#: scalc.tree
diff --git a/source/ca-valencia/helpcontent2/source/text/sbasic/guide.po b/source/ca-valencia/helpcontent2/source/text/sbasic/guide.po
index 34f997a53d7..5797fe71e53 100644
--- a/source/ca-valencia/helpcontent2/source/text/sbasic/guide.po
+++ b/source/ca-valencia/helpcontent2/source/text/sbasic/guide.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-07 19:22+0100\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsbasicguide/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1524659515.000000\n"
@@ -393,7 +393,7 @@ msgctxt ""
"N0470\n"
"help.text"
msgid "Below <literal>ComputerName</literal>, and <literal>GetFilelen</literal> routines are calling their Python counterparts, using aforementioned <literal>GetPythonScript</literal> function. Exception handling is not detailed."
-msgstr ""
+msgstr "Les rutines <literal>ComputerName</literal> i <literal>GetFilelen</literal> criden als seus homòlegs Python utilitzant la funció <literal>GetPythonScript</literal> abans esmentada. La gestió d'excepcions no s'ha detallat."
#. YbMbS
#: basic_2_python.xhp
@@ -483,7 +483,7 @@ msgctxt ""
"N0503\n"
"help.text"
msgid "Two different Python modules are called. They can either be embedded in the current document, either be stored on the file system. Argument type checking is skipped for clarity:"
-msgstr ""
+msgstr "Es criden dos mòduls Python diferents. Es poden incrustar en el document actual o bé emmagatzemar-se en el sistema de fitxers. S'omet la comprovació del tipus d'argument per obtindre claredat"
#. igPCi
#: basic_2_python.xhp
@@ -501,7 +501,7 @@ msgctxt ""
"N0527\n"
"help.text"
msgid "The calling mechanism for personal or shared Python scripts is identical to that of embedded scripts. Library names are mapped to folders. Computing %PRODUCTNAME user profile and shared modules system file paths can be performed as detailed in <link href=\"text/sbasic/python/python_session.xhp\">Getting session information</link>. Below <literal>OSName</literal>, <literal>HelloWorld</literal> and <literal>NormalizePath</literal> routines are calling their Python counterparts, using aforementioned <literal>GetPythonScript</literal> function. Exception handling is not detailed."
-msgstr ""
+msgstr "El mecanisme de crida per a scripts personals o compartits de Python és idèntic al dels scripts incrustats. Els noms de les biblioteques estan assignats a carpetes. El càlcul del perfil d'usuari del %PRODUCTNAME i dels camins de fitxer dels mòduls compartits del sistema es pot realitzar tal com es detalla en <link href=\"text/sbasic/python/python_session.xhp\">Obtindre informació de la sessió</link>. Les rutines <literal>OSName</literal>, <literal>HelloWorld</literal> i <literal>NormalizePath</literal> descrites a sota criden llurs homòlegs en Python, fent servir la funció <literal>GetPythonScript</literal> abans esmentada. La gestió d'excepcions no es detalla ací."
#. bwkSJ
#: basic_2_python.xhp
@@ -537,7 +537,7 @@ msgctxt ""
"N0546\n"
"help.text"
msgid "'''Strip superfluous '\\..' in path'''"
-msgstr ""
+msgstr "'''Elimina el «\\..» superflu al camí'''"
#. yTqsy
#: basic_2_python.xhp
@@ -555,7 +555,7 @@ msgctxt ""
"N0551\n"
"help.text"
msgid "%PRODUCTNAME embedded Python contains many standard libraries to benefit from. They bear a rich feature set, such as but not limited to:"
-msgstr ""
+msgstr "El Python incrustat a %PRODUCTNAME conté moltes biblioteques estàndard de les quals es beneficiaran. Tenen un ric conjunt de funcionalitats com ara, entre altres:"
#. aPbV7
#: basic_2_python.xhp
@@ -564,7 +564,7 @@ msgctxt ""
"N0552\n"
"help.text"
msgid "<emph>argparse</emph> Parser for command-line options, arguments and sub-commands"
-msgstr ""
+msgstr "<emph>argparse</emph> Analitzador per a opcions, arguments i subordres de línia d'ordres"
#. zBD3c
#: basic_2_python.xhp
@@ -690,7 +690,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Formatting Borders in Calc with Macros"
-msgstr ""
+msgstr "Formatació de les vores al Calc amb macros"
#. RKGKF
#: calc_borders.xhp
@@ -699,7 +699,7 @@ msgctxt ""
"hd_id461623364876507\n"
"help.text"
msgid "<variable id=\"title\"><link href=\"text/sbasic/guide/calc_borders.xhp\">Formatting Borders in Calc with Macros</link></variable>"
-msgstr ""
+msgstr "<variable id=\"title\"><link href=\"text/sbasic/guide/calc_borders.xhp\">Formatació de vores al Calc amb macros</link></variable>"
#. JyRxe
#: calc_borders.xhp
@@ -708,7 +708,7 @@ msgctxt ""
"par_id461630536347127\n"
"help.text"
msgid "By using Basic or Python programming languages it is possible to write macros that apply formats to ranges of cells in Calc."
-msgstr ""
+msgstr "Mitjançant l'ús dels llenguatges de programació BASIC i Python, és possible escriure macros que apliquen formats a intervals de cel·les al Calc."
#. 7FCuQ
#: calc_borders.xhp
@@ -717,7 +717,7 @@ msgctxt ""
"hd_id81630536486560\n"
"help.text"
msgid "Formatting Borders in Ranges of Cells"
-msgstr ""
+msgstr "Formatació de vores en intervals de cel·les"
#. jZniv
#: calc_borders.xhp
@@ -726,7 +726,7 @@ msgctxt ""
"par_id871630536518700\n"
"help.text"
msgid "The code snippet below creates a <literal>Sub</literal> called <literal>FormatCellBorder</literal> that applies new border formats to a given range address in the current Calc sheet."
-msgstr ""
+msgstr "El fragment de codi següent crea una <literal>Sub</literal> anomenada <literal>FormatCellBorder</literal> que aplica nous formats a les vores d'un determinat rang d'adreces al full de Calc actual."
#. Xzm6Q
#: calc_borders.xhp
@@ -735,7 +735,7 @@ msgctxt ""
"bas_id131630537785605\n"
"help.text"
msgid "' Creates the UNO struct that will store the new line format"
-msgstr ""
+msgstr "' Crea l'estructura UNO que emmagatzemarà el nou format de línia"
#. qpADJ
#: calc_borders.xhp
@@ -744,7 +744,7 @@ msgctxt ""
"bas_id971630537786724\n"
"help.text"
msgid "' Gets the target cell"
-msgstr ""
+msgstr "' Obté la cel·la objectiu"
#. jXfEv
#: calc_borders.xhp
@@ -753,7 +753,7 @@ msgctxt ""
"bas_id791630537787373\n"
"help.text"
msgid "' Applies the new format to all borders"
-msgstr ""
+msgstr "' Aplica el format nou a totes les vores"
#. 3csnz
#: calc_borders.xhp
@@ -762,7 +762,7 @@ msgctxt ""
"par_id141630537941393\n"
"help.text"
msgid "The <literal>Sub</literal> described above takes in four arguments:"
-msgstr ""
+msgstr "La <literal>Sub</literal> descrita anteriorment pren quatre arguments:"
#. kA3Uj
#: calc_borders.xhp
@@ -771,7 +771,7 @@ msgctxt ""
"par_id841630538209958\n"
"help.text"
msgid "<emph>cellAddress</emph> is a string denoting the range to be formatted in the format \"A1\"."
-msgstr ""
+msgstr "<emph>cellAddress</emph> és una cadena que indica l'interval que s'ha de formatar en el format \"A1\"."
#. xpGBx
#: calc_borders.xhp
@@ -780,7 +780,7 @@ msgctxt ""
"par_id821630538210271\n"
"help.text"
msgid "<emph>newStyle</emph> is an integer value that corresponds to the border line style (see <link href=\"text/sbasic/guide/calc_borders.xhp#LineStyles_h2\">Line Styles</link> below)."
-msgstr ""
+msgstr "<emph>newStyle</emph> és un valor enter que correspon a l'estil de la línia de vora (veure <link href=\"text/sbasic/guide/calc_borders.xhp#LineStyles_h2\">Estils de línia</link> a sota)."
#. gKaYD
#: calc_borders.xhp
@@ -789,7 +789,7 @@ msgctxt ""
"par_id191630538210607\n"
"help.text"
msgid "<emph>newWidth</emph> is an integer value that defines the line width."
-msgstr ""
+msgstr "<emph>newWidth</emph> és un valor enter que defineix l'amplària de la línia."
#. 6Tv9V
#: calc_borders.xhp
@@ -798,7 +798,7 @@ msgctxt ""
"par_id71630538211142\n"
"help.text"
msgid "<emph>newColor</emph> is an integer value corresponding to a color defined using the <link href=\"text/sbasic/shared/03010305.xhp\">RGB</link> function."
-msgstr ""
+msgstr "<emph>newColor</emph> és un valor enter corresponent a un color definit amb la funció <link href=\"text/sbasic/shared/03010305.xhp\">RGB</link>."
#. 3gYJs
#: calc_borders.xhp
@@ -807,7 +807,7 @@ msgctxt ""
"par_id201630538522838\n"
"help.text"
msgid "To call <literal>FormatCellBorder</literal> create a new macro and pass the desired arguments, as shown below:"
-msgstr ""
+msgstr "Per cridar a <literal>FormatCellBorder</literal> creeu una nova macro i passeu els arguments desitjats, tal com es mostra a continuació:"
#. XpcA7
#: calc_borders.xhp
@@ -816,7 +816,7 @@ msgctxt ""
"bas_id651630603779228\n"
"help.text"
msgid "' Gives access to the line style constants"
-msgstr ""
+msgstr "' Dona accés a les constants d'estil de línia"
#. 44Cm4
#: calc_borders.xhp
@@ -825,7 +825,7 @@ msgctxt ""
"bas_id321630538931144\n"
"help.text"
msgid "' Formats \"B5\" with solid blue borders"
-msgstr ""
+msgstr "' Formata «B5» amb vores blaves sòlides"
#. m5WA7
#: calc_borders.xhp
@@ -834,7 +834,7 @@ msgctxt ""
"bas_id91630538931686\n"
"help.text"
msgid "' Formats all borders in the range \"D2:F6\" with red dotted borders"
-msgstr ""
+msgstr "' Formata totes les vores de l'interval «D2:F6» amb vores puntejades vermelles"
#. yt8qz
#: calc_borders.xhp
@@ -843,7 +843,7 @@ msgctxt ""
"par_id31630540159114\n"
"help.text"
msgid "It is possible to implement the same functionality in Python:"
-msgstr ""
+msgstr "És possible implementar la mateixa funcionalitat en Python:"
#. FEQGU
#: calc_borders.xhp
@@ -852,7 +852,7 @@ msgctxt ""
"pyc_id411630540777672\n"
"help.text"
msgid "# Defines the new line format"
-msgstr ""
+msgstr "# Defineix el format de línia nou"
#. cxBAF
#: calc_borders.xhp
@@ -861,7 +861,7 @@ msgctxt ""
"pyc_id361630540778786\n"
"help.text"
msgid "# Scriptforge service to access cell ranges"
-msgstr ""
+msgstr "# Servei de l'ScriptForge per a accedir als intervals de cel·les"
#. hUVfn
#: calc_borders.xhp
@@ -870,7 +870,7 @@ msgctxt ""
"par_id931630541661889\n"
"help.text"
msgid "The code snippet below implements a macro named <literal>myMacro</literal> that calls <literal>formatCellBorder</literal>:"
-msgstr ""
+msgstr "El fragment de codi següent implementa una macro anomenada <literal>myMacro</literal> que crida <literal>formatCellBorder</literal>:"
#. 3zyiA
#: calc_borders.xhp
@@ -879,7 +879,7 @@ msgctxt ""
"par_id261630541889040\n"
"help.text"
msgid "The Python code presented above uses the <link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\">ScriptForge library</link> that is available since %PRODUCTNAME 7.2."
-msgstr ""
+msgstr "El codi Python presentat anteriorment utilitza la biblioteca <link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\">ScriptForge</link> que està disponible des del %PRODUCTNAME 7.2."
#. FfECT
#: calc_borders.xhp
@@ -888,7 +888,7 @@ msgctxt ""
"hd_id361630539136798\n"
"help.text"
msgid "Line Styles"
-msgstr ""
+msgstr "Estils de línia"
#. Qt5gG
#: calc_borders.xhp
@@ -897,7 +897,7 @@ msgctxt ""
"par_id501630539147234\n"
"help.text"
msgid "Line styles are defined as integer constants. The table below lists the constants for the line styles available in <menuitem>Format - Cells - Borders</menuitem>:"
-msgstr ""
+msgstr "Els estils de línia es defineixen com a constants enteres. La taula següent enumera les constants dels estils de línia disponibles a <menuitem>Format ▸ Cel·les ▸ Vores</menuitem>:"
#. X2WVp
#: calc_borders.xhp
@@ -906,7 +906,7 @@ msgctxt ""
"par_id651630604006712\n"
"help.text"
msgid "Constant name"
-msgstr ""
+msgstr "Nom de la constant"
#. JTgFF
#: calc_borders.xhp
@@ -915,7 +915,7 @@ msgctxt ""
"par_id501630539273987\n"
"help.text"
msgid "Integer value"
-msgstr ""
+msgstr "Valor enter"
#. GZPBL
#: calc_borders.xhp
@@ -924,7 +924,7 @@ msgctxt ""
"par_id191630539273987\n"
"help.text"
msgid "Line style name"
-msgstr ""
+msgstr "Nom de l'estil de línia"
#. cGhRo
#: calc_borders.xhp
@@ -933,7 +933,7 @@ msgctxt ""
"par_id691630539273987\n"
"help.text"
msgid "Solid"
-msgstr ""
+msgstr "Sòlid"
#. aFDHe
#: calc_borders.xhp
@@ -942,7 +942,7 @@ msgctxt ""
"par_id591630539325162\n"
"help.text"
msgid "Dotted"
-msgstr ""
+msgstr "Puntejat"
#. XJZxB
#: calc_borders.xhp
@@ -951,7 +951,7 @@ msgctxt ""
"par_id881630539433260\n"
"help.text"
msgid "Dashed"
-msgstr ""
+msgstr "Ratllat"
#. VeExq
#: calc_borders.xhp
@@ -960,7 +960,7 @@ msgctxt ""
"par_id111630539463634\n"
"help.text"
msgid "Fine dashed"
-msgstr ""
+msgstr "Ratllat fi"
#. n9ZFA
#: calc_borders.xhp
@@ -969,7 +969,7 @@ msgctxt ""
"par_id261630539471483\n"
"help.text"
msgid "Double thin"
-msgstr ""
+msgstr "Doble fi"
#. ydBcG
#: calc_borders.xhp
@@ -978,7 +978,7 @@ msgctxt ""
"par_id671630539478101\n"
"help.text"
msgid "Dash dot"
-msgstr ""
+msgstr "Ratlla punt"
#. a4wFd
#: calc_borders.xhp
@@ -987,7 +987,7 @@ msgctxt ""
"par_id701630539484498\n"
"help.text"
msgid "Dash dot dot"
-msgstr ""
+msgstr "Ratlla punt punt"
#. jTEcr
#: calc_borders.xhp
@@ -996,7 +996,7 @@ msgctxt ""
"par_id751630539680866\n"
"help.text"
msgid "Refer to the <link href=\"https://api.libreoffice.org/docs/idl/ref/namespacecom_1_1sun_1_1star_1_1table_1_1BorderLineStyle.html\">BorderLineStyle Constant Reference</link> in the LibreOffice API documentation to learn more about line style constants."
-msgstr ""
+msgstr "Consulteu <link href=\"https://api.libreoffice.org/docs/idl/ref/namespacecom_1_1sun_1_1star_1_1table_1_1BorderLineStyle.html\">Referència a la constant BorderLineStyle</link> a la documentació de l'API de LibreOffice per aprendre més sobre les constants de l'estil de línia."
#. aJTNw
#: calc_borders.xhp
@@ -1005,7 +1005,7 @@ msgctxt ""
"hd_id31630542361666\n"
"help.text"
msgid "Formatting Borders Using TableBorder2"
-msgstr ""
+msgstr "Formatació de vores mitjançant TableBorder2"
#. vukYu
#: calc_borders.xhp
@@ -1023,7 +1023,7 @@ msgctxt ""
"par_id641630542724480\n"
"help.text"
msgid "In addition to top, bottom, left and right borders, <literal>TableBorder2</literal> also defines vertical and horizontal borders. The macro below applies only the top and bottom borders to the range \"B2:E5\"."
-msgstr ""
+msgstr "A més de les vores superior, inferior, esquerra i dreta, <literal>TableBorder2</literal> també defineix les vores horitzontals i verticals. La macro a continuació aplica només les vores superior i inferior a l'interval «B2:E5»."
#. k7afV
#: calc_borders.xhp
@@ -1032,7 +1032,7 @@ msgctxt ""
"bas_id191630543332073\n"
"help.text"
msgid "' Defines the new line format"
-msgstr ""
+msgstr "' Defineix el format de línia nou"
#. hSdDm
#: calc_borders.xhp
@@ -1041,7 +1041,7 @@ msgctxt ""
"bas_id281630543333061\n"
"help.text"
msgid "' Struct that stores the new TableBorder2 definition"
-msgstr ""
+msgstr "' Estructura que emmagatzema la definició del nou «TableBorder2»"
#. SFrJL
#: calc_borders.xhp
@@ -1050,7 +1050,7 @@ msgctxt ""
"bas_id11630543334395\n"
"help.text"
msgid "' Applies the table format to the range \"B2:E5\""
-msgstr ""
+msgstr "' Aplica la formatació de taula a l'interval «B2:E5»"
#. cSa4U
#: calc_borders.xhp
@@ -1059,7 +1059,7 @@ msgctxt ""
"par_id401630544066231\n"
"help.text"
msgid "The macro can be implemented in Python as follows:"
-msgstr ""
+msgstr "La macro es pot implementar en Python d'aquesta manera:"
#. cYZYt
#: calc_borders.xhp
@@ -1257,7 +1257,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Reading and Writing values to Ranges"
-msgstr ""
+msgstr "Lectura i escriptura de valors als intervals"
#. 4icyW
#: read_write_values.xhp
@@ -1266,7 +1266,7 @@ msgctxt ""
"hd_id461623364876507\n"
"help.text"
msgid "<variable id=\"title\"><link href=\"text/sbasic/guide/read_write_values.xhp\">Reading and Writing values to Ranges</link></variable>"
-msgstr ""
+msgstr "<variable id=\"title\"><link href=\"text/sbasic/guide/read_write_values.xhp\">Lectura i escriptura de valors als intervals</link></variable>"
#. ZKUBE
#: read_write_values.xhp
@@ -1293,7 +1293,7 @@ msgctxt ""
"hd_id331633213558740\n"
"help.text"
msgid "Accessing a Single Cell"
-msgstr ""
+msgstr "Accés a una única cel·la"
#. A5M3f
#: read_write_values.xhp
@@ -1311,7 +1311,7 @@ msgctxt ""
"par_id131633213887433\n"
"help.text"
msgid "The same can be accomplished with Python:"
-msgstr ""
+msgstr "El mateix es pot aconseguir en Python:"
#. CDmg6
#: read_write_values.xhp
@@ -1356,7 +1356,7 @@ msgctxt ""
"hd_id411633215666257\n"
"help.text"
msgid "Values, Strings and Formulas"
-msgstr ""
+msgstr "Valors, cadenes i fórmules"
#. MBHDg
#: read_write_values.xhp
@@ -1365,7 +1365,7 @@ msgctxt ""
"par_id861633215682610\n"
"help.text"
msgid "Calc cells can have three types of values: numeric, strings and formulas. Each type has its own set and get methods:"
-msgstr ""
+msgstr "Les cel·les del Calc tenen tres tipus de valors: numèric, cadena i fórmula. Cada tipus té mètodes de lectura i escriptura propis:"
#. RXE76
#: read_write_values.xhp
@@ -1374,7 +1374,7 @@ msgctxt ""
"par_id191633215791905\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. rYCuZ
#: read_write_values.xhp
@@ -1383,7 +1383,7 @@ msgctxt ""
"par_id181633215791905\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. ywHfC
#: read_write_values.xhp
@@ -1392,7 +1392,7 @@ msgctxt ""
"par_id961633215932180\n"
"help.text"
msgid "Text"
-msgstr ""
+msgstr "Text"
#. KH9Ya
#: read_write_values.xhp
@@ -1401,7 +1401,7 @@ msgctxt ""
"par_id651633215984116\n"
"help.text"
msgid "Formula"
-msgstr ""
+msgstr "Fórmula"
#. nGhov
#: read_write_values.xhp
@@ -1428,7 +1428,7 @@ msgctxt ""
"hd_id321633216630043\n"
"help.text"
msgid "Accessing Ranges in Different Sheets"
-msgstr ""
+msgstr "Accés a intervals definits en altres fulls"
#. TFU8U
#: read_write_values.xhp
@@ -1482,7 +1482,7 @@ msgctxt ""
"par_id891633265000047\n"
"help.text"
msgid "This can be done in a similar fashion in Python:"
-msgstr ""
+msgstr "Això es pot fer d'una manera semblant en Python:"
#. 6qHAn
#: read_write_values.xhp
@@ -1491,7 +1491,7 @@ msgctxt ""
"hd_id451633265241066\n"
"help.text"
msgid "Using the ScriptForge Library"
-msgstr ""
+msgstr "Ús de la biblioteca ScriptForge"
#. 8CkSe
#: read_write_values.xhp
@@ -1500,7 +1500,7 @@ msgctxt ""
"par_id731633265268585\n"
"help.text"
msgid "The Calc service of the ScriptForge library can be used to get and set cell values as follows:"
-msgstr ""
+msgstr "El servei Calc de la biblioteca ScriptForge es pot usar per a obtindre i modificar el valors de les cel·les així:"
#. DCJ2E
#: read_write_values.xhp
@@ -1509,7 +1509,7 @@ msgctxt ""
"par_id551633265526538\n"
"help.text"
msgid "' Loads the ScriptForge library"
-msgstr ""
+msgstr "' Carrega la biblioteca ScriptForge"
#. hgDyM
#: read_write_values.xhp
@@ -1518,7 +1518,7 @@ msgctxt ""
"par_id581633265527001\n"
"help.text"
msgid "' Gets access to the current Calc document"
-msgstr ""
+msgstr "' Obté accés al document del Calc actual"
#. Gw4KG
#: read_write_values.xhp
@@ -1554,7 +1554,7 @@ msgctxt ""
"par_id521633608223310\n"
"help.text"
msgid "The ScriptForge library also makes it simpler to access ranges in different sheets, as demonstrated in the example below:"
-msgstr ""
+msgstr "La biblioteca ScriptForge també simplifica l'accés als intervals d'altres fulls, com es demostra a l'exemple següent:"
#. CCeEh
#: read_write_values.xhp
@@ -1590,7 +1590,7 @@ msgctxt ""
"par_id431633266057163\n"
"help.text"
msgid "The examples above can also be implemented in Python as follows:"
-msgstr ""
+msgstr "Els exemples anteriors també es poden implementar en Python així:"
#. ayg6P
#: sample_code.xhp
@@ -1824,7 +1824,7 @@ msgctxt ""
"bm_id3154140\n"
"help.text"
msgid "<bookmark_value>module/dialog toggle</bookmark_value> <bookmark_value>dialogs;using Basic to show (example)</bookmark_value> <bookmark_value>examples; showing a dialog with Basic</bookmark_value> <bookmark_value>Tools;LoadDialog</bookmark_value>"
-msgstr ""
+msgstr "Els diàlegs <bookmark_value>modul/commuta els diàlegs</bookmark_value> <bookmark_value>; utilització del Basic per mostrar (exemple) </bookmark_value> <bookmark_value>exemples; visualització d'un diàleg amb Basic</bookmark_value> <bookmark_value>Eines;LoadDialog</bookmark_value>"
#. TArAY
#: show_dialog.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/sbasic/python.po b/source/ca-valencia/helpcontent2/source/text/sbasic/python.po
index 44d7ac2e162..9a197fdc264 100644
--- a/source/ca-valencia/helpcontent2/source/text/sbasic/python.po
+++ b/source/ca-valencia/helpcontent2/source/text/sbasic/python.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-07 19:22+0100\n"
-"PO-Revision-Date: 2021-01-31 19:36+0000\n"
-"Last-Translator: serval2412 <serval2412@yahoo.fr>\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsbasicpython/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. naSFZ
#: main0000.xhp
@@ -94,7 +94,7 @@ msgctxt ""
"hd_id901655365903313\n"
"help.text"
msgid "%PRODUCTNAME Python Modules"
-msgstr ""
+msgstr "Mòduls del %PRODUCTNAME per a Python"
#. dtVM5
#: main0000.xhp
@@ -103,7 +103,7 @@ msgctxt ""
"par_id21655367848705\n"
"help.text"
msgid "<link href=\"text/sbasic/python/python_screen.xhp\"><literal>msgbox</literal> module</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/python/python_screen.xhp\">Mòdul <literal>msgbox</literal></link>"
#. vzq4f
#: main0000.xhp
@@ -112,7 +112,7 @@ msgctxt ""
"par_id801655368030968\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\"><literal>scriptforge</literal> module</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\">Mòdul <literal>scriptforge</literal></link>"
#. LN2JT
#: main0000.xhp
@@ -121,7 +121,7 @@ msgctxt ""
"par_id12655637848750\n"
"help.text"
msgid "<link href=\"text/sbasic/python/python_programming.xhp#uno\"><literal>uno</literal> module</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/python/python_programming.xhp#uno\">Mòdul <literal>uno</literal></link>"
#. naZBV
#: python_2_basic.xhp
@@ -292,7 +292,7 @@ msgctxt ""
"N0366\n"
"help.text"
msgid "the second identifies modified arguments"
-msgstr ""
+msgstr "el segon identifica els arguments modificats"
#. v3GcD
#: python_2_basic.xhp
@@ -454,7 +454,7 @@ msgctxt ""
"N0338\n"
"help.text"
msgid "My Macros or Application Macros dialogs"
-msgstr ""
+msgstr "Diàlegs Les meues macros o Macros de l'aplicació"
#. pcUEy
#: python_dialogs.xhp
@@ -508,7 +508,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Monitoring Document Events"
-msgstr ""
+msgstr "Monitoratge dels esdeveniments del document"
#. GyBAT
#: python_document_events.xhp
@@ -589,7 +589,7 @@ msgctxt ""
"N0529\n"
"help.text"
msgid "Monitoring Document Events"
-msgstr ""
+msgstr "Monitoratge dels esdeveniments del document"
#. VwSwW
#: python_document_events.xhp
@@ -787,7 +787,7 @@ msgctxt ""
"N0588\n"
"help.text"
msgid "#self.setCell(event.Source, event.EventName) # only for Calc docs"
-msgstr ""
+msgstr "#self.setCell(event.Source event.EventName) # només per a documents del Calc"
#. rE9Ep
#: python_document_events.xhp
@@ -841,7 +841,7 @@ msgctxt ""
"N0613\n"
"help.text"
msgid "(Back/Fore)ground console to report/log program execution."
-msgstr ""
+msgstr "Consola (Fons/Primer pla) per informar/registrar l'execució de programes."
#. Qph5m
#: python_document_events.xhp
@@ -850,7 +850,7 @@ msgctxt ""
"N0617\n"
"help.text"
msgid "\"\"\" Print free item list to console \"\"\""
-msgstr ""
+msgstr "\"\"\" Imprimeix la llista d'elements lliures a la consola \"\"\""
#. nzjHS
#: python_document_events.xhp
@@ -859,7 +859,7 @@ msgctxt ""
"N0622\n"
"help.text"
msgid "\"\"\" Append log message to console, optional user prompt \"\"\""
-msgstr ""
+msgstr "\"\"\" Afig el missatge de registre a la consola, sol·licitud d'usuari opcional \"\"\""
#. HDXPV
#: python_document_events.xhp
@@ -868,7 +868,7 @@ msgctxt ""
"N0627\n"
"help.text"
msgid "\"\"\" Set log messages lower limit \"\"\""
-msgstr ""
+msgstr "\"\"\" Estableix el límit inferior per als missatges de registre \"\""
#. fXnMH
#: python_document_events.xhp
@@ -877,7 +877,7 @@ msgctxt ""
"N0632\n"
"help.text"
msgid "\"\"\" Display console content/dialog \"\"\""
-msgstr ""
+msgstr "\"\"\" Mostra el contingut de la consola/diàleg \"\""
#. mPJ3B
#: python_document_events.xhp
@@ -940,7 +940,7 @@ msgctxt ""
"hd_id421630510141729\n"
"help.text"
msgid "controller.Events module"
-msgstr ""
+msgstr "Mòdul controller.Events"
#. rJX92
#: python_document_events.xhp
@@ -958,7 +958,7 @@ msgctxt ""
"N0655\n"
"help.text"
msgid "Sub OnLoad(evt As com.sun.star.document.DocumentEvent) ' >> Open Document <<"
-msgstr ""
+msgstr "Sub OnLoad(evt As com.sun.star.document.DocumentEvent)' >> Obri document <<"
#. p8RfU
#: python_document_events.xhp
@@ -994,7 +994,7 @@ msgctxt ""
"N0664\n"
"help.text"
msgid "' ADAPTER design pattern object to be instantiated in the \"Open Document\" event"
-msgstr ""
+msgstr "'Objecte patró de disseny ADAPTER que instanciarà l'esdeveniment \"Obri document\""
#. ueeGx
#: python_document_events.xhp
@@ -1021,7 +1021,7 @@ msgctxt ""
"bas_id131630510956418\n"
"help.text"
msgid "Private _txtMsg As String ' text message to log in console"
-msgstr ""
+msgstr "Private _txtMsg As String ' missatge de text a registrar a la consola"
#. JaEhY
#: python_document_events.xhp
@@ -1030,7 +1030,7 @@ msgctxt ""
"N0677\n"
"help.text"
msgid "' PROPERTIES"
-msgstr ""
+msgstr "' PROPIETATS"
#. aGuEg
#: python_document_events.xhp
@@ -1057,7 +1057,7 @@ msgctxt ""
"N0688\n"
"help.text"
msgid "''' Monitor document events '''"
-msgstr ""
+msgstr "''' Monitorització dels esdeveniments del document '''"
#. cBx2G
#: python_document_events.xhp
@@ -1066,7 +1066,7 @@ msgctxt ""
"N0701\n"
"help.text"
msgid "''' Initialize document events logging '''"
-msgstr ""
+msgstr "''' Inicialitza el registre d'esdeveniments del document '''"
#. hxzE4
#: python_document_events.xhp
@@ -1084,7 +1084,7 @@ msgctxt ""
"N0714\n"
"help.text"
msgid "''' Terminate document events logging '''"
-msgstr ""
+msgstr "''' Finalitza el registre d'esdeveniments del document '''"
#. JEve4
#: python_document_events.xhp
@@ -1102,7 +1102,7 @@ msgctxt ""
"N0719\n"
"help.text"
msgid "Access2Base.Trace.TraceConsole() ' Captured events dialog"
-msgstr ""
+msgstr "Access2Base.Trace.TraceConsole() ' Diàleg amb els esdeveniments capturats"
#. X8Kdh
#: python_document_events.xhp
@@ -1111,7 +1111,7 @@ msgctxt ""
"N0722\n"
"help.text"
msgid "' EVENTS"
-msgstr ""
+msgstr "' ESDEVENIMENTS"
#. uVpJf
#: python_document_events.xhp
@@ -1120,7 +1120,7 @@ msgctxt ""
"N0723\n"
"help.text"
msgid "' Your code for handled events goes here"
-msgstr ""
+msgstr "' El codi per al gestor d'esdeveniments va ací"
#. AJJDf
#: python_document_events.xhp
@@ -1129,7 +1129,7 @@ msgctxt ""
"N0724\n"
"help.text"
msgid "Mind the misspelled <literal>_documentEventOccured</literal> method that inherits a typo from %PRODUCTNAME Application Programming Interface (API)."
-msgstr ""
+msgstr "Pareu atenció al mètode mal escrit <literal>_documentEventOccured</literal>, la grafia del qual és heretada de la interfície de programació d'aplicacions (API) del %PRODUCTNAME."
#. b3qae
#: python_document_events.xhp
@@ -1138,7 +1138,7 @@ msgctxt ""
"N0725\n"
"help.text"
msgid "Discovering Documents Events"
-msgstr ""
+msgstr "Descobriment dels esdeveniments del document"
#. Ys35P
#: python_document_events.xhp
@@ -1156,7 +1156,7 @@ msgctxt ""
"N0726\n"
"help.text"
msgid "The broadcaster API object provides the list of events it is responsible for:"
-msgstr ""
+msgstr "L'API de l'objecte locutor proporciona la llista d'esdeveniments dels quals és responsable:"
#. Z2BhT
#: python_document_events.xhp
@@ -1165,7 +1165,7 @@ msgctxt ""
"N0727\n"
"help.text"
msgid "With Python"
-msgstr ""
+msgstr "Amb Python"
#. 8PCHK
#: python_document_events.xhp
@@ -1174,7 +1174,7 @@ msgctxt ""
"N0734\n"
"help.text"
msgid "\"\"\" Display document events \"\"\""
-msgstr ""
+msgstr "\"\"\" Mostra els esdeveniments del document \"\"\""
#. SECnV
#: python_document_events.xhp
@@ -1183,7 +1183,7 @@ msgctxt ""
"N0736\n"
"help.text"
msgid "adapted from DisplayAvailableEvents() by A. Pitonyak"
-msgstr ""
+msgstr "adaptat de DisplayAvailableEvents() per A. Pitonyak"
#. o2YTy
#: python_document_events.xhp
@@ -1192,7 +1192,7 @@ msgctxt ""
"N0747\n"
"help.text"
msgid "The <link href=\"https://extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-python\">Alternative Python Script Organizer (APSO)</link> extension is used to render events information on screen."
-msgstr ""
+msgstr "L'extensió <link href=\"https://extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-python\">Organitzador de l'script Python alternatiu (OSPA)</link> s'utilitza per renderitzar informació dels esdeveniments sobre la pantalla"
#. kgY8m
#: python_document_events.xhp
@@ -1210,7 +1210,7 @@ msgctxt ""
"N0750\n"
"help.text"
msgid "''' Display document events '''"
-msgstr ""
+msgstr "''' Mostra els esdeveniments del document '''"
#. upkPP
#: python_examples.xhp
@@ -1246,7 +1246,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Creating A Dialog Handler"
-msgstr ""
+msgstr "Creació d'un controlador de diàlegs"
#. WeSDk
#: python_handler.xhp
@@ -1255,7 +1255,7 @@ msgctxt ""
"N0664\n"
"help.text"
msgid "<bookmark_value>Basic;Dialog Handler</bookmark_value> <bookmark_value>Python;Dialog Handler</bookmark_value> <bookmark_value>Access2Base;dlgTrace</bookmark_value> <bookmark_value>Access2Base;_DumpToFile</bookmark_value> <bookmark_value>API;DialogProvider2</bookmark_value> <bookmark_value>API;XDialogEventHandler</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Basic;Controlador de diàleg</bookmark_value> <bookmark_value>Python;Controlador de diàleg</bookmark_value> <bookmark_value>Access2Base;dlgTrace</bookmark_value> <bookmark_value>Access2Base;_DumpToFile</bookmark_value> <bookmark_value>API;DialogProvider2</bookmark_value> <bookmark_value>API;XDialogEventHandler</bookmark_value>d"
#. 6ADFX
#: python_handler.xhp
@@ -1264,7 +1264,7 @@ msgctxt ""
"N0665\n"
"help.text"
msgid "<variable id=\"pythonhandler_h1\"><link href=\"text/sbasic/python/python_handler.xhp\">Creating a Dialog Handler</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonhandler_h1\"><link href=\"text/sbasic/python/python_handler.xhp\">Crea un controlador de diàleg</link></variable>"
#. ykPkA
#: python_handler.xhp
@@ -1273,7 +1273,7 @@ msgctxt ""
"N0666\n"
"help.text"
msgid "Next to <link href=\"text/sbasic/shared/01040000.xhp\">assigning macros to events</link> or <link href=\"text/sbasic/basic/python/python_listener\">creating event listeners</link>, one can use dialog handlers, whose principle is to define UNO keywords, or methods, that are mapped to events to watch for. The event handler is responsible for executing methods using the <literal>vnd.sun.star.UNO:<method_name></literal> protocol. Unlike listeners that require to define all supported methods, even if unused, dialog handlers require only two methods on top of intended control hook scripts."
-msgstr ""
+msgstr "Al costat de <link href=\"text/sbasic/shared/01040000.xhp\">assigna macros a esdeveniments</link> o <link href=\"text/sbasic/basic/python/python_listener\">crea oients d'esdeveniments</link>, es poden utilitzar gestors de diàlegs, el principi dels quals és definir paraules clau UNO, o mètodes, que s'assignen als esdeveniments a seguir. El gestor d'esdeveniments és responsable d'executar els mètodes mitjançant el protocol <literal>vnd.sun.star.UNO:<method_name></literal> protocol. A diferència dels oients que necessiten definir tots els mètodes que suporta, fins i tot si no s’utilitzen, els gestors de diàlegs només requereixen dos mètodes a més dels scripts dels punts d'inserció esperats."
#. Waa56
#: python_handler.xhp
@@ -1282,7 +1282,7 @@ msgctxt ""
"N0667\n"
"help.text"
msgid "The advantages of this approach are:"
-msgstr ""
+msgstr "Els avantatges d'aquest enfocament són:"
#. bBbcE
#: python_handler.xhp
@@ -1291,7 +1291,7 @@ msgctxt ""
"N0668\n"
"help.text"
msgid "It packs the code that handles event-driven macros,"
-msgstr ""
+msgstr "Empaqueta el codi que gestiona les macros orientades a esdeveniments,"
#. NCGBC
#: python_handler.xhp
@@ -1300,7 +1300,7 @@ msgctxt ""
"N0669\n"
"help.text"
msgid "it decorrelates events from macros names which facilitates maintenance or updates, in particular when moving macros or modules."
-msgstr ""
+msgstr "aquest desvincula els esdeveniments dels noms de les macros, que facilita el manteniment o les actualitzacions, en particular quan es mouen macros o mòduls."
#. WETAj
#: python_handler.xhp
@@ -1309,7 +1309,7 @@ msgctxt ""
"N0670\n"
"help.text"
msgid "This mechanism is illustrated herewith for Basic and Python languages using an imported copy of <literal>Access2Base</literal> <literal>dlgTrace</literal> dialog. Exception handling and localisation are omitted for clarity."
-msgstr ""
+msgstr "Aquest mecanisme s'il·lustra amb els llenguatges Basic i Python mitjançant una còpia importada del diàleg <literal>Access2Base</literal> <literal>dlgTrace</literal>. La gestió i la localització d’excepcions s’ometen per més claredat."
#. qfJEk
#: python_handler.xhp
@@ -1318,7 +1318,7 @@ msgctxt ""
"N0671\n"
"help.text"
msgid "Assigning Dialog methods"
-msgstr ""
+msgstr "Assignació de mètodes al diàleg"
#. 46GAC
#: python_handler.xhp
@@ -1327,7 +1327,7 @@ msgctxt ""
"N0672\n"
"help.text"
msgid "Export <literal>Access2Base</literal> <literal>dlgTrace</literal> dialog and import it into <literal>MyLib</literal> application library."
-msgstr ""
+msgstr "Exporta el diàleg <literal>dlgTrace</literal> de l'<literal>Access2Base</literal> i l'importa en la biblioteca <literal>MyLib</literal> de l'aplicació."
#. vFWDG
#: python_handler.xhp
@@ -1336,7 +1336,7 @@ msgctxt ""
"N0673\n"
"help.text"
msgid "Inside the control properties pane of the <link href=\"text/sbasic/guide/create_dialog.xhp\">Dialog Editor</link>, use the Events tab to replace macro assignments by component assignments, and type in the intended method names:"
-msgstr ""
+msgstr "Dins de la subfinestra de propietats de control de l'<link href=\"text/sbasic/guide/create_dialog.xhp\">editor de diàlegs</link>, utilitzeu la pestanya Esdeveniments per a substituir les assignacions de les macros per assignacions per components i, tot seguit, escriviu els noms dels mètodes previstos:"
#. qNEVD
#: python_handler.xhp
@@ -1345,7 +1345,7 @@ msgctxt ""
"N0674\n"
"help.text"
msgid "Set <literal>Dump to file</literal> dialog button component method name to <literal>_dump2File</literal>"
-msgstr ""
+msgstr "Establiu el nom del mètode del component de botó del quadre de diàleg <literal>Buidar al fitxer</literal><literal>_dump2File</literal>"
#. t65Et
#: python_handler.xhp
@@ -1354,7 +1354,7 @@ msgctxt ""
"N0675\n"
"help.text"
msgid "Optionally define <literal>txtTracelog</literal> key pressed and mouse button pressed events component method names as <literal>_openHelp</literal>"
-msgstr ""
+msgstr "Opcionalment, definiu <literal>txtTracelog</literal> els noms dels mètodes de l'esdeveniment del component de la la tecla premuda i del botó del ratolí com <literal>_openHelp</literal>"
#. WMZBj
#: python_handler.xhp
@@ -1363,7 +1363,7 @@ msgctxt ""
"N0676\n"
"help.text"
msgid "Optionally define <literal>Ok</literal> button receiving focus event component method name as <literal>onOkHasfocus</literal>"
-msgstr ""
+msgstr "Opcionalment, podeu definir el nom del mètode de l'esdeveniment focus del component botó <literal>D'acord</literal> com a <literal>onOkHasfocus</literal>"
#. Joqhs
#: python_handler.xhp
@@ -1372,7 +1372,7 @@ msgctxt ""
"N0677\n"
"help.text"
msgid "Events assigned actions should mention the <literal>vnd.sun.star.UNO:</literal> protocol."
-msgstr ""
+msgstr "Les accions assignades als esdeveniments han de referir-se al protocol <literal>vnd.sun.star.UNO:</literal>"
#. BTnaF
#: python_handler.xhp
@@ -1381,7 +1381,7 @@ msgctxt ""
"N0678\n"
"help.text"
msgid "Creating the handler"
-msgstr ""
+msgstr "Crea el controlador"
#. BN7Lo
#: python_handler.xhp
@@ -1390,7 +1390,7 @@ msgctxt ""
"N0679\n"
"help.text"
msgid "<literal>createDialogWithHandler</literal> method of <link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1awt_1_1DialogProvider2.html\">com.sun.star.awt.DialogProvider2</link> service is used to set the dialog and its handler. The handler is responsible for implementing <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1awt_1_1XDialogEventHandler.html\">com.sun.star.awt.XDialogEventHandler</link> interface."
-msgstr ""
+msgstr "<literal>createDialogWithHandler</literal> mètode del servei <link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1awt_1_1DialogProvider2.html\">com.sun.star.awt.DialogProvider2</link> s'utilitza per configurar el diàleg i el seu controlador. El controlador és responsable de la implementació de la interfície <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1awt_1_1XDialogEventHandler.html\">com.sun.star.awt.XDialogEventHandler</link>."
#. 2CCEz
#: python_handler.xhp
@@ -1399,7 +1399,7 @@ msgctxt ""
"N0680\n"
"help.text"
msgid "All component method names must be explicitly declared when using a dialog handler."
-msgstr ""
+msgstr "Tots els noms de mètodes del components s’han de declarar explícitament quan s’utilitza un controlador de diàleg."
#. kBAiZ
#: python_handler.xhp
@@ -1408,7 +1408,7 @@ msgctxt ""
"N0681\n"
"help.text"
msgid "With Python"
-msgstr ""
+msgstr "Amb Python"
#. rUiYd
#: python_handler.xhp
@@ -1417,7 +1417,7 @@ msgctxt ""
"N0682\n"
"help.text"
msgid "In this example the dialog is located on the computer."
-msgstr ""
+msgstr "En aquest exemple, el quadre de diàleg es troba a l'ordinador."
#. FyaBp
#: python_handler.xhp
@@ -1426,7 +1426,7 @@ msgctxt ""
"N0692\n"
"help.text"
msgid "\"\"\" Access2Base Console Handler \"\"\""
-msgstr ""
+msgstr "\"\"\" Gestor de consola de l'Access2Base \"\"\""
#. dugqK
#: python_handler.xhp
@@ -1435,7 +1435,7 @@ msgctxt ""
"N0693\n"
"help.text"
msgid "''' adapted from « Créer un dialogue avec gestionnaire d'événements » by JM Zambon"
-msgstr ""
+msgstr "''' adaptació de «Créer un dialogue avec gestionnaire d'événements» de J.-M. Zambon"
#. 5Cysb
#: python_handler.xhp
@@ -1444,7 +1444,7 @@ msgctxt ""
"N0716\n"
"help.text"
msgid "\"\"\" Create a Dialog from its location \"\"\""
-msgstr ""
+msgstr "\"\"\" Creeu un diàleg des de la seua ubicació \"\"\""
#. C9pNa
#: python_handler.xhp
@@ -1453,7 +1453,7 @@ msgctxt ""
"N0729\n"
"help.text"
msgid "''' Ugly MsgBox '''"
-msgstr ""
+msgstr "''' MsgBox Lleig '''"
#. zcjmD
#: python_handler.xhp
@@ -1462,7 +1462,7 @@ msgctxt ""
"N0740\n"
"help.text"
msgid "As expected, <literal>onOkHasFocus</literal> missing method throws an exception."
-msgstr ""
+msgstr "Com s'esperava, la falta del mètode <literal>onOkHasFocus</literal> genera una excepció."
#. vC7GW
#: python_handler.xhp
@@ -1471,7 +1471,7 @@ msgctxt ""
"N0741\n"
"help.text"
msgid "Refer to <link href=\"text/sbasic/python/python_2_basic.xhp\">Python calls to %PRODUCTNAME Basic</link> page for <literal>getBasicScript</literal> routine description and for details about cross-language scripting execution."
-msgstr ""
+msgstr "Consulteu la pàgina <link href=\"text/sbasic/python/python2basic.xhp\">Crides de Python a Basic en %PRODUCTNAME</link> per a la descripció de la rutina <literal>getBasicScript</literal> i més detalls sobre l'execució de scripts en llenguatge creuat."
#. b6xGw
#: python_handler.xhp
@@ -1480,7 +1480,7 @@ msgctxt ""
"N0742\n"
"help.text"
msgid "With %PRODUCTNAME Basic"
-msgstr ""
+msgstr "Amb el %PRODUCTNAME Basic"
#. 5N3MV
#: python_handler.xhp
@@ -1489,7 +1489,7 @@ msgctxt ""
"N0743\n"
"help.text"
msgid "In this example the dialog is embedded in a document, and can equally be located on the computer."
-msgstr ""
+msgstr "En aquest exemple el diàleg s'incrusta a un document, i es pot localitzar a l'ordinador."
#. Ahwda
#: python_handler.xhp
@@ -1498,7 +1498,7 @@ msgctxt ""
"N0751\n"
"help.text"
msgid "dp.Initialize(Array(ThisComponent)) ' if doc-embedded dialog"
-msgstr ""
+msgstr "dp.Initialize(Array(ThisComponent)) 'Si es tracta d'un diàleg incrustat al document"
#. Cf88b
#: python_handler.xhp
@@ -1507,7 +1507,7 @@ msgctxt ""
"N0958c\n"
"help.text"
msgid "method As String) As Boolean"
-msgstr ""
+msgstr "metode As String) As Boolean"
#. j4aLN
#: python_handler.xhp
@@ -1516,7 +1516,7 @@ msgctxt ""
"N0770\n"
"help.text"
msgid "'dialog.endDialog(1) if computer-based dialog"
-msgstr ""
+msgstr "'dialog.endDialog(1) si el diàleg està basat en el computador"
#. EBBRf
#: python_handler.xhp
@@ -1525,7 +1525,7 @@ msgctxt ""
"N0779\n"
"help.text"
msgid "' adapted from « Créer un dialogue avec gestionnaire d'événements » by JM Zambon"
-msgstr ""
+msgstr "' adaptat des de « Crea un diàleg amb el gestor d'esdeveniments » per JM Zambon"
#. NF93B
#: python_handler.xhp
@@ -1534,7 +1534,7 @@ msgctxt ""
"N0781\n"
"help.text"
msgid "As expected, <literal>onOkHasFocus</literal> missing method throws an exception."
-msgstr ""
+msgstr "Com s'esperava, la falta del mètode <literal>onOkHasFocus</literal> llença una excepció."
#. EX74b
#: python_handler.xhp
@@ -1543,7 +1543,7 @@ msgctxt ""
"N0505\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03132000.xhp\">CreateUnoListener Function</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03132000.xhp\">Funció CreateUnoListener</link>"
#. Ur3DA
#: python_ide.xhp
@@ -1561,7 +1561,7 @@ msgctxt ""
"bm_id761543349138561\n"
"help.text"
msgid "<bookmark_value>APSO</bookmark_value> <bookmark_value>Alternative Python Scripts Organizer</bookmark_value> <bookmark_value>python;IDE - integrated development environment</bookmark_value> <bookmark_value>python;editor</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>APSO</bookmark_value> <bookmark_value>Organitzador Alternatiu d'Scripts Python (en anglés)</bookmark_value> <bookmark_value>python;IDE - entorn de desenvolupament integrat (en anglés)</bookmark_value> <bookmark_value>python;editor</bookmark_value>"
#. fzoAS
#: python_ide.xhp
@@ -1570,7 +1570,7 @@ msgctxt ""
"hd_id151543348965464\n"
"help.text"
msgid "<variable id=\"pythonideh1\"><link href=\"text/sbasic/python/python_ide.xhp\">Setting up an Integrated Development Environment (IDE) for Python</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonideh1\"><link href=\"text/sbasic/python/python_ide.xhp\">Configuració de l'entorn de programació (IDE) Python</link></variable>"
#. k7syF
#: python_ide.xhp
@@ -1579,7 +1579,7 @@ msgctxt ""
"par_id541543348965465\n"
"help.text"
msgid "Writing Python macros requires extra configuration steps to set an IDE of choice."
-msgstr ""
+msgstr "L'escriptura de macros Python requereix passos extra per configurar l'IDE seleccionat."
#. pYeKm
#: python_ide.xhp
@@ -1588,7 +1588,7 @@ msgctxt ""
"N0106\n"
"help.text"
msgid "Unlike Basic language macros development in %PRODUCTNAME, developing Python scripts for %PRODUCTNAME requires to configure an external Integrated Development Environment (IDE). Multiple IDEs are available that range from beginners to advanced Python coders. While using a Python IDE programmers benefit from numerous features such as syntax highlighting, code folding, class browsing, code completion, coding standard enforcement, test driven development, debugging, version control and many more. You can refer to <link href=\"https://wiki.documentfoundation.org/Macros/Python_Design_Guide\">Designing & Developing Python Applications</link> on the Wiki for more in-depth information about the setup of a bridge between your IDE and a running instance %PRODUCTNAME."
-msgstr ""
+msgstr "A diferència del desenvolupament de macros en llenguatge Basic a %PRODUCTNAME, el desenvolupament d'scripts en Python requereix la configuració d'un entorn de desenvolupament integrat extern (IDE). Hi ha disponibles múltiples IDE, que van des de per a programadors Python principiants fins a avançats. Mentre l'ús d'un IDE de Python beneficia als programadors en nombroses funcionalitats com ara el ressaltat de la sintaxi, el plegament del codi, la navegació per les classes, la compleció del codi, la codificació estàndard d'aplicacions, el desenvolupament basat en proves, la depuració del codi, el control de versions i molts més. Podeu consultar el wiki <link href=\"https//wiki.documentfoundation.org/Macros/PythonDesignGuide\">Disseny del desenvolupament d'aplicacions Python</link> per obtindre informació més detallada sobre la configuració d'un pont entre el vostre IDE i una instància en execució de %PRODUCTNAME."
#. u2xio
#: python_ide.xhp
@@ -1606,7 +1606,7 @@ msgctxt ""
"N0104\n"
"help.text"
msgid "The <link href=\"https://extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-python\">Alternative Python Script Organizer (APSO)</link> extension eases the edition of Python scripts, in particular when embedded in a document. Using APSO you can configure your preferred source code editor, start the integrated Python shell and debug Python scripts. Extensions exist that help inspect arbitrary UNO objects, refer to <link href=\"https://wiki.documentfoundation.org/Macros/Python_Design_Guide\">Designing & Developing Python Applications</link> for additional details on such extensions."
-msgstr ""
+msgstr "L'extensió <link href=\"https//extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-python\">Organitzador Alternatiu de Scripts Python (OASP)</link> facilita l'edició d'scripts Python, en particular quan s'incrusta en un document. Utilitzant OASP podeu configurar el vostre editor de codi font preferit, iniciar l'intèrpret d'ordres Python integrat i, depurar scripts Python. Hi ha extensions que ajuden a inspeccionar els objectes UNO arbitraris, consulteu <link href=\"https//wiki.documentfoundation.org/Macros/PythonDesignGuide\">Disseny i desenvolupament s'aplicacions Python</link> per a obtindre més detalls sobre aquestes extensions."
#. 5E2EV
#: python_import.xhp
@@ -1624,7 +1624,7 @@ msgctxt ""
"N0461\n"
"help.text"
msgid "<bookmark_value>Python;import</bookmark_value> <bookmark_value>Python;Modules</bookmark_value> <bookmark_value>Python;pythonpath</bookmark_value> <bookmark_value>PythonLibraries</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Python;importa</bookmark_value> <bookmark_value>Python;Moduls</bookmark_value> <bookmark_value>Python;pythonpath</bookmark_value> <bookmark_value>PythonLibraries</bookmark_value>"
#. MHcrX
#: python_import.xhp
@@ -1633,7 +1633,7 @@ msgctxt ""
"N0462\n"
"help.text"
msgid "<variable id=\"pythonimporth1\"><link href=\"text/sbasic/python/python_import.xhp\">Importing Python Modules</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonimporth1\"><link href=\"text/sbasic/python/pythonimport.xhp\"> Importació de mòduls Python</link></variable>"
#. VHAM5
#: python_import.xhp
@@ -1642,7 +1642,7 @@ msgctxt ""
"N0463\n"
"help.text"
msgid "%PRODUCTNAME Python scripts come in three distinct flavors, they can be personal, shared or embedded in documents. They are stored in varying places described in <link href=\"text/sbasic/python/python_locations.xhp\">Python Scripts Organization and Location</link>. In order to import Python modules, their locations must be known from Python at run time."
-msgstr ""
+msgstr "Els scripts del %PRODUCTNAME Python tenen tres comportaments diferents , poden ser personals, compartits o, incrustats en documents. S'emmagatzemen en llocs variables descrits a <link href=\"text/sbasic/python/pythonlocations.xhp\">Organització i ubicació dels scripts Python</link>. Per importar mòduls Python la seua ubicació s'ha de conèixer a Python en temps d'execució."
#. zMSfx
#: python_import.xhp
@@ -1651,7 +1651,7 @@ msgctxt ""
"N0464\n"
"help.text"
msgid "This mechanism is illustrated for file system based modules and document based modules. Exception handling is omitted for clarity. The terms library or directory, scripts or modules are used interchangeably. A Python macro refers to a function inside a module."
-msgstr ""
+msgstr "Aquest mecanisme s'il·lustra per als mòduls basats en el sistema de fitxers i mòduls basats en documents. S'omet la gestió d'excepcions per facilitar-ne la claredat. Els termes biblioteca o directori, scripts o mòduls s'utilitzen indistintament. Una macro de Python fa referència a una funció dins d'un mòdul."
#. GUdHS
#: python_import.xhp
@@ -1660,7 +1660,7 @@ msgctxt ""
"N0465\n"
"help.text"
msgid "Note that <literal><User Profile>/Scripts/python/pythonpath</literal> local directory is always explored when running a Python macro from <literal><User Profile>/Scripts/python</literal>."
-msgstr ""
+msgstr "Tingueu en compte que el directori local <literal><User Profile>/Scripts/python/pythonpath</literal> sempre s'explora quan s'executa una macro Python des de <literal><User Profile>/Scripts/python</literal>."
#. fyFof
#: python_import.xhp
@@ -1669,7 +1669,7 @@ msgctxt ""
"N0466\n"
"help.text"
msgid "File System module import"
-msgstr ""
+msgstr "Importació del mòdul sistema de fitxers"
#. SRZgQ
#: python_import.xhp
@@ -1678,7 +1678,7 @@ msgctxt ""
"N0467\n"
"help.text"
msgid "User or Shared Modules"
-msgstr ""
+msgstr "Mòduls d'usuari o compartits"
#. NAJzP
#: python_import.xhp
@@ -1687,7 +1687,7 @@ msgctxt ""
"N0468\n"
"help.text"
msgid "Personal & shared Python scripts can be imported once their directories are included in Python run time path. Refer to <link href=\"text/sbasic/python/python_session.xhp\">Getting session information</link> page for more details regarding omitted Session Class."
-msgstr ""
+msgstr "Els scripts personals i compartits de Python es poden importar un cop s'incloguen els directoris al camí de temps d'execució de Python. Consulteu la pàgina <link href=\"text/sbasic/python/pythonsession.xhp\">Obtindre informació de la sessió</link> per obtindre més detalls pel que fa a la classe Sessiion omesa."
#. A4v4U
#: python_import.xhp
@@ -1696,7 +1696,7 @@ msgctxt ""
"N0473\n"
"help.text"
msgid "user_lib = Session().UserPythonScripts # User scripts location"
-msgstr ""
+msgstr "user_lib = Session().UserPythonScripts # Localització dels scripts de l'usuari"
#. AAJUq
#: python_import.xhp
@@ -1705,7 +1705,7 @@ msgctxt ""
"N0475\n"
"help.text"
msgid "sys.path.insert(0, user_lib) # Add to search path"
-msgstr ""
+msgstr "sys.path.insert(0 userlib) # Afig al camí de cerca"
#. yFcur
#: python_import.xhp
@@ -1714,7 +1714,7 @@ msgctxt ""
"N0476\n"
"help.text"
msgid "import screen_io as ui # 'screen_io.py' module resides in user_lib directory"
-msgstr ""
+msgstr "import screen_io as ui # el mòdul «screen_io.py» està ubicat al directori user_lib"
#. 6KtvD
#: python_import.xhp
@@ -1750,7 +1750,7 @@ msgctxt ""
"N0485\n"
"help.text"
msgid "sys.path.insert(0, share_lib) # Add to search path"
-msgstr ""
+msgstr "sys.path.insert(0 share_lib) # Afig al camí de cerca"
#. zGybv
#: python_import.xhp
@@ -1759,7 +1759,7 @@ msgctxt ""
"N0486\n"
"help.text"
msgid "from IDE_utils import ScriptContext # 'IDE_utils.py' sits with shared Python scripts."
-msgstr ""
+msgstr "from IDE_utils import ScriptContext # «IDE_utils.py» es troba amb els scripts Python compartits."
#. VoPZU
#: python_import.xhp
@@ -1786,7 +1786,7 @@ msgctxt ""
"N0490\n"
"help.text"
msgid "Unlike personal and shared scripts, %PRODUCTNAME installation scripts can be imported any time. Next to <literal>uno</literal> & <literal>unohelper</literal> %PRODUCTNAME Python modules, other scripts present in <literal><installation_path>/program</literal> directory can be imported directly, such as the <literal>msgbox</literal> module."
-msgstr ""
+msgstr "A diferència dels scripts personals i compartits, els scripts d'instal·lació del %PRODUCTNAME es poden importar en qualsevol moment. Al costat dels mòduls Python del %PRODUCTNAME <literal>uno</literal> & <literal>unohelper</literal>, altres scripts presents al directori <literal><installation_path>/program</literal> es poden importar directament, com el mòdul <literal>msgbox</literal>."
#. TnQ2j
#: python_import.xhp
@@ -1795,7 +1795,7 @@ msgctxt ""
"N0491\n"
"help.text"
msgid "With Python shell:"
-msgstr ""
+msgstr "Amb l'intèrpret per a Python:"
#. DDinb
#: python_import.xhp
@@ -1804,7 +1804,7 @@ msgctxt ""
"N0534\n"
"help.text"
msgid "Document Module Import"
-msgstr ""
+msgstr "Importació del mòdul Document"
#. AUzGt
#: python_import.xhp
@@ -1813,7 +1813,7 @@ msgctxt ""
"N0535\n"
"help.text"
msgid "Importing a Python document embedded module is illustrated below. Error handling is not detailed. Python run time path is updated when document has been opened and before closure. Refer to <link href=\"text/sbasic/shared/01040000.xhp\">Event-Driven Macros</link> to learn how to associate Python macros to document events."
-msgstr ""
+msgstr "A continuació s'il·lustra la importació d'un mòdul Python incrustat a un document. La gestió d'errors no és detalla. El camí de temps d'execució del Python s'actualitza quan s'ha obert el document i abans del tancament. Consulteu <link href=\"text/sbasic/shared/01040000.xhp\">Macros controlades per esdeveniments</link> per aprendre a associar macros Python als esdeveniments del document."
#. APbCX
#: python_import.xhp
@@ -1822,7 +1822,7 @@ msgctxt ""
"N0541\n"
"help.text"
msgid "\"\"\" Prepare Python modules import when doc. loaded \"\"\""
-msgstr ""
+msgstr "\"\"\" Prepara la importació de mòduls Python quan es carregua el document \"\"\""
#. DJStg
#: python_import.xhp
@@ -1831,7 +1831,7 @@ msgctxt ""
"N0542\n"
"help.text"
msgid "PythonLibraries.loadLibrary('lib/subdir') # Add directory to search path"
-msgstr ""
+msgstr "PythonLibraries.loadLibrary('lib/subdir') # Afig un directori al camí de cerca"
#. tPsVb
#: python_import.xhp
@@ -1840,7 +1840,7 @@ msgctxt ""
"N0543\n"
"help.text"
msgid "PythonLibraries.loadLibrary('my_gui', 'screen_io') # Add dir. & import screen_io"
-msgstr ""
+msgstr "PythonLibraries.loadLibrary('mygui' 'screenio') # Add dir. & import screen_io"
#. KxLAs
#: python_import.xhp
@@ -1849,7 +1849,7 @@ msgctxt ""
"N0546\n"
"help.text"
msgid "\"\"\" Cleanup PYTHON_PATH when doc. Gets closed \"\"\""
-msgstr ""
+msgstr "\"\"\" Neteja la variable PYTHON_PATH quan el document es tanca \"\"\""
#. siAC7
#: python_import.xhp
@@ -1858,7 +1858,7 @@ msgctxt ""
"N0547\n"
"help.text"
msgid "PythonLibraries.unloadLibrary('my_gui') # Python runtime path cleanup"
-msgstr ""
+msgstr "PythonLibraries.unloadLibrary('mygui') # Neteja el camí d’execució de Python"
#. zajf5
#: python_import.xhp
@@ -1867,7 +1867,7 @@ msgctxt ""
"N0548\n"
"help.text"
msgid "# Note: imported modules remain loaded in this example."
-msgstr ""
+msgstr "# Nota: els mòduls importats romanen carregats en aquest exemple."
#. pKa7R
#: python_import.xhp
@@ -1876,7 +1876,7 @@ msgctxt ""
"N0553\n"
"help.text"
msgid "\"\"\" Python library loader and module importer"
-msgstr ""
+msgstr "\"\"\" Carregador de biblioteques i importador de mòduls per a Python"
#. ruYCE
#: python_import.xhp
@@ -1885,7 +1885,7 @@ msgctxt ""
"N0555\n"
"help.text"
msgid "adapted from 'Bibliothèque de fonctions' by Hubert Lambert"
-msgstr ""
+msgstr "adaptació de «Bibliothèque de fonctions» d'Hubert Lambert"
#. 8gpRJ
#: python_import.xhp
@@ -1894,7 +1894,7 @@ msgctxt ""
"N0556\n"
"help.text"
msgid "at https://forum.openoffice.org/fr/forum/viewtopic.php?p=286213 \"\"\""
-msgstr ""
+msgstr "a https//forum.openoffice.org/fr/forum/viewtopic.php?p=286213 \"\""
#. T6bdz
#: python_import.xhp
@@ -1903,7 +1903,7 @@ msgctxt ""
"N0558\n"
"help.text"
msgid "\"\"\" Check run time module list \"\"\""
-msgstr ""
+msgstr "\"\"\" Comprova la llista de mòduls de temps d'execució \"\""
#. EFaRv
#: python_import.xhp
@@ -1912,7 +1912,7 @@ msgctxt ""
"N0561\n"
"help.text"
msgid "\"\"\" Check PYTHON_PATH content \"\"\""
-msgstr ""
+msgstr "\"\"\" Comprova el contingut de la variable PYTHON_PATH \"\"\""
#. fvFq9
#: python_import.xhp
@@ -1921,7 +1921,7 @@ msgctxt ""
"N0564\n"
"help.text"
msgid "\"\"\" add directory to PYTHON_PATH, import named module \"\"\""
-msgstr ""
+msgstr "\"\"\" afig el directori a la variable PYTHON_PATH, importació del mòdul anomenat \"\"\""
#. eCTGx
#: python_import.xhp
@@ -1930,7 +1930,7 @@ msgctxt ""
"N0573\n"
"help.text"
msgid "\"\"\" remove directory from PYTHON_PATH \"\"\""
-msgstr ""
+msgstr "\"\"\" elimina el directori de PYTHON_PATH \"\"\""
#. 5xScE
#: python_import.xhp
@@ -1939,7 +1939,7 @@ msgctxt ""
"N0580\n"
"help.text"
msgid "Refer to <link href=\"text/sbasic/python/python_listener.xhp\">Creating a Python Listener</link> for examples of event-driven macros."
-msgstr ""
+msgstr "Consulteu <link href=\"text/sbasic/python/pythonlistener.xhp\">Crea un oient Python</link> per a exemples de macros orientades a esdeveniments."
#. 9BBze
#: python_listener.xhp
@@ -1948,7 +1948,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Python Listeners : Creating Event Listeners"
-msgstr ""
+msgstr "Oients Python: Crea oients d'esdeveniments"
#. ouQd3
#: python_listener.xhp
@@ -1957,7 +1957,7 @@ msgctxt ""
"N0385\n"
"help.text"
msgid "<bookmark_value>Python;Event Listener</bookmark_value> <bookmark_value>Python;createUnoListener</bookmark_value> <bookmark_value>Basic;Event Listener</bookmark_value> <bookmark_value>API;ActionEvent</bookmark_value> <bookmark_value>API;DialogProvider</bookmark_value> <bookmark_value>API;EventObject</bookmark_value> <bookmark_value>API;ExecutableDialogResults</bookmark_value> <bookmark_value>API;XActionListener</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Python;Oient d'esdeveniments</bookmark_value> <bookmark_value>Python;createUnoListener</bookmark_value> <bookmark_value>Basic;Oient d'esdeveniments</bookmark_value> <bookmark_value>API;ActionEvent</bookmark_value> <bookmark_value>API;DialogProvider</bookmark_value> <bookmark_value>API;EventObject</bookmark_value> <bookmark_value>API;ExecutableDialogResults</bookmark_value> <bookmark_value>API;XActionListener</bookmark_value>"
#. o4QUC
#: python_listener.xhp
@@ -1966,7 +1966,7 @@ msgctxt ""
"N0386\n"
"help.text"
msgid "<variable id=\"pythonlistener\"><link href=\"text/sbasic/python/python_listener.xhp\">Creating Event Listeners</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonlistener\"><link href=\"text/sbasic/python/python_listener.xhp\">Crea oients d'esdeveniments</link></variable>"
#. S8UHm
#: python_listener.xhp
@@ -1975,7 +1975,7 @@ msgctxt ""
"N0387\n"
"help.text"
msgid "Events raised by dialogs, documents, forms or graphical controls can be linked to macros, which is referred to as event-driven programming. The most common method to relate events to macros are the <literal>Events</literal> tab in <menuitem>Tools – Customize</menuitem> menu and the <link href=\"text/sbasic/guide/create_dialog.xhp\">Dialog Editor</link> Control properties pane from <menuitem>Tools - Macros – Organise Dialogs...</menuitem> menu."
-msgstr ""
+msgstr "Els esdeveniments emesos pels diàlegs, documents, formularis o controls, es poden enllaçar a macros, el que es coneix com a programació orientada a esdeveniments. El mètode més comú per a relacionar esdeveniments amb macros és la pestanya <literal>Esdeveniments</literal><menuitem>Eines - Personalitza el menú</menuitem> i el panell de control de propietats de l'<link href=\"text/sbasic/guide/create_dialog.xhp\">Editor de diàlegs</link> des del menú <menuitem>Eines - Macros - Organitza els diàlegs... </menuitem>."
#. Dd2YW
#: python_listener.xhp
@@ -1984,7 +1984,7 @@ msgctxt ""
"N0388\n"
"help.text"
msgid "Graphical artifacts, keyboard inputs, mouse moves and other man/machine interactions can be controlled using UNO listeners that watch for the user’s behavior. Listeners are dynamic program code alternatives to macro assignments. One may create as many UNO listeners as events to watch for. A single listener can also handle multiple user interface controls."
-msgstr ""
+msgstr "Artefactes gràfics, entrades de teclat, moviments del ratolí i altres interaccions home/màquina es poden controlar utilitzant oients UNO que vigilen el comportament de l'usuari. Els oients són alternatives de codi de programa dinàmic a les assignacions de macros. Un pot crear tants oients UNO com esdeveniments a vigilar hi haja. Un sol oient també pot gestionar múltiples controls de la interfície d'usuari."
#. UVzsE
#: python_listener.xhp
@@ -1993,7 +1993,7 @@ msgctxt ""
"N0389\n"
"help.text"
msgid "Creating an event listener"
-msgstr ""
+msgstr "Crea un oient d'esdeveniments"
#. knF23
#: python_listener.xhp
@@ -2002,7 +2002,7 @@ msgctxt ""
"N0390\n"
"help.text"
msgid "Listeners get attached to controls held in dialogs, as well as to document or form events. Listeners are also used when creating runtime dialogs or when adding controls to a dialog on the fly."
-msgstr ""
+msgstr "Els oients s'adjunten als controls mantinguts en diàlegs, així com als esdeveniments de documentar o formularis. Els oients també s'utilitzen quan es creen diàlegs en temps d'execució o quan s'afigen controls a un diàleg al vol."
#. DwE8A
#: python_listener.xhp
@@ -2011,7 +2011,7 @@ msgctxt ""
"N0391\n"
"help.text"
msgid "This example creates a listener for <literal>Button1</literal> control of <literal>Dialog1</literal> dialog in <literal>Standard</literal> library."
-msgstr ""
+msgstr "Aquest exemple crea un oient per al control <literal>Botó1</literal> del diàleg <literal>Diàleg1</literal> a la biblioteca <literal>Standard</literal>."
#. Wsp8E
#: python_listener.xhp
@@ -2029,7 +2029,7 @@ msgctxt ""
"N0405\n"
"help.text"
msgid "_MY_LABEL = 'Python listens..'"
-msgstr ""
+msgstr "_MYLABEL = 'Oient Python'..'"
#. UJrnb
#: python_listener.xhp
@@ -2038,7 +2038,7 @@ msgctxt ""
"N0417\n"
"help.text"
msgid "MsgBox(\"The user acknowledged the dialog.\")"
-msgstr ""
+msgstr "MsgBox(\"L'usuari ha reconegut el diàleg.\")"
#. XVRK7
#: python_listener.xhp
@@ -2047,7 +2047,7 @@ msgctxt ""
"N0419\n"
"help.text"
msgid "MsgBox(\"The user canceled the dialog.\")"
-msgstr ""
+msgstr "MsgBox(\"L'usuari ha cancel·lat el diàleg.\")"
#. FUuHB
#: python_listener.xhp
@@ -2056,7 +2056,7 @@ msgctxt ""
"N0424\n"
"help.text"
msgid "\"\"\" Create a Dialog from its location \"\"\""
-msgstr ""
+msgstr "\"\"\" Crea un diàleg des de la seua ubicació \"\"\""
#. NeZcJ
#: python_listener.xhp
@@ -2074,7 +2074,7 @@ msgctxt ""
"N0448\n"
"help.text"
msgid "def disposing(self, evt: EventObject): # mandatory routine"
-msgstr ""
+msgstr "def disposing(self, evt: EventObject): # rutina obligatòria"
#. 9mtTR
#: python_listener.xhp
@@ -2083,7 +2083,7 @@ msgctxt ""
"N0457\n"
"help.text"
msgid "<emph>msgbox.py</emph> in <emph>{installation}/program/</emph> directory has some examples of button listeners."
-msgstr ""
+msgstr "<emph>msgbox.py</emph> al directori <emph>{instal·lació}/programa/</emph> hi ha alguns exemples d'oients de botons."
#. MgUyV
#: python_listener.xhp
@@ -2092,7 +2092,7 @@ msgctxt ""
"N0458\n"
"help.text"
msgid "With %PRODUCTNAME Basic"
-msgstr ""
+msgstr "Amb el %PRODUCTNAME Basic"
#. CCUMV
#: python_listener.xhp
@@ -2101,7 +2101,7 @@ msgctxt ""
"N0459d\n"
"help.text"
msgid "Const MY_LABEL = \"Basic listens..\""
-msgstr ""
+msgstr "Const MY_LABEL = \"Oients bàsics.\""
#. eJe7e
#: python_listener.xhp
@@ -2110,7 +2110,7 @@ msgctxt ""
"N0478\n"
"help.text"
msgid "Case rc.OK : MsgBox \"The user acknowledged the dialog.\",, \"Basic\""
-msgstr ""
+msgstr "Cas rc.OK: MsgBox \"L'usuari ha reconegut el diàleg.\",, \"Basic\""
#. KVrqd
#: python_listener.xhp
@@ -2119,7 +2119,7 @@ msgctxt ""
"N0479\n"
"help.text"
msgid "Case rc.CANCEL : MsgBox \"The user canceled the dialog.\",, \"Basic\""
-msgstr ""
+msgstr "Cas rc.CANCEL MsgBox \"L'usuari ha cancel·lat el diàleg.\",, \"Basic\""
#. 9AeGf
#: python_listener.xhp
@@ -2146,7 +2146,7 @@ msgctxt ""
"N0498\n"
"help.text"
msgid "Other Event Listeners"
-msgstr ""
+msgstr "Altres oients d'esdeveniments"
#. 5CsEJ
#: python_listener.xhp
@@ -2245,7 +2245,7 @@ msgctxt ""
"par_id801636114808666\n"
"help.text"
msgid "Three library containers are shown in the Macro From list:"
-msgstr ""
+msgstr "Hi ha tres contenidors de biblioteques dins la llista Macro des de:"
#. RnBRr
#: python_locations.xhp
@@ -2254,7 +2254,7 @@ msgctxt ""
"par_id321636114854594\n"
"help.text"
msgid "<emph>My Macros:</emph> personal macros available for the %PRODUCTNAME user"
-msgstr ""
+msgstr "<emph>Les meues macros</emph>: les macros personals a disposició de l'usuari del %PRODUCTNAME"
#. bDXrr
#: python_locations.xhp
@@ -2263,7 +2263,7 @@ msgctxt ""
"par_id471636114847530\n"
"help.text"
msgid "<emph>Application Macros:</emph> system macros distributed with %PRODUCTNAME for every computer user"
-msgstr ""
+msgstr "<emph>Macros de l'aplicació</emph>: macros del sistema distribuïdes amb el %PRODUCTNAME per a tots els usuaris de l'ordinador"
#. kVY4C
#: python_locations.xhp
@@ -2299,7 +2299,7 @@ msgctxt ""
"hd_id591544049572647\n"
"help.text"
msgid "Application Macros"
-msgstr ""
+msgstr "Macros de l'aplicació"
#. xBzRT
#: python_locations.xhp
@@ -2434,7 +2434,7 @@ msgctxt ""
"N0508\n"
"help.text"
msgid "<bookmark_value>Platform;isLinux</bookmark_value> <bookmark_value>Platform;isMacOsX</bookmark_value> <bookmark_value>Platform;isWindows</bookmark_value> <bookmark_value>Platform;ComputerName</bookmark_value> <bookmark_value>Platform;OSName</bookmark_value> <bookmark_value>API;ConfigurationAccess</bookmark_value> <bookmark_value>Tools;GetRegistryContent</bookmark_value>"
-msgstr ""
+msgstr "<bookmarkvalue>Plataforma;isLinux</bookmarkvalue> <bookmarkvalue>plataforma;isMacOsX</bookmarkvalue><bookmarkvalue>plataforma;isWindows</bookmarkvalue> <bookmarkvalue>plataforma;ComputerName</bookmarkvalue> <bookmarkvalue>Plataforma;OSName</bookmarkvalue> <bookmarkvalue>API;ConfiguracióAccésAccés</bookmarkvalue> <bookmarkvalue>Eines;GetRegistryContent</bookmarkvalue>"
#. drCq4
#: python_platform.xhp
@@ -2461,7 +2461,7 @@ msgctxt ""
"N0511\n"
"help.text"
msgid "ComputerName property is solely available for Windows. Basic calls to Python macros help overcome %PRODUCTNAME Basic limitations."
-msgstr ""
+msgstr "La propietat ComputerName només està disponible per al Windows. Les crides bàsiques a les macros de Python ajuden a superar les limitacions del %PRODUCTNAME Basic."
#. sV6Fp
#: python_platform.xhp
@@ -2623,7 +2623,7 @@ msgctxt ""
"N0220\n"
"help.text"
msgid "A Python macro is a function within a .py file, identified as a module. Unlike %PRODUCTNAME Basic and its dozen of <link href=\"text/sbasic/shared/uno_objects.xhp\">UNO objects functions or services</link>, Python macros use the <literal>XSCRIPTCONTEXT</literal> UNO single object, shared with JavaScript and BeanShell. The <literal>g_exportedScripts</literal> global tuple explicitly lists selectable macros from a module. Python modules hold autonomous code logic, and are independent from one another."
-msgstr ""
+msgstr "Una macro Python és una funció dins d'un fitxer .py identificat com un mòdul. A diferència del %PRODUCTNAME Basic i la seua dotzena d'objectes <link href=\"text/sbasic/shared/uno_objects.xhp\">unO funcions o serveis macros</link> Python utilitzen un sol objecte <literal>XSCRIPTCONTEXT</literal> UNO compartit amb JavaScript i BeanShell. Els mòduls <literal>gexportedScripts</literal> globals llista explícitament macros seleccionables des d'un mòdul. Els mòduls Python mantenen una lògica de codi autònoma i són independents entre ells."
#. 8Ri8m
#: python_programming.xhp
@@ -2668,7 +2668,7 @@ msgctxt ""
"N0226\n"
"help.text"
msgid "Mapped in Basic as"
-msgstr ""
+msgstr "Al Basic es correspon amb"
#. 54Nun
#: python_programming.xhp
@@ -2704,7 +2704,7 @@ msgctxt ""
"N0237\n"
"help.text"
msgid "<emph>HelloWorld</emph> and <emph>Capitalise</emph> installation shared scripts illustrate UNO-related macros making use of <literal>XSCRIPTCONTEXT</literal> global variable."
-msgstr ""
+msgstr "<emph>GA HelloWorld</emph> i <emph>Capitalise</emph> instal·lació scripts compartits il·lustren macros relacionades amb l'UNO fent ús de la variable global <literal>XSCRIPTCONTEXT</literal>."
#. RQgKR
#: python_programming.xhp
@@ -2731,7 +2731,7 @@ msgctxt ""
"N0240\n"
"help.text"
msgid "<literal>XSCRIPTCONTEXT</literal> is not provided to imported modules."
-msgstr ""
+msgstr "<literal>GA XSCRIPTCONTEXT</literal> no es proporciona als mòduls importats."
#. FxPgc
#: python_programming.xhp
@@ -2785,7 +2785,7 @@ msgctxt ""
"N0246\n"
"help.text"
msgid "Mapped in Basic as"
-msgstr ""
+msgstr "Al Basic es correspon amb"
#. 7prVF
#: python_programming.xhp
@@ -2875,7 +2875,7 @@ msgctxt ""
"N0272\n"
"help.text"
msgid "<emph>LibreLogo</emph> and <emph>TableSample</emph> installation shared scripts use <literal>uno.py</literal> module."
-msgstr ""
+msgstr "<emph>GA LibreLogo</emph> i <emph>TableSample instal·lació de</emph> scripts compartits utilitzen el mòdul <literal>uno.py</literal>."
#. 9NieC
#: python_programming.xhp
@@ -3037,7 +3037,7 @@ msgctxt ""
"N0321\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/uno_objects.xhp\">Basic UNO Objects, Functions and Services</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/uno_objects.xhp\">GA Basic UNO Objects Funcions i Serveis</link>"
#. zRBRa
#: python_screen.xhp
@@ -3055,7 +3055,7 @@ msgctxt ""
"N0433\n"
"help.text"
msgid "<bookmark_value>Python;InputBox</bookmark_value> <bookmark_value>Python;MsgBox</bookmark_value> <bookmark_value>Python;Print</bookmark_value> <bookmark_value>API;script.provider.MasterScriptProvider: Screen Input/Output</bookmark_value> <bookmark_value>API;script.provider.XScript: Screen Input/Output</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>GA Python;InputBox</bookmark_value> <bookmark_value>Python;MsgBox</bookmark_value> <bookmark_value>Python;Print</bookmark_value> <bookmark_value>API;script.provider.MasterScriptProvider Entrada/eixida de pantalla</bookmark_value> <bookmark_value>API;script.provider.XScript Entrada/eixida de pantalla</bookmark_value>"
#. aSpmm
#: python_screen.xhp
@@ -3064,7 +3064,7 @@ msgctxt ""
"N0434\n"
"help.text"
msgid "<variable id=\"ioscreen\"><link href=\"text/sbasic/python/python_screen.xhp\">Input/Output to Screen</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ioscreen\"><link href=\"text/sbasic/python/python_screen.xhp\">Entrada/eixida a pantalla</link></variable>"
#. qCLEs
#: python_screen.xhp
@@ -3091,7 +3091,7 @@ msgctxt ""
"N0437\n"
"help.text"
msgid "%PRODUCTNAME Basic proposes <literal>InputBox()</literal>, <literal>Msgbox()</literal> and <literal>Print()</literal> screen I/O functions. Python alternatives exist relying either on %PRODUCTNAME API Abstract Windowing Toolkit, either on Python to Basic function calls. The latter proposes a syntax that is intentionally close to that of Basic, and uses a Python module next to a Basic module. The API Scripting Framework is used to perform Basic, BeanShell, JavaScript and Python inter-languages function calls."
-msgstr ""
+msgstr "El %PRODUCTNAME Basic proposa funcions <literal>InputBox()</literal> <literal>XYGbox()</literal> i <literal>Print()</literal> screen screen I/O. Hi ha alternatives Python que depenen de les crides de funció Python a Basic. Aquesta última proposa una sintaxi que és intencionalment propera a la del Basic i utilitza un mòdul Python al costat d'un mòdul Basic. L'API Scripting Framework s'utilitza per realitzar crides de funcions bàsiques BeanShell JavaScript i Python inter-languages."
#. hat4k
#: python_screen.xhp
@@ -3235,7 +3235,7 @@ msgctxt ""
"N0340\n"
"help.text"
msgid "<variable id=\"pythonsession\"><link href=\"text/sbasic/python/python_session.xhp\">Getting Session Information</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonsession\"><link href=\"text/sbasic/python/python_session.xhp\">S'està obtenint informació de la sessió</link></variable>"
#. nmTjF
#: python_session.xhp
@@ -3244,7 +3244,7 @@ msgctxt ""
"N0341\n"
"help.text"
msgid "Computing %PRODUCTNAME user profile and shared modules system file paths can be performed with Python or with Basic languages. BeanShell, Java, JavaScript and Python scripts locations can be derived from this information."
-msgstr ""
+msgstr "Computing %PRODUCTNAME perfil d'usuari i mòduls compartits Els camins de fitxer del sistema es poden realitzar amb Python o amb llenguatges bàsics. Les ubicacions de scripts Java JavaScript i Python es poden derivar d'aquesta informació."
#. gMnyC
#: python_session.xhp
@@ -3271,7 +3271,7 @@ msgctxt ""
"N0346\n"
"help.text"
msgid "<literal>>>> print(Session.SharedPythonScripts()) # static method</literal>"
-msgstr ""
+msgstr "<literal>>>> print(Session.SharedPythonScripts()) # mètode estàtic</literal>"
#. ezhbr
#: python_session.xhp
@@ -3550,7 +3550,7 @@ msgctxt ""
"N0118\n"
"help.text"
msgid "<variable id=\"pythonshell1\"><link href=\"text/sbasic/python/python_shell.xhp\">Running Python Interactive Console</link></variable>"
-msgstr ""
+msgstr "<variable id=\"pythonshell1\"><link href=\"text/sbasic/python/python_shell.xhp\">Execució de la consola interactiva de Python</link></variable>"
#. Met9b
#: python_shell.xhp
@@ -3595,7 +3595,7 @@ msgctxt ""
"N0141\n"
"help.text"
msgid "Example output"
-msgstr ""
+msgstr "Exemple d'eixida"
#. MxDtE
#: python_shell.xhp
@@ -3649,7 +3649,7 @@ msgctxt ""
"par_id81632760673283\n"
"help.text"
msgid "Use <link href=\"https://extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-Python\">APSO extension</link> console as an alternative:"
-msgstr ""
+msgstr "Feu servir la consola de l'<link href=\"https://extensions.libreoffice.org/extensions/apso-alternative-script-organizer-for-Python\">extensió APSO</link> com a alternativa:"
#. 6h9CS
#: python_shell.xhp
@@ -3667,4 +3667,4 @@ msgctxt ""
"par_id351633599611244\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03/sf_exception.xhp?#PythonShell\"><literal>PythonShell</literal></link> function in <link href=\"text/sbasic/shared/03/sf_exception.xhp\"><literal>ScriptForge.Exception</literal></link> service"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03/sf_exception.xhp?#PythonShell\">Funció <literal>PythonShell</literal></link> del servei <link href=\"text/sbasic/shared/03/sf_exception.xhp\"><literal>ScriptForge.Exception</literal></link>"
diff --git a/source/ca-valencia/helpcontent2/source/text/sbasic/shared.po b/source/ca-valencia/helpcontent2/source/text/sbasic/shared.po
index 8af480bd2ce..0976fc95103 100644
--- a/source/ca-valencia/helpcontent2/source/text/sbasic/shared.po
+++ b/source/ca-valencia/helpcontent2/source/text/sbasic/shared.po
@@ -4,8 +4,8 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-06-26 15:06+0200\n"
-"PO-Revision-Date: 2021-01-29 00:36+0000\n"
-"Last-Translator: serval2412 <serval2412@yahoo.fr>\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsbasicshared/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1540152382.000000\n"
@@ -537,7 +537,7 @@ msgctxt ""
"par_id631529990528928\n"
"help.text"
msgid "Open <item type=\"menuitem\">Tools - Macros - Organize Dialogs</item> and select <item type=\"menuitem\">%PRODUCTNAME Dialogs</item> container."
-msgstr ""
+msgstr "Obriu <item type=\"menuitem\">Eines ▸ Macros ▸ Organitza els diàlegs</item> i seleccioneu el contenidor <item type=\"menuitem\">Diàlegs del %PRODUCTNAME</item>."
#. QFmDV
#: 00000003.xhp
@@ -555,7 +555,7 @@ msgctxt ""
"par_id971529072633266\n"
"help.text"
msgid "<variable id=\"basiclibrarynote\">This library must be loaded before execution. Execute the following statement before running any macro that uses this library:</variable>"
-msgstr ""
+msgstr "<variable id=\"basiclibrarynote\">Aquesta biblioteca s'ha de carregar abans de l'execució. Executeu l'expressió següent abans de qualsevol macro que utilitze aquesta biblioteca:</variable>"
#. R9TFi
#: 00000003.xhp
@@ -672,7 +672,7 @@ msgctxt ""
"par_id161599082457466\n"
"help.text"
msgid "<variable id=\"stringfunctions\"><link href=\"text/sbasic/shared/03120300.xhp\">String functions</link></variable>"
-msgstr ""
+msgstr "<variable id=\"stringfunctions\"><link href=\"text/sbasic/shared/03120300.xhp\">de les funcions de cadena</link></variable>"
#. CGSvh
#: 00000003.xhp
@@ -2049,7 +2049,7 @@ msgctxt ""
"bm_id3149346\n"
"help.text"
msgid "<bookmark_value>names of variables</bookmark_value> <bookmark_value>variables; using</bookmark_value> <bookmark_value>types of variables</bookmark_value> <bookmark_value>declaring variables</bookmark_value> <bookmark_value>values;of variables</bookmark_value> <bookmark_value>literals;date</bookmark_value> <bookmark_value>literals;integer</bookmark_value> <bookmark_value>literals;floating point</bookmark_value> <bookmark_value>constants</bookmark_value> <bookmark_value>arrays;declaring</bookmark_value> <bookmark_value>defining;constants</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>noms de variables</bookmark_value><bookmark_value>variables; ús</bookmark_value><bookmark_value>tipus de variables</bookmark_value><bookmark_value>declaració de variables</bookmark_value><bookmark_value>valors;de variables</bookmark_value><bookmark_value>literals;data</bookmark_value><bookmark_value>literals;enter</bookmark_value><bookmark_value>literals;coma flotant</bookmark_value><bookmark_value>constants</bookmark_value><bookmark_value>matrius;declaració</bookmark_value><bookmark_value>definició;constants</bookmark_value>"
#. CHiPM
#: 01020100.xhp
@@ -2454,7 +2454,7 @@ msgctxt ""
"par_id3153070\n"
"help.text"
msgid "Single variables can take positive or negative values ranging from 3.402823 x 10E38 to 1.401298 x 10E-45. Single variables are floating-point variables, in which the decimal precision decreases as the non-decimal part of the number increases. Single variables are suitable for mathematical calculations of average precision. Calculations require more time than for Integer variables, but are faster than calculations with Double variables. A Single variable requires 4 bytes of memory. The type-declaration character is \"!\"."
-msgstr ""
+msgstr "Les variables individuals poden prendre valors positius o negatius que van des de 3,402823 × 10E38 fins a 1,401298 × 10E-45. Les variables individuals són variables de coma flotant, en què la precisió decimal disminueix a mesura que augmenta la part no decimal del nombre. Les variables individuals són adequades per a càlculs matemàtics de precisió mitjana. Els càlculs requereixen més temps que per a les variables enteres, però són més ràpids que els càlculs amb variables dobles. Una variable única requereix 4 bytes de memòria. El caràcter de declaració de tipus és «!»."
#. X2BBe
#: 01020100.xhp
@@ -2472,7 +2472,7 @@ msgctxt ""
"par_id3150953\n"
"help.text"
msgid "Double variables can take positive or negative values ranging from 1.79769313486232 x 10E308 to 4.94065645841247 x 10E-324. Double variables are floating-point variables, in which the decimal precision decreases as the non-decimal part of the number increases. Double variables are suitable for precise calculations. Calculations require more time than for Single variables. A Double variable requires 8 bytes of memory. The type-declaration character is \"#\"."
-msgstr ""
+msgstr "Les variables dobles poden prendre valors positius o negatius que van des de 1,79769313486232 × 10E308 a 4,94065645841247 × 10E-324. Les variables dobles són variables de coma flotant, en què la precisió decimal disminueix a mesura que augmenta la part no decimal del nombre. Les variables dobles són adequades per a càlculs precisos. Els càlculs requereixen més temps que per a variables individuals. Una variable doble requereix 8 bytes de memòria. El caràcter de declaració de tipus és «#»."
#. KYBFy
#: 01020100.xhp
@@ -2508,7 +2508,7 @@ msgctxt ""
"hd_id301576839713868\n"
"help.text"
msgid "Literals for integers"
-msgstr ""
+msgstr "Literals per a enters"
#. PTiRZ
#: 01020100.xhp
@@ -2517,7 +2517,7 @@ msgctxt ""
"par_id1001576839723156\n"
"help.text"
msgid "Numbers can be encoded using octal and hexadecimal forms."
-msgstr ""
+msgstr "Els nombres es poden codificar mitjançant formes octals i hexadecimals."
#. nGGUD
#: 01020100.xhp
@@ -2598,7 +2598,7 @@ msgctxt ""
"hd_DateLiterals\n"
"help.text"
msgid "Literals for Dates"
-msgstr ""
+msgstr "Literals per a dates"
#. 5FGDA
#: 01020100.xhp
@@ -2625,7 +2625,7 @@ msgctxt ""
"VariantTypeH2\n"
"help.text"
msgid "The Variant type"
-msgstr ""
+msgstr "El tipus Variant"
#. gnP2t
#: 01020100.xhp
@@ -2796,7 +2796,7 @@ msgctxt ""
"par_idm1341065280\n"
"help.text"
msgid "Dim Text$(20) '21 elements numbered from 0 to 20'"
-msgstr ""
+msgstr "Dim Text$(20) '21 elements numerats de 0 a 20'"
#. Tpkw3
#: 01020100.xhp
@@ -2805,7 +2805,7 @@ msgctxt ""
"par_idm1341059776\n"
"help.text"
msgid "Dim Text$(5,4) '30 elements (a matrix of 6 x 5 elements)'"
-msgstr ""
+msgstr "Dim Text$(5,4) '30 elements (una matriu de 6 × 5 elements)'"
#. qZxBE
#: 01020100.xhp
@@ -2814,7 +2814,7 @@ msgctxt ""
"par_idm1341054256\n"
"help.text"
msgid "Dim Text$(5 To 25) '21 elements numbered from 5 to 25'"
-msgstr ""
+msgstr "Dim Text$(5 To 25) '21 elements numerats de 5 a 25'"
#. NfXEB
#: 01020100.xhp
@@ -2922,7 +2922,7 @@ msgctxt ""
"bm_id3149456\n"
"help.text"
msgid "<bookmark_value>procedures</bookmark_value> <bookmark_value>functions;using</bookmark_value> <bookmark_value>variables;passing to procedures, functions, properties</bookmark_value> <bookmark_value>parameters;for procedures, functions or properties</bookmark_value> <bookmark_value>parameters;passing by reference or value</bookmark_value> <bookmark_value>variables;scope</bookmark_value> <bookmark_value>scope of variables</bookmark_value> <bookmark_value>GLOBAL variables</bookmark_value> <bookmark_value>PUBLIC variables</bookmark_value> <bookmark_value>PRIVATE variables</bookmark_value> <bookmark_value>functions;return value type</bookmark_value> <bookmark_value>return value type of functions</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>GA processa les funcions</bookmark_value> <bookmark_value>;ús de variables</bookmark_value><bookmark_value>;passar a les funcions procediments paràmetres</bookmark_value><bookmark_value>;per procediments funcions o propietats paràmetres</bookmark_value><bookmark_value>;passar per referència o valor variables</bookmark_value><bookmark_value>;abast</bookmark_value><bookmark_value> variables GLOBALS</bookmark_value><bookmark_value>variables PÚBLIQUES XYG </bookmark_value> <bookmark_value>funcions PRIVADES</bookmark_value><bookmark_value> XYG;valor de retorn tipus de funcions</bookmark_value>"
#. RY6Z4
#: 01020300.xhp
@@ -2940,7 +2940,7 @@ msgctxt ""
"par_id3150767\n"
"help.text"
msgid "The following describes the basic use of procedures, functions and properties in %PRODUCTNAME Basic."
-msgstr ""
+msgstr "A continuació es descriu l'ús bàsic dels procediments, les funcions i les propietats del %PRODUCTNAME BASIC."
#. Jsg3r
#: 01020300.xhp
@@ -2958,7 +2958,7 @@ msgctxt ""
"par_id314756320\n"
"help.text"
msgid "Some restrictions apply for the names of your public variables, subroutines, functions and properties. You must not use the same name as one of the modules of the same library."
-msgstr ""
+msgstr "S’apliquen algunes restriccions als noms de les vostres variables públiques, subrutines, funcions i propietats. No heu d’utilitzar el mateix nom que un dels mòduls de la mateixa biblioteca."
#. EB6uP
#: 01020300.xhp
@@ -2967,7 +2967,7 @@ msgctxt ""
"par_id3154124\n"
"help.text"
msgid "Procedures (<literal>Sub</literal>routines) functions (<literal>Function</literal>) and properties (<literal>Property</literal>) help you maintaining a structured overview by separating a program into logical pieces."
-msgstr ""
+msgstr "Les funcions de procediments (<literal> Sub </literal>) (<literal> Function </literal>) i propietats (<literal> Property </literal>) vos ajuden a mantindre una visió general estructurada separant un programa en peces lògiques."
#. UXRyF
#: 01020300.xhp
@@ -2976,7 +2976,7 @@ msgctxt ""
"par_id3153193\n"
"help.text"
msgid "One benefit of procedures, functions and properties is that, once you have developed a program code containing task components, you can use this code in another project."
-msgstr ""
+msgstr "Un dels avantatges dels procediments, funcions i propietats és que, un cop hagueu desenvolupat un codi de programa que continga components de la tasca, podeu utilitzar aquest codi en un altre projecte."
#. EZYXi
#: 01020300.xhp
@@ -2985,7 +2985,7 @@ msgctxt ""
"hd_id3153770\n"
"help.text"
msgid "Passing Variables to Procedures, Functions or Properties"
-msgstr ""
+msgstr "Pas de variables a procediments, funcions o propietats"
#. v9JPn
#: 01020300.xhp
@@ -2994,7 +2994,7 @@ msgctxt ""
"par_id3155414\n"
"help.text"
msgid "Variables can be passed to both procedures, functions or properties. The <literal>Sub</literal> <literal>Function</literal> or <literal>Property</literal> must be declared to expect parameters:"
-msgstr ""
+msgstr "Les variables es poden passar a procediments, funcions o propietats. La <literal> Sub </literal> <literal> Funció </literal> o <literal> Propietat </literal> s'ha de declarar per esperar paràmetres:"
#. BUURm
#: 01020300.xhp
@@ -3003,7 +3003,7 @@ msgctxt ""
"par_id3151114\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. BG6rr
#: 01020300.xhp
@@ -3021,7 +3021,7 @@ msgctxt ""
"par_id3147124\n"
"help.text"
msgid "The parameters passed to a <literal>Sub</literal> must fit to those specified in the <literal>Sub</literal> declaration."
-msgstr ""
+msgstr "Els paràmetres que es passen a una <literal>Sub</literal> s'han d'ajustar als especificats a la declaració <literal>Sub</literal>."
#. Zxxix
#: 01020300.xhp
@@ -3030,7 +3030,7 @@ msgctxt ""
"par_id3147397\n"
"help.text"
msgid "The same process applies to a <literal>Function</literal>. In addition, functions always return a function result. The result of a function is defined by assigning the return value to the function name:"
-msgstr ""
+msgstr "El mateix procés s'aplica a una <literal> funció </literal>. A més, les funcions sempre retornen un resultat de funció. El resultat d’una funció es defineix assignant el valor de retorn al nom de la funció:"
#. uhFkG
#: 01020300.xhp
@@ -3039,7 +3039,7 @@ msgctxt ""
"par_id3156284\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. TwrZp
#: 01020300.xhp
@@ -3066,7 +3066,7 @@ msgctxt ""
"bas_id961584288948497\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. meaRY
#: 01020300.xhp
@@ -3075,7 +3075,7 @@ msgctxt ""
"bas_id921584288951588\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. 257BA
#: 01020300.xhp
@@ -3129,7 +3129,7 @@ msgctxt ""
"bas_id81584367761978\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. WF4ND
#: 01020300.xhp
@@ -3147,7 +3147,7 @@ msgctxt ""
"hd_id161584366585035\n"
"help.text"
msgid "Defining Optional Parameters"
-msgstr ""
+msgstr "Definició de paràmetres opcionals"
#. 4Ghzx
#: 01020300.xhp
@@ -3156,7 +3156,7 @@ msgctxt ""
"par_id31584367006971\n"
"help.text"
msgid "Functions, procedures or properties can be defined with optional parameters, for example:"
-msgstr ""
+msgstr "Les funcions, procediments o propietats es poden definir amb paràmetres opcionals, per exemple:"
#. JKj8y
#: 01020300.xhp
@@ -3165,7 +3165,7 @@ msgctxt ""
"bas_id111584366809406\n"
"help.text"
msgid "' your code goes here"
-msgstr ""
+msgstr "' el vostre codi va ací"
#. 46M3s
#: 01020300.xhp
@@ -3219,7 +3219,7 @@ msgctxt ""
"hd_id3154186\n"
"help.text"
msgid "Declaring Variables Outside a <literal>Sub</literal> a <literal>Function</literal> or a <literal>Property</literal>"
-msgstr ""
+msgstr "Declaració de variables fora d'un <literal>Sub</literal> una funció <literal> o una propietat</literal>"
#. 5JwAY
#: 01020300.xhp
@@ -3309,7 +3309,7 @@ msgctxt ""
"par_id7906125\n"
"help.text"
msgid "' (or raises error for Option Explicit)"
-msgstr ""
+msgstr "' (o genera un error per a Option Explicit)"
#. yGnyt
#: 01020300.xhp
@@ -3363,7 +3363,7 @@ msgctxt ""
"N0237\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03104100.xhp\">Optional keyword</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03104100.xhp\"> paraula clau opcional</link>"
#. YnkCN
#: 01020300.xhp
@@ -3381,7 +3381,7 @@ msgctxt ""
"N0239\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03103500.xhp\">Static Statement</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03103500.xhp\">Declaració estàtica</link>"
#. HrqsB
#: 01020500.xhp
@@ -4020,7 +4020,7 @@ msgctxt ""
"bm_id3148797\n"
"help.text"
msgid "<bookmark_value>libraries;organizing</bookmark_value><bookmark_value>libraries;containers</bookmark_value><bookmark_value>modules;organizing</bookmark_value><bookmark_value>copying;modules</bookmark_value><bookmark_value>adding libraries</bookmark_value><bookmark_value>deleting;libraries/modules/dialogs</bookmark_value><bookmark_value>dialogs;organizing</bookmark_value><bookmark_value>moving;modules</bookmark_value><bookmark_value>organizing;modules/libraries/dialogs</bookmark_value><bookmark_value>renaming modules and dialogs</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>biblioteques;organització</bookmark_value><bookmark_value>biblioteques;contenidors</bookmark_value><bookmark_value>mòduls;organització</bookmark_value><bookmark_value>còpia;mòduls</bookmark_value><bookmark_value>addició de biblioteques</bookmark_value><bookmark_value>supressió;biblioteques/mòduls/diàlegs</bookmark_value><bookmark_value>diàlegs;organització</bookmark_value><bookmark_value>desplaçament;mòduls</bookmark_value><bookmark_value>organització;mòduls/biblioteques/diàlegs</bookmark_value><bookmark_value>canvi de nom de mòduls i diàlegs</bookmark_value>"
#. ToKAi
#: 01030400.xhp
@@ -4038,7 +4038,7 @@ msgctxt ""
"hd_id371574080559061\n"
"help.text"
msgid "Basic Libraries Containers"
-msgstr ""
+msgstr "Contenidors de biblioteques del Basic"
#. diKBf
#: 01030400.xhp
@@ -4047,7 +4047,7 @@ msgctxt ""
"par_id961574080563824\n"
"help.text"
msgid "%PRODUCTNAME Basic libraries can be stored in 3 different containers:"
-msgstr ""
+msgstr "Les biblioteques del %PRODUCTNAME BASIC es poden emmagatzemar en 3 contenidors diferents:"
#. dAbrb
#: 01030400.xhp
@@ -4065,7 +4065,7 @@ msgctxt ""
"par_id151574079741214\n"
"help.text"
msgid "<emph>My Macros</emph>: libraries stored in this container are available to all documents of your user. The container is located in the user profile area and is not accessible by another user."
-msgstr ""
+msgstr "<emph>Les meues macros</emph>: les biblioteques emmagatzemades en aquest contenidor estan disponibles per a tots els documents del vostre usuari. El contenidor es troba a l'àrea de perfil d'usuari i no és accessible per un altre usuari."
#. 4ABok
#: 01030400.xhp
@@ -4272,7 +4272,7 @@ msgctxt ""
"par_id3147009\n"
"help.text"
msgid "Choose whether you want to export the library as an extension or as a BASIC library."
-msgstr ""
+msgstr "Trieu si voleu exportar la biblioteca com a extensió o com a biblioteca del BASIC."
#. PP8cN
#: 01030400.xhp
@@ -8007,7 +8007,7 @@ msgctxt ""
"hd_id3156280\n"
"help.text"
msgid "<variable id=\"BasicScreenIO\"><link href=\"text/sbasic/shared/03010000.xhp\">Screen I/O Functions</link></variable>"
-msgstr ""
+msgstr "<variable id=\"BasicScreenIO\"><link href=\"text/sbasic/shared/03010000.xhp\">Funcions d'E/S de pantalla </link></variable>"
#. A5xZH
#: 03010000.xhp
@@ -8457,7 +8457,7 @@ msgctxt ""
"par_id051220170242005479\n"
"help.text"
msgid "sVar = MsgBox(\"Las Vegas\", MB_DEFBUTTON2 + MB_ICONSTOP + MB_ABORTRETRYIGNORE, \"Dialog title\")"
-msgstr ""
+msgstr "sVar = MsgBox(\"Vilanova dels Arcs\", MB_DEFBUTTON2 + MB_ICONSTOP + MB_ABORTRETRYIGNORE, \"Títol del diàleg\")"
#. BaStC
#: 03010103.xhp
@@ -8475,7 +8475,7 @@ msgctxt ""
"bm_id3147230\n"
"help.text"
msgid "<bookmark_value>Print statement</bookmark_value> <bookmark_value>Print statement; Tab function</bookmark_value> <bookmark_value>Print statement; Spc function</bookmark_value> <bookmark_value>Spc function; in Print statement</bookmark_value> <bookmark_value>Tab function; in Print statement</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Print expressió</bookmark_value><bookmark_value>Expressió Print; funció Tab</bookmark_value><bookmark_value>expressió Print; funció Spc funció</bookmark_value><bookmark_value>funció Spc; expressió Print funció</bookmark_value><bookmark_value>Tab; expressió Print</bookmark_value>"
#. AuF5o
#: 03010103.xhp
@@ -8484,7 +8484,7 @@ msgctxt ""
"hd_id3147230\n"
"help.text"
msgid "<variable id=\"Print_h1\"><link href=\"text/sbasic/shared/03010103.xhp\">Print# Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Print_h1\"><link href=\"text/sbasic/shared/03010103.xhp\">Print# Expressió</link></variable>"
#. ZDGAu
#: 03010103.xhp
@@ -8511,7 +8511,7 @@ msgctxt ""
"par_id841588605629842\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Print_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">Print syntax</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Print_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">Imprimeix sintaxi</alt></image>"
#. A6QEE
#: 03010103.xhp
@@ -8529,7 +8529,7 @@ msgctxt ""
"par_id2508621\n"
"help.text"
msgid "<emph>filenum:</emph> Any numeric expression that contains the file number that was set by the <literal>Open</literal> statement for the respective file."
-msgstr ""
+msgstr "<emph>GA filenum</emph> Qualsevol expressió numèrica que continga el número de fitxer establit per l'expressió <literal>Open</literal> per al fitxer respectiu."
#. Zoa2X
#: 03010103.xhp
@@ -8682,7 +8682,7 @@ msgctxt ""
"par_id3145315\n"
"help.text"
msgid "<emph>title</emph>: String expression displayed in the title bar of the dialog box."
-msgstr ""
+msgstr "<emph>títol</emph>: expressió de cadena que es mostra a la barra de títol del quadre de diàleg."
#. 4qoJn
#: 03010201.xhp
@@ -8916,7 +8916,7 @@ msgctxt ""
"par_id3153361\n"
"help.text"
msgid "Returns the Green component of the given composite color code."
-msgstr ""
+msgstr "Retorna el component verd del codi de color compost especificat."
#. yGCYn
#: 03010302.xhp
@@ -8943,7 +8943,7 @@ msgctxt ""
"par_id3153770\n"
"help.text"
msgid "<emph>Color</emph>: Long integer expression that specifies a composite color code for which to return the Green component."
-msgstr ""
+msgstr "<emph>Color</emph> Expressió d'enter gran que especifica un codi de color compost per al qual retornar el component verd."
#. 6vcEb
#: 03010302.xhp
@@ -9015,7 +9015,7 @@ msgctxt ""
"par_id3149656\n"
"help.text"
msgid "Returns the Red component of the specified composite color code."
-msgstr ""
+msgstr "Retorna el component roig del codi de color compost especificat."
#. 3nHCU
#: 03010303.xhp
@@ -9042,7 +9042,7 @@ msgctxt ""
"par_id3150440\n"
"help.text"
msgid "<emph>ColorNumber</emph>: Long integer expression that specifies any composite color code for which to return the Red component."
-msgstr ""
+msgstr "<emph>ColorNumber</emph> Expressió d'enter gran que especifica qualsevol codi de color compost per al qual retornar el component roig."
#. LGAYK
#: 03010303.xhp
@@ -9060,7 +9060,7 @@ msgctxt ""
"par_id961588421825749\n"
"help.text"
msgid "The <link href=\"text/shared/optionen/01010501.xhp\">color picker dialog</link> details the red, green and blue components of a composite color code, as well as its hexadecimal expression. <link href=\"text/shared/guide/text_color.xhp\">Changing the color of text</link> and selecting <emph>Custom color</emph> displays the color picker dialog."
-msgstr ""
+msgstr "El diàleg del <link href=\"text/shared/optionen/01010501.xhp\">selector de color</link> detalla els components roig verd i blau d'un codi de color compost així com la seua expressió hexadecimal.<link href=\"text/shared/guide/text_color.xhp\">Canviar el color del text</link> i seleccionar el <emph>color personalitzat</emph> mostra el diàleg del selector de color."
#. 4txDN
#: 03010303.xhp
@@ -9465,7 +9465,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "RGB Function [VBA]"
-msgstr ""
+msgstr "Funció RGB [VBA]"
#. JbDc8
#: 03010306.xhp
@@ -9483,7 +9483,7 @@ msgctxt ""
"hd_id3150792\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03010305.xhp\">RGB Function [VBA]</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03010305.xhp\">Funció RGB [VBA]</link>"
#. ZMjZi
#: 03010306.xhp
@@ -9492,7 +9492,7 @@ msgctxt ""
"par_id3150447\n"
"help.text"
msgid "Returns a <literal>Long</literal> integer color value consisting of red, green, and blue components, according to VBA color formula."
-msgstr ""
+msgstr "Retorna un valor cromàtic en forma d'enter <literal>Long</literal> (llarg) que consisteix de components roig, verd i blau, segons la fórmula de colors de VBA."
#. 2XAYm
#: 03010306.xhp
@@ -9609,7 +9609,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Close_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Close Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Close_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes de tancament </alt></image>"
#. FEDAa
#: 03020101.xhp
@@ -9627,7 +9627,7 @@ msgctxt ""
"par_id3150791\n"
"help.text"
msgid "<emph>fileNum:</emph> Any integer expression that specifies the number of the data channel that was opened with the <emph>Open</emph> statement."
-msgstr ""
+msgstr "<emph> fileNum</emph> Qualsevol expressió d'enter que especifica el nombre del canal de dades que es va obrir amb l'expressió <emph>Open</emph>."
#. uP5nk
#: 03020102.xhp
@@ -9708,7 +9708,7 @@ msgctxt ""
"hd_id3150791\n"
"help.text"
msgid "<variable id=\"Open_h1\"><link href=\"text/sbasic/shared/03020103.xhp\">Open Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Open_h1\"><link href=\"text/sbasic/shared/03020103.xhp\">Expressió</link></variable>"
#. Etqck
#: 03020103.xhp
@@ -9735,7 +9735,7 @@ msgctxt ""
"par_id971587473488702\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/access_fragment.svg\" id=\"img_id4156296484515\"><alt id=\"alt_id15152796484515\">access fragment diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/access_fragment.svg\" id=\"img_id4156296484515\"><alt id=\"alt_id15152796484515\">Diagrama de fragments d'accés</alt></image>"
#. N3tit
#: 03020103.xhp
@@ -9771,7 +9771,7 @@ msgctxt ""
"par_id3154014\n"
"help.text"
msgid "<emph>io:</emph> Keyword that defines the access type. Valid values: <literal>Read</literal> (read-only), <literal>Write</literal> (write-only), <literal>Read Write</literal> (both)."
-msgstr ""
+msgstr "<emph>io</emph> Paraula clau que defineix el tipus d'accés. Valors vàlids <literal>Llig</literal> (només lectura) <literal>Escriu</literal> (només escriptura) <literal>Llig</literal> (ambdós)."
#. kzzkr
#: 03020103.xhp
@@ -9789,7 +9789,7 @@ msgctxt ""
"par_id3153190\n"
"help.text"
msgid "<emph>filenum:</emph> Any integer expression from 0 to 511 to indicate the number of a free data channel. You can then pass commands through the data channel to access the file. The file number must be determined by the FreeFile function immediately before the Open statement."
-msgstr ""
+msgstr "<emph> filenum</emph> Qualsevol expressió d'enter de 0 a 511 per indicar el nombre d'un canal de dades gratuït. A continuació podeu passar ordres a través del canal de dades per accedir al fitxer. El número de fitxer ha de ser determinat per la funció FreeFile immediatament abans de l'expressió Open."
#. LgCLi
#: 03020103.xhp
@@ -9798,7 +9798,7 @@ msgctxt ""
"par_id3151115\n"
"help.text"
msgid "<emph>recLen:</emph> For <literal>Random</literal> access files, set the length of the records."
-msgstr ""
+msgstr "<emph>recLen</emph> pels fitxers d'accés <literal>aleatori </literal> estableix la longitud dels registres."
#. mvgxB
#: 03020103.xhp
@@ -9879,7 +9879,7 @@ msgctxt ""
"hd_id3154141\n"
"help.text"
msgid "<variable id=\"Reset_h1\"><link href=\"text/sbasic/shared/03020104.xhp\">Reset Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Reset_h1\"><link href=\"text/sbasic/shared/03020104.xhp\">ReSED Expressió</link></variable>"
#. iLCKn
#: 03020104.xhp
@@ -9897,7 +9897,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Reset_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Reset Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Reset_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Reinicia el diagrama d'extracte</alt></image>"
#. BXAjN
#: 03020104.xhp
@@ -10005,7 +10005,7 @@ msgctxt ""
"par_id3150448\n"
"help.text"
msgid "<emph>fileNum:</emph> Any integer expression that determines the file number."
-msgstr ""
+msgstr "<emph> fileNum</emph> Qualsevol expressió d'enter que determini el número de fitxer."
#. khxG7
#: 03020201.xhp
@@ -10230,7 +10230,7 @@ msgctxt ""
"par_id3145749\n"
"help.text"
msgid "<emph>fileNum</emph>: Number of the file that contains the data that you want to read. The file must be opened with the Open statement using the key word INPUT."
-msgstr ""
+msgstr "<emph>GA fileNum</emph> Nombre del fitxer que conté les dades que voleu llegir. El fitxer s'ha d'obrir amb l'expressió Open utilitzant la paraula clau INPUT."
#. kJyKM
#: 03020202.xhp
@@ -10239,7 +10239,7 @@ msgctxt ""
"par_id3150011\n"
"help.text"
msgid "<emph>var</emph>: A numeric or string variable that you assign the values read from the opened file to."
-msgstr ""
+msgstr "<emph>var</emph>: una variable numèrica o de cadena a la qual s'assignen els valors llegits des del fitxer obert."
#. 23Pzt
#: 03020202.xhp
@@ -10338,7 +10338,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Line-Input_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Line Input Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Line-Input_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'estats d'entrada de línia</alt></image>"
#. wrpF7
#: 03020203.xhp
@@ -10347,7 +10347,7 @@ msgctxt ""
"par_id3161832\n"
"help.text"
msgid "<emph>fileNum</emph>: Number of the file that contains the data that you want to read. The file must have been opened in advance with the Open statement using the key word INPUT."
-msgstr ""
+msgstr "<emph>fileNum</emph> Nombre del fitxer que conté les dades que voleu llegir. El fitxer s'ha d'haver obert per avant amb l'expressió Open utilitzant la paraula clau INPUT."
#. qAR2M
#: 03020203.xhp
@@ -10437,7 +10437,7 @@ msgctxt ""
"par_id3146120\n"
"help.text"
msgid "<emph>fileNum</emph>: Any integer expression that defines the file that you want to write to."
-msgstr ""
+msgstr "<emph>fileNum</emph> Qualsevol expressió d'enter que definisca el fitxer al qual voleu escriure."
#. AiZUD
#: 03020204.xhp
@@ -10446,7 +10446,7 @@ msgctxt ""
"par_id3155411\n"
"help.text"
msgid "<emph>recordNum, filePos</emph>: For relative files (random access files), the number of the record that you want to write."
-msgstr ""
+msgstr "<emph>gravenum filePos</emph>Per a fitxers relatius (arxius d'accés aleatori) el nombre de registres que voleu escriure."
#. dUyzK
#: 03020204.xhp
@@ -10536,7 +10536,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Write_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Write Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Write_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes d'escriptura</alt></image>"
#. xEMDC
#: 03020205.xhp
@@ -10545,7 +10545,7 @@ msgctxt ""
"par_id3153728\n"
"help.text"
msgid "<emph>fileNum</emph>: Any numeric expression that contains the file number that was set by the Open statement for the respective file."
-msgstr ""
+msgstr "<emph>fileNum</emph> Qualsevol expressió numèrica que continga el número de fitxer establit per l'expressió Open per al fitxer respectiu."
#. TwHF7
#: 03020205.xhp
@@ -10554,7 +10554,7 @@ msgctxt ""
"par_id3146120\n"
"help.text"
msgid "<emph>expression</emph> list: Variables or expressions that you want to enter in a file, separated by commas."
-msgstr ""
+msgstr "<emph>Expressió </emph>llista variables o expressions que voleu introduir en un fitxer separats per comes."
#. RERPn
#: 03020205.xhp
@@ -10968,7 +10968,7 @@ msgctxt ""
"hd_id3159413\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03020305.xhp\">Seek Statement</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03020305.xhp\">Seek Expressió</link>"
#. RBPKW
#: 03020305.xhp
@@ -11031,7 +11031,7 @@ msgctxt ""
"par_id3153952\n"
"help.text"
msgid "<emph>fileNum</emph>: The data channel number used in the Open statement."
-msgstr ""
+msgstr "<emph>fileNum</emph> El número de canal de dades utilitzat en l'expressió Open."
#. FrYvd
#: 03020305.xhp
@@ -11040,7 +11040,7 @@ msgctxt ""
"par_id3145366\n"
"help.text"
msgid "<emph>filePos, recordNum</emph>: Position for the next writing or reading. Position can be a number between 1 and 2,147,483,647. According to the file type, the position indicates the number of the record (files in the Random mode) or the byte position (files in the Binary, Output, Append or Input mode). The first byte in a file is position 1, the second byte is position 2, and so on."
-msgstr ""
+msgstr "<emph>filePos, recordNum</emph> Posició per a la següent escriptura o lectura. La posició pot ser un nombre entre 1 i 2147483647. Segons el tipus de fitxer la posició indica el nombre del registre (fitxers en mode Aleatori) o la posició del byte (fitxers en mode Eixida binari Annexa o Entrada). El primer byte en un fitxer és posició 1 el segon byte és posició 2 i així successivament."
#. bvTXC
#: 03020305.xhp
@@ -12210,7 +12210,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/MkDir_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">MkDir Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/MkDir_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes MkDir</alt></image>"
#. ruXou
#: 03020411.xhp
@@ -12516,7 +12516,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/RmDir_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">RmDir Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/RmDir_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes RmDir</alt></image>"
#. uE7FC
#: 03020413.xhp
@@ -12876,7 +12876,7 @@ msgctxt ""
"hd_id381619878817271\n"
"help.text"
msgid "<variable id=\"DateSerial_H1\"><link href=\"text/sbasic/shared/03030101.xhp\">DateSerial Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"DateSerial_H1\"><link href=\"text/sbasic/shared/03030101.xhp\">Funció DateSerial</link></variable>"
#. d3jbM
#: 03030101.xhp
@@ -13425,7 +13425,7 @@ msgctxt ""
"par_id651619719561092\n"
"help.text"
msgid "Value"
-msgstr ""
+msgstr "Valor"
#. PGZPg
#: 03030105.xhp
@@ -13443,7 +13443,7 @@ msgctxt ""
"par_id711619718816238\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. zLssD
#: 03030105.xhp
@@ -13461,7 +13461,7 @@ msgctxt ""
"par_id581619719174897\n"
"help.text"
msgid "Sunday (default)"
-msgstr ""
+msgstr "Diumenge (per defecte)"
#. BHVEx
#: 03030105.xhp
@@ -13470,7 +13470,7 @@ msgctxt ""
"par_id581619719173258\n"
"help.text"
msgid "Monday"
-msgstr ""
+msgstr "Dilluns"
#. TFvid
#: 03030105.xhp
@@ -13479,7 +13479,7 @@ msgctxt ""
"par_id581619719174633\n"
"help.text"
msgid "Tuesday"
-msgstr ""
+msgstr "Dimarts"
#. fiXHk
#: 03030105.xhp
@@ -13488,7 +13488,7 @@ msgctxt ""
"par_id581619719173641\n"
"help.text"
msgid "Wednesday"
-msgstr ""
+msgstr "Dimecres"
#. A9CRq
#: 03030105.xhp
@@ -13497,7 +13497,7 @@ msgctxt ""
"par_id581619719170014\n"
"help.text"
msgid "Thursday"
-msgstr ""
+msgstr "Dijous"
#. sBtM4
#: 03030105.xhp
@@ -13506,7 +13506,7 @@ msgctxt ""
"par_id581619719174271\n"
"help.text"
msgid "Friday"
-msgstr ""
+msgstr "Divendres"
#. bXcCx
#: 03030105.xhp
@@ -13515,7 +13515,7 @@ msgctxt ""
"par_id581619719176055\n"
"help.text"
msgid "Saturday"
-msgstr ""
+msgstr "Dissabte"
#. CYgPf
#: 03030105.xhp
@@ -13659,7 +13659,7 @@ msgctxt ""
"bas_id31619721725024\n"
"help.text"
msgid "' Prints \"4\" assuming Tuesday is the first day of the week"
-msgstr ""
+msgstr "' Retorna «4» si el dimarts és el primer dia de la setmana"
#. EhPmt
#: 03030106.xhp
@@ -15441,7 +15441,7 @@ msgctxt ""
"hd_id3155419\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03030202.xhp\">Minute Function (BASIC)</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03030202.xhp\">Funció Minute (BASIC)</link>"
#. 8nzwM
#: 03030202.xhp
@@ -16215,7 +16215,7 @@ msgctxt ""
"hd_id3149346\n"
"help.text"
msgid "<variable id=\"Timer_H1\"><link href=\"text/sbasic/shared/03030303.xhp\">Timer Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Timer_H1\"><link href=\"text/sbasic/shared/03030303.xhp\">Funció Timer</link></variable>"
#. AKDaG
#: 03030303.xhp
@@ -16269,7 +16269,7 @@ msgctxt ""
"par_id491610993401822\n"
"help.text"
msgid "The <literal>Timer</literal> function measures time in seconds. To measure time in milliseconds use the <link href=\"text/sbasic/shared/03/sf_timer.xhp\">Timer service</link> available in the <literal>ScriptForge</literal> library."
-msgstr ""
+msgstr "La funció <literal>Timer</literal> mesura el temps en segons. Per a mesurar el temps en mil·lisegons, utilitzeu el <link href=\"text/sbasic/shared/03/sf_timer.xhp\">servei Timer</link> que està disponible a la biblioteca <literal>ScriptForge</literal>."
#. ATnCy
#: 03040000.xhp
@@ -16314,7 +16314,7 @@ msgctxt ""
"bm_id871554200620243\n"
"help.text"
msgid "<bookmark_value>Boolean Basic constants</bookmark_value><bookmark_value>Basic constant;False</bookmark_value><bookmark_value>Basic constant;True</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Constants booleanes</bookmark_value><bookmark_value>constant bàsica;False</bookmark_value><bookmark_value>constant bàsica;True</bookmark_value>"
#. R2DAa
#: 03040000.xhp
@@ -16404,7 +16404,7 @@ msgctxt ""
"bm_id261554201061695\n"
"help.text"
msgid "<bookmark_value>Basic Object constants</bookmark_value><bookmark_value>Empty;Basic constant</bookmark_value><bookmark_value>Null;Basic constant</bookmark_value><bookmark_value>Nothing;Basic constant</bookmark_value><bookmark_value>Basic constant;Nothing</bookmark_value><bookmark_value>Basic constant;Null</bookmark_value><bookmark_value>Basic constant;Empty</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Constants d'objecte bàsic</bookmark_value><bookmark_value>buit;constant bàsica</bookmark_value><bookmark_value>Null;constant bàsica</bookmark_value><bookmark_value>Res;constant bàsica</bookmark_value><bookmark_value>constant bàsica;Sensent</bookmark_value><bookmark_value>constant bàsica;Nal</bookmark_value><bookmark_value>constant bàsica;Buit</bookmark_value>"
#. hdZmR
#: 03040000.xhp
@@ -16512,7 +16512,7 @@ msgctxt ""
"hd_id611634911996367\n"
"help.text"
msgid "Data Type Named Constants"
-msgstr ""
+msgstr "Constants amb nom dels tipus de dades"
#. Xtpvq
#: 03040000.xhp
@@ -16521,7 +16521,7 @@ msgctxt ""
"bm_id101554201127393\n"
"help.text"
msgid "<bookmark_value>Visual Basic constants</bookmark_value><bookmark_value>VBA Exclusive constants</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Visual Basic constants</bookmark_value><bookmark_value>VBA Exclusive constants</bookmark_value>"
#. Nbv6Q
#: 03040000.xhp
@@ -16566,7 +16566,7 @@ msgctxt ""
"par_id611634907471277\n"
"help.text"
msgid "Named constant"
-msgstr ""
+msgstr "Constant amb nom"
#. 4wBCk
#: 03040000.xhp
@@ -16575,7 +16575,7 @@ msgctxt ""
"par_id861634907471277\n"
"help.text"
msgid "Red, Green, Blue<br/>composition"
-msgstr ""
+msgstr "Composició de<br/>roig, verd i blau"
#. y4iia
#: 03040000.xhp
@@ -16593,7 +16593,7 @@ msgctxt ""
"par_id31624288363725\n"
"help.text"
msgid "Named constant"
-msgstr ""
+msgstr "Constant amb nom"
#. SrPWN
#: 03040000.xhp
@@ -16602,7 +16602,7 @@ msgctxt ""
"par_id951624288363725\n"
"help.text"
msgid "Decimal value"
-msgstr ""
+msgstr "Valor decimal"
#. PVJr3
#: 03040000.xhp
@@ -16800,7 +16800,7 @@ msgctxt ""
"hd_id3143271\n"
"help.text"
msgid "<variable id=\"ErrHandlingh1\"><link href=\"text/sbasic/shared/03050000.xhp\">Error-Handling Functions</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ErrHandlingh1\"><link href=\"text/sbasic/shared/03050000.xhp\">Funcions d'error </link></variable>"
#. KsiEx
#: 03050000.xhp
@@ -17142,7 +17142,7 @@ msgctxt ""
"par_id3154125\n"
"help.text"
msgid "String or raised error context"
-msgstr ""
+msgstr "Cadena o context de l'error generat"
#. BnAcN
#: 03050300.xhp
@@ -17223,7 +17223,7 @@ msgctxt ""
"par_id491585753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/On-Error_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">On Error Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/On-Error_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">En el diagrama d'extractes d'error</alt></image>"
#. CKJJr
#: 03050500.xhp
@@ -17295,7 +17295,7 @@ msgctxt ""
"par_id3146916\n"
"help.text"
msgid "MsgBox \"All files will be closed\", 0, \"Error\""
-msgstr ""
+msgstr "MsgBox \"Es tancaran tots els fitxers\", 0, \"Error\""
#. YAR7R
#: 03060000.xhp
@@ -17313,7 +17313,7 @@ msgctxt ""
"hd_id3147559\n"
"help.text"
msgid "<variable id=\"BoolOper_h1\"><link href=\"text/sbasic/shared/03060000.xhp\">Logical Operators</link></variable>"
-msgstr ""
+msgstr "<variable id=\"BoolOper_h1\"><link href=\"text/sbasic/shared/03060000.xhp\">Operadors lògics</link></variable>"
#. E9c8W
#: 03060000.xhp
@@ -18222,7 +18222,7 @@ msgctxt ""
"hd_id3149234\n"
"help.text"
msgid "<variable id=\"MathOper_h1\"><link href=\"text/sbasic/shared/03070000.xhp\">Mathematical Operators</link></variable>"
-msgstr ""
+msgstr "<variable id=\"MathOper_h1\"><link href=\"text/sbasic/shared/03070000.xhp\">Operadors matemàtics</link></variable>"
#. YBZiW
#: 03070000.xhp
@@ -18726,7 +18726,7 @@ msgctxt ""
"hd_id3150669\n"
"help.text"
msgid "<variable id=\"MOD_h1\"><link href=\"text/sbasic/shared/03070600.xhp\">Mod Operator</link></variable>"
-msgstr ""
+msgstr "<variable id=\"MOD_h1\"><link href=\"text/sbasic/shared/03070600.xhp\">Operador Mod</link></variable>"
#. YEMEy
#: 03070600.xhp
@@ -18735,7 +18735,7 @@ msgctxt ""
"par_id3148686\n"
"help.text"
msgid "The <literal>MOD</literal> operator takes in two numeric expressions and returns the remainder of the division."
-msgstr ""
+msgstr "L'operador <literal>MOD</literal> rep dues expressions numèriques i retorna el residu de la divisió."
#. BqAV6
#: 03070600.xhp
@@ -18771,7 +18771,7 @@ msgctxt ""
"par_id151617302878527\n"
"help.text"
msgid "The value 16.4 is rounded to 16."
-msgstr ""
+msgstr "El valor 16,4 s'arrodoneix a 16."
#. x5XXB
#: 03070600.xhp
@@ -18780,7 +18780,7 @@ msgctxt ""
"par_id351617303087259\n"
"help.text"
msgid "The value 5.9 is rounded to 6."
-msgstr ""
+msgstr "El valor 5,9 s'arrodoneix a 6."
#. VFy9y
#: 03070600.xhp
@@ -18789,7 +18789,7 @@ msgctxt ""
"par_id91617303114774\n"
"help.text"
msgid "The operation <literal>16 MOD 6</literal> returns 4, which is the remainder after dividing 16 by 6."
-msgstr ""
+msgstr "L'operació <literal>16 MOD 6</literal> retorna 4, el residu de la divisió de 16 per 6."
#. LMG4b
#: 03070600.xhp
@@ -18879,7 +18879,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "\"\\\" Operator"
-msgstr ""
+msgstr "Operador «\\»"
#. wFv3P
#: 03070700.xhp
@@ -18888,7 +18888,7 @@ msgctxt ""
"hd_id3150669\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03070700.xhp\">\"\\\" Operator</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03070700.xhp\">Operador «\\»</link>"
#. tUDMG
#: 03070700.xhp
@@ -18897,7 +18897,7 @@ msgctxt ""
"par_id3149670\n"
"help.text"
msgid "Performs the integer division on two numbers and returns the result."
-msgstr ""
+msgstr "Realitza la divisió dels dos nombres enters i en retorna el resultat."
#. 7hxCB
#: 03070700.xhp
@@ -18942,7 +18942,7 @@ msgctxt ""
"par_id951642689912087\n"
"help.text"
msgid "Before division both operands are rounded to whole numbers. The fractional part of the result is dropped."
-msgstr ""
+msgstr "Abans de la divisió, tots dos operands s'arrodoneixen a nombres enters. La part fraccionària del resultat es descarta."
#. BaAgA
#: 03070700.xhp
@@ -19041,7 +19041,7 @@ msgctxt ""
"hd_id3150616\n"
"help.text"
msgid "<variable id=\"Atn_h1\"><link href=\"text/sbasic/shared/03080101.xhp\">Atn Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Atn_h1\"><link href=\"text/sbasic/shared/03080101.xhp\">Funció Atn</link></variable>"
#. yugFQ
#: 03080101.xhp
@@ -19446,7 +19446,7 @@ msgctxt ""
"par_id3151112\n"
"help.text"
msgid "<literal>Pi</literal> is approximately 3.141593."
-msgstr ""
+msgstr "El valor de <literal>Pi</literal> és aproximadament de 3,141593."
#. qDQRe
#: 03080103.xhp
@@ -19527,7 +19527,7 @@ msgctxt ""
"hd_id3148550\n"
"help.text"
msgid "<variable id=\"Tan_h1\"><link href=\"text/sbasic/shared/03080104.xhp\">Tan Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Tan_h1\"><link href=\"text/sbasic/shared/03080104.xhp\">Funció Tan</link></variable>"
#. juT9e
#: 03080104.xhp
@@ -19608,7 +19608,7 @@ msgctxt ""
"par_id3147434\n"
"help.text"
msgid "<literal>Pi</literal> is approximately 3.141593."
-msgstr ""
+msgstr "El valor de <literal>Pi</literal> és aproximadament de 3,141593."
#. JFRRA
#: 03080104.xhp
@@ -19815,7 +19815,7 @@ msgctxt ""
"hd_id3149416\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03080202.xhp\">Log Function (BASIC)</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03080202.xhp\">Funció Log (BASIC)</link>"
#. g9AWW
#: 03080202.xhp
@@ -20886,7 +20886,7 @@ msgctxt ""
"par_id3150767\n"
"help.text"
msgid "Number"
-msgstr ""
+msgstr "Nombre"
#. ZhDdh
#: 03080701.xhp
@@ -21336,7 +21336,7 @@ msgctxt ""
"par_id311592320434736\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/If_statement.svg\" id=\"img_id601592320434736\"><alt id=\"alt_id551592320434736\">If...EndIf statement</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/If_statement.svg\" id=\"img_id601592320434736\"><alt id=\"alt_id551592320434736\">IFENDIF expressió</alt></image>"
#. cWAi6
#: 03090101.xhp
@@ -21345,7 +21345,7 @@ msgctxt ""
"par_id591592320435808\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/ElseIf_fragment.svg\" id=\"img_id691592320435808\"><alt id=\"alt_id341592320435808\">ElseIf fragment</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/ElseIf_fragment.svg\" id=\"img_id691592320435808\"><alt id=\"alt_id341592320435808\">ElseIf fragment</alt></image>"
#. 9oiMB
#: 03090101.xhp
@@ -21354,7 +21354,7 @@ msgctxt ""
"par_id221592320436632\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Else_fragment.svg\" id=\"img_id81592320436632\"><alt id=\"alt_id391592320436632\">Else fragment</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Else_fragment.svg\" id=\"img_id81592320436632\"><alt id=\"alt_id391592320436632\">Else fragment</alt></image>"
#. DQy4R
#: 03090101.xhp
@@ -21372,7 +21372,7 @@ msgctxt ""
"par_id631592322239043\n"
"help.text"
msgid "<emph>If</emph> statements can be shortened to one line when using single statement blocks."
-msgstr ""
+msgstr "<emph>Si</emph> les expressions es poden escurçar a una línia quan s'utilitzen blocs d'expressió simples."
#. VDj9r
#: 03090101.xhp
@@ -21381,7 +21381,7 @@ msgctxt ""
"par_id3153062\n"
"help.text"
msgid "The <emph>If...Then</emph> statement executes program blocks depending on given conditions. When %PRODUCTNAME Basic encounters an <emph>If</emph> statement, the condition is tested. If the condition is <literal>True</literal>, all subsequent statements up to the next <emph>Else</emph> or <emph>ElseIf</emph> statement are executed. If the condition is <literal>False</literal>, and an <emph>ElseIf</emph> statement follows, %PRODUCTNAME Basic tests the next expression and executes the following statements if the condition is <literal>True</literal>. If <literal>False</literal>, the program continues either with the next <emph>ElseIf</emph> or <emph>Else</emph> statement. Statements following <emph>Else</emph> are executed only if none of the previously tested conditions were <literal>True</literal>. After all conditions are evaluated, and the corresponding statements executed, the program continues with the statement following <emph>EndIf</emph>."
-msgstr ""
+msgstr "L'expressió <emph>IfThen</emph> executa blocs de programa en funció de condicions donades. Quan el àsic es troba amb un <emph>Cert</emph> s'executen totes les expressions posteriors fins al <literal>False</literal> o <emph>ElseIf</emph> s'executen totes les expressions posteriors fins al <literal> False</literal>. Si la condició és <literal>False</literal> el programa continua amb les següents expressions <literal>False</literal>. Després de totes les condicions avaluades el programa continua amb l'expressió <emph>EndIf</emph>."
#. NKDQG
#: 03090101.xhp
@@ -21471,7 +21471,7 @@ msgctxt ""
"par_id281588865818334\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> or <link href=\"text/sbasic/shared/03090410.xhp\">Switch</link> functions"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> o <link href=\"text/sbasic/shared/03090410.xhp\">Switch funcions</link>"
#. ArPEq
#: 03090102.xhp
@@ -21516,7 +21516,7 @@ msgctxt ""
"par_id841588605629842\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Select-Case_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">Select Case syntax</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Select-Case_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">Selecciona la sintaxi de majúscules i minúscules</alt></image>"
#. TJu4u
#: 03090102.xhp
@@ -21606,7 +21606,7 @@ msgctxt ""
"par_id3150448\n"
"help.text"
msgid "<emph>values:</emph> Any value list that is compatible with the expression. The statement block that follows the <literal>Case</literal> clause is executed if <emph>expression</emph> matches <emph>values</emph>."
-msgstr ""
+msgstr "<emph>valora</emph> Qualsevol llista de valors que siga compatible amb l'expressió. El bloc d'expressió que segueix la clàusula <literal>Case</literal> s'executa si <emph>l'expressió</emph> coincideix amb els <emph>valors</emph>."
#. oCrpX
#: 03090102.xhp
@@ -21651,7 +21651,7 @@ msgctxt ""
"par_id161588865796615\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090101.xhp\">If</link> statement"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090101.xhp\">Si expressió</link>"
#. uH3m4
#: 03090102.xhp
@@ -21660,7 +21660,7 @@ msgctxt ""
"par_id281588865818334\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> or <link href=\"text/sbasic/shared/03090410.xhp\">Switch</link> functions"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> o <link href=\"text/sbasic/shared/03090410.xhp\">Switch funcions</link>"
#. pm7E8
#: 03090103.xhp
@@ -21759,7 +21759,7 @@ msgctxt ""
"par_id161588865796615\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090101.xhp\">If</link> or <link href=\"text/sbasic/shared/03090102.xhp\">Select Case</link> statements"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090101.xhp\">Si</link> o <link href=\"text/sbasic/shared/03090102.xhp\">Selecciona les expressions Cas</link>"
#. KxSDU
#: 03090103.xhp
@@ -21867,7 +21867,7 @@ msgctxt ""
"par_id591592320435808\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Do-Loop_statement.svg\" id=\"img_id691592320435808\"><alt id=\"alt_id341592320435808\">Do...Loop statement</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Do-Loop_statement.svg\" id=\"img_id691592320435808\"><alt id=\"alt_id341592320435808\">Do...Loop expressió</alt></image>"
#. VVtxi
#: 03090201.xhp
@@ -21930,7 +21930,7 @@ msgctxt ""
"par_id161588865796615\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090202.xhp\">For</link>, <link href=\"text/sbasic/shared/03090102.xhp\">Select Case</link> or <link href=\"text/sbasic/shared/03090203.xhp\">While</link> statements"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090202.xhp\">Per a</link> <link href=\"text/sbasic/shared/03090102.xhp\">Selecciona el cas</link> o <link href=\"text/sbasic/shared/03090203.xhp\">mentre que les expressions</link>"
#. BB6L9
#: 03090201.xhp
@@ -21939,7 +21939,7 @@ msgctxt ""
"par_id281588865818334\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> or <link href=\"text/sbasic/shared/03090410.xhp\">Switch</link> functions"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090103.xhp\">Iif</link> o <link href=\"text/sbasic/shared/03090410.xhp\">Switch funcions</link>"
#. QECNJ
#: 03090202.xhp
@@ -21957,7 +21957,7 @@ msgctxt ""
"bm_id3149205\n"
"help.text"
msgid "<bookmark_value>For statement</bookmark_value><bookmark_value>For Each statement</bookmark_value><bookmark_value>In keyword</bookmark_value><bookmark_value>Next keyword</bookmark_value><bookmark_value>Step keyword</bookmark_value><bookmark_value>To keyword</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Per a l'expressió</bookmark_value><bookmark_value>per a cada expressió</bookmark_value><bookmark_value>En paraula clau</bookmark_value><bookmark_value>Paraula clau</bookmark_value><bookmark_value>Step paraula clau</bookmark_value><bookmark_value>paraula clau</bookmark_value>"
#. nDNK5
#: 03090202.xhp
@@ -21993,7 +21993,7 @@ msgctxt ""
"par_id491585753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/For-Next_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">For Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/For-Next_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">per al diagrama d'extracte</alt></image>"
#. SuZFA
#: 03090202.xhp
@@ -22020,7 +22020,7 @@ msgctxt ""
"par_id491585653339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/For-Each_statement.svg\" id=\"img_id4156297484514\"><alt id=\"alt_id15152797484514\">For Each Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/For-Each_statement.svg\" id=\"img_id4156297484514\"><alt id=\"alt_id15152797484514\">Per a cada diagrama d'extracte</alt></image>"
#. YbrKJ
#: 03090202.xhp
@@ -22056,7 +22056,7 @@ msgctxt ""
"par_id3150358\n"
"help.text"
msgid "<emph>counter:</emph> Loop <literal>counter</literal> initially assigned the value to the right of the equal sign (<literal>start</literal>). Only numeric variables are valid. The loop counter increases or decreases according to the variable <literal>step</literal> until <literal>end</literal> is passed."
-msgstr ""
+msgstr "<emph>contra</emph> Loop <literal>contra</literal> inicialment assignava el valor a la dreta del signe igual (<literal>inicia</literal>). Només són vàlides les variables numèriques. El comptador de bucles augmenta o disminueix segons la variable <literal>pas</literal> fins que es passa <literal>final</literal>."
#. crpJL
#: 03090202.xhp
@@ -22065,7 +22065,7 @@ msgctxt ""
"par_id3152455\n"
"help.text"
msgid "<emph>start:</emph> Numeric variable that defines the initial value at the beginning of the loop."
-msgstr ""
+msgstr "<emph>inicia la variable</emph> Numeric que defineix el valor inicial al començament del bucle."
#. u8ZEL
#: 03090202.xhp
@@ -22074,7 +22074,7 @@ msgctxt ""
"par_id3151043\n"
"help.text"
msgid "<emph>end:</emph> Numeric variable that defines the final value at the end of the loop."
-msgstr ""
+msgstr "<emph> end</emph> Variable numèrica que defineix el valor final al final del bucle."
#. TmxSC
#: 03090202.xhp
@@ -22263,7 +22263,7 @@ msgctxt ""
"bm_id3150400\n"
"help.text"
msgid "<bookmark_value>While;While...Wend loop</bookmark_value> <bookmark_value>While;While Wend loop</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>While;WhileWend bucle</bookmark_value><bookmark_value>Mentre;While Wend bucle</bookmark_value>"
#. piD5w
#: 03090203.xhp
@@ -22308,7 +22308,7 @@ msgctxt ""
"par_id831588865616326\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/While_statement.svg\" id=\"img_id651588865616326\"><alt id=\"alt_id281588865616326\">While syntax</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/While_statement.svg\" id=\"img_id651588865616326\"><alt id=\"alt_id281588865616326\">Mentre sintaxi</alt></image>"
#. DZ929
#: 03090203.xhp
@@ -22398,7 +22398,7 @@ msgctxt ""
"hd_id3147242\n"
"help.text"
msgid "<variable id=\"GoSubh1\"><link href=\"text/sbasic/shared/03090301.xhp\">GoSub...Return Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"GoSubh1\"><link href=\"text/sbasic/shared/03090301.xhp\">GoSubReturn Expressió</link></variable>"
#. HSYep
#: 03090301.xhp
@@ -22542,7 +22542,7 @@ msgctxt ""
"hd_id3159413\n"
"help.text"
msgid "<variable id=\"GoToh1\"><link href=\"text/sbasic/shared/03090302.xhp\">GoTo Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"GoToh1\"><link href=\"text/sbasic/shared/03090302.xhp\">GoTo Expressió</link></variable>"
#. zmo8E
#: 03090302.xhp
@@ -22587,7 +22587,7 @@ msgctxt ""
"par_id3152596\n"
"help.text"
msgid "Use the <literal>GoTo</literal> statement to instruct $[officename] Basic to continue program execution at another place within the procedure. The position must be indicated by a label. To set a label, assign a name, and end it with a colon (\":\")."
-msgstr ""
+msgstr "Utilitzeu l'expressió <literal>GoTo</literal> per instruir al $[officename] Basic que continue l'execució del programa en un altre lloc dins del procediment. La posició s'ha d'indicar amb una etiqueta. Per establir una etiqueta, un nom i acabeu-lo amb dos punts (\":\")."
#. 8o2aP
#: 03090302.xhp
@@ -22650,7 +22650,7 @@ msgctxt ""
"bm_id3153897\n"
"help.text"
msgid "<bookmark_value>On...GoSub statement</bookmark_value> <bookmark_value>On...GoTo statement</bookmark_value> <bookmark_value>label; in On...GoSub statement</bookmark_value> <bookmark_value>label; in On...GoTo statement</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>expressió OnGoSub</bookmark_value><bookmark_value>expressió OnGoTo</bookmark_value> <bookmark_value>etiqueta; en expressió OnGoSub etiqueta</bookmark_value><bookmark_value>; en expressió OnGoTo</bookmark_value>"
#. nDExE
#: 03090303.xhp
@@ -22677,7 +22677,7 @@ msgctxt ""
"par_id841588605629842\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/On-GoSub-GoTo_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">On GoSub/GoTo syntax</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/On-GoSub-GoTo_statement.svg\" id=\"img_id931588605629842\"><alt id=\"alt_id931588605629842\">A GoSub/GoTo sintaxi</alt></image>"
#. 7DeW7
#: 03090303.xhp
@@ -23586,7 +23586,7 @@ msgctxt ""
"par_id181647247913872\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/01010210.xhp\">Subroutines basics</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/01010210.xhp\">Conceptes bàsics quant a les subrutines</link>"
#. yZEAJ
#: 03090407.xhp
@@ -23748,7 +23748,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Sub_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Sub Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Sub_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Subdiagrama</alt></image>"
#. YnF6z
#: 03090409.xhp
@@ -23793,7 +23793,7 @@ msgctxt ""
"par_id181647247913872\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/01010210.xhp\">Subroutines basics</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/01010210.xhp\">Conceptes bàsics quant a les subrutines</link>"
#. CCDzt
#: 03090410.xhp
@@ -23820,7 +23820,7 @@ msgctxt ""
"hd_id3148554\n"
"help.text"
msgid "<variable id=\"Switch_h1\"><link href=\"text/sbasic/shared/03090410.xhp\">Switch Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Switch_h1\"><link href=\"text/sbasic/shared/03090410.xhp\">Funció Switch</link></variable>"
#. yBnoz
#: 03090410.xhp
@@ -23928,7 +23928,7 @@ msgctxt ""
"par_id491585753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/With_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">With statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/With_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">amb el diagrama d'estats</alt></image>"
#. gnpSD
#: 03090411.xhp
@@ -24144,7 +24144,7 @@ msgctxt ""
"par_id491585753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Type_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Type statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Type_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Type expressió</alt></image>"
#. edCVA
#: 03090413.xhp
@@ -24594,7 +24594,7 @@ msgctxt ""
"par_id3155419\n"
"help.text"
msgid "Boolean"
-msgstr ""
+msgstr "Booleà"
#. BCw6W
#: 03100100.xhp
@@ -24909,7 +24909,7 @@ msgctxt ""
"par_id3159417\n"
"help.text"
msgid "If the argument is an error, the error number is used as numeric value of the expression."
-msgstr ""
+msgstr "Si l'argument és un error, el número d'error s'utilitza com a valor numèric de l'expressió."
#. S3UH5
#: 03100500.xhp
@@ -25035,7 +25035,7 @@ msgctxt ""
"par_id3147264\n"
"help.text"
msgid "A constant is a variable that helps to improve the readability of a program. Constants are not defined as a specific type of variable, but rather are used as placeholders in the code. You can only define a constant once and it cannot be modified."
-msgstr ""
+msgstr "Una constant és una variable que ajuda a millorar la comprensibilitat d'un programa. Les constants no es defineixen com un tipus específic de variable, sinó que s'utilitzen com a espais reservats al codi. Només es pot definir una constant un cop i no és possible modificar-la."
#. ucqd6
#: 03100700.xhp
@@ -25080,7 +25080,7 @@ msgctxt ""
"par_id3150400\n"
"help.text"
msgid "The data type must be omitted. When a library gets loaded in memory, %PRODUCTNAME Basic converts the program code internally so that each time a constant is used, the defined expression replaces it."
-msgstr ""
+msgstr "El tipus de dades s'ha d'ometre. Quan es carrega una biblioteca a la memòria percent %PRODUCTNAME Basic converteix internament el codi del programa de manera que cada vegada que s'utilitza una constant l'expressió definida la substitueix."
#. fYdeb
#: 03100700.xhp
@@ -25107,7 +25107,7 @@ msgctxt ""
"par_id241593693307830\n"
"help.text"
msgid "<literal>Global</literal>, <literal>Private</literal> and <literal>Public</literal> specifiers can only be used for module constants."
-msgstr ""
+msgstr "<literal>Global</literal> <literal>Private</literal> i <literal>Public</literal> specifiers només es poden utilitzar per a constants de mòduls."
#. 7HRGK
#: 03100700.xhp
@@ -26115,7 +26115,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Dim_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Dim Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Dim_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes Dim</alt></image>"
#. bEQhy
#: 03102100.xhp
@@ -26151,7 +26151,7 @@ msgctxt ""
"par_id3154510\n"
"help.text"
msgid "<emph>typename:</emph> Keyword that declares the data type of a variable."
-msgstr ""
+msgstr "<emph>typename</emph> Paraula clau que declara el tipus de dades d'una variable."
#. Rqp83
#: 03102100.xhp
@@ -26205,7 +26205,7 @@ msgctxt ""
"par_id3148405\n"
"help.text"
msgid "<emph>Double:</emph> Double-precision floating-point variable (1,79769313486232 x 10E308 - 4,94065645841247 x 10E-324)"
-msgstr ""
+msgstr "<emph>Doble</emph> Variable de coma flotant de precisió doble (1797693134862332 x 10E308 - 494065645841247 x 10E-324)"
#. kBUDz
#: 03102100.xhp
@@ -26259,7 +26259,7 @@ msgctxt ""
"par_id3154704\n"
"help.text"
msgid "<emph>Variant:</emph> Variant variable type (contains all types, specified by definition). If a type name is not specified, variables are automatically defined as Variant Type, unless a statement from <literal>DefBool</literal> to <literal>DefVar</literal> is used."
-msgstr ""
+msgstr "<emph>Variant</emph> Variant Variant Tipus (conté tots els tipus especificats per definició). Si no s'especifica un nom de tipus les variables es defineixen automàticament com a Tipus Variant llevat que s'utilitze una declaració de <literal>DefBool</literal> a <literal>DefVar</literal>."
#. JGjKs
#: 03102100.xhp
@@ -26268,7 +26268,7 @@ msgctxt ""
"par_id21587667790810\n"
"help.text"
msgid "<emph>object:</emph> Universal Network object (UNO) object or <link href=\"text/sbasic/shared/classmodule\">ClassModule</link> object instance."
-msgstr ""
+msgstr "<emph>objecte</emph> Universal Network objecte (UNO) objecte o <link href=\"text/sbasic/shared/classmodule\">ClassModule</link> instància d'objecte."
#. NbDcm
#: 03102100.xhp
@@ -26322,7 +26322,7 @@ msgctxt ""
"par_id3147125\n"
"help.text"
msgid "<emph>start, end:</emph> Numerical values or constants that define the number of elements (NumberElements=(end-start)+1) and the index range."
-msgstr ""
+msgstr "<emph>inici final</emph> Valors numèrics o constants que defineixen el nombre d'elements (NumberElements=(final-start)+1) i l'interval d'índexs."
#. T2g5D
#: 03102100.xhp
@@ -26331,7 +26331,7 @@ msgctxt ""
"par_id3153877\n"
"help.text"
msgid "<emph>start</emph> and <emph>end</emph> can be numerical expressions if <literal>ReDim</literal> is applied at the procedure level."
-msgstr ""
+msgstr "<emph>inicia</emph> i <emph>final</emph> poden ser expressions numèriques si <literal>ReDim</literal> s'aplica al nivell de procediment."
#. JkDDD
#: 03102100.xhp
@@ -26466,7 +26466,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/ReDim_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">ReDim Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/ReDim_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes ReDim</alt></image>"
#. bD6eG
#: 03102101.xhp
@@ -26790,7 +26790,7 @@ msgctxt ""
"par_idN1054E\n"
"help.text"
msgid "<variable id=\"IsErrorh1\"><link href=\"text/sbasic/shared/03102450.xhp\">IsError Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"IsErrorh1\"><link href=\"text/sbasic/shared/03102450.xhp\">IsError Funció</link></variable>"
#. yQg58
#: 03102450.xhp
@@ -27141,7 +27141,7 @@ msgctxt ""
"par_id3156024\n"
"help.text"
msgid "Boolean"
-msgstr ""
+msgstr "Booleà"
#. rTuwL
#: 03102800.xhp
@@ -27150,7 +27150,7 @@ msgctxt ""
"par_id3148552\n"
"help.text"
msgid "<emph>var:</emph> The variable to be tested."
-msgstr ""
+msgstr "<emph>var</emph>: la variable que s'ha de provar."
#. CTnv9
#: 03102800.xhp
@@ -27366,7 +27366,7 @@ msgctxt ""
"par_id41586012988213\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/LetSet_statement.svg\" id=\"img_id4156306484514\"><alt id=\"alt_id15152796484514\">Let Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/LetSet_statement.svg\" id=\"img_id4156306484514\"><alt id=\"alt_id15152796484514\">Diagrama d'estats D</alt></image>"
#. X4WmE
#: 03103100.xhp
@@ -27438,7 +27438,7 @@ msgctxt ""
"hd_id3155805\n"
"help.text"
msgid "<variable id=\"optionbasestatement\"><link href=\"text/sbasic/shared/03103200.xhp\">Option Base Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"optionbasestatement\"><link href=\"text/sbasic/shared/03103200.xhp\">Expressió base</link></variable>"
#. 7SyG9
#: 03103200.xhp
@@ -27483,7 +27483,7 @@ msgctxt ""
"hd_id3145090\n"
"help.text"
msgid "<variable id=\"explicitstatement\"><link href=\"text/sbasic/shared/03103300.xhp\">Option Explicit Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"explicitstatement\"><link href=\"text/sbasic/shared/03103300.xhp\">Opció Explícita expressió</link></variable>"
#. kHGHE
#: 03103300.xhp
@@ -27519,7 +27519,7 @@ msgctxt ""
"bm_id3145090\n"
"help.text"
msgid "<bookmark_value>Microsoft Excel macros support;Enable</bookmark_value> <bookmark_value>Microsoft Excel macros support;Option VBASupport statement</bookmark_value> <bookmark_value>VBA Support;Option VBASupport statement</bookmark_value> <bookmark_value>Option VBASupport statement</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>implementació de macros de Microsoft Excel;Enable</bookmark_value><bookmark_value>implementació de macros d'Excel de Microsoft;Opció VBASupport expressió</bookmark_value><bookmark_value>suport VBA;Opció VBASupport expressió</bookmark_value><bookmark_value>expressió VBASupport</bookmark_value>"
#. dLDx6
#: 03103350.xhp
@@ -27528,7 +27528,7 @@ msgctxt ""
"hd_id3145090\n"
"help.text"
msgid "<variable id=\"vbasupportstatement\"><link href=\"text/sbasic/shared/03103350.xhp\">Option VBASupport Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"vbasupportstatement\"><link href=\"text/sbasic/shared/03103350.xhp\">Opció VBASupport Expressió</link></variable>"
#. Cp5GM
#: 03103350.xhp
@@ -27555,7 +27555,7 @@ msgctxt ""
"par_id941552915528262\n"
"help.text"
msgid "When VBA support is enabled, %PRODUCTNAME Basic function arguments and return values are the same as their VBA functions counterparts. When the support is disabled, %PRODUCTNAME Basic functions may accept arguments and return values different of their VBA counterparts."
-msgstr ""
+msgstr "Quan s'activa la compatibilitat amb VBA els arguments de la funció del Basic i els valors de retorn són els mateixos que les seues contraparts de funcions del VBA. Quan la implementació està inhabilitada les funcions del Basic del %PRODUCTNAME poden acceptar arguments i retornar valors diferents dels seus contraparts del VBA."
#. UE4bQ
#: 03103350.xhp
@@ -27672,7 +27672,7 @@ msgctxt ""
"bm_id3159201\n"
"help.text"
msgid "<bookmark_value>Global keyword</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>GA Global paraula clau</bookmark_value>"
#. 7Jwha
#: 03103450.xhp
@@ -27681,7 +27681,7 @@ msgctxt ""
"hd_id3159201\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03103450.xhp\">Global keyword</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03103450.xhp\">GA Global paraula clau</link>"
#. rrYQS
#: 03103450.xhp
@@ -27906,7 +27906,7 @@ msgctxt ""
"par_id3145171\n"
"help.text"
msgid "TypeName<br/>values"
-msgstr ""
+msgstr "Valors per a<br/>TypeName"
#. AqZZY
#: 03103600.xhp
@@ -27915,7 +27915,7 @@ msgctxt ""
"par_id051620170608269696\n"
"help.text"
msgid "Named<br/>constant"
-msgstr ""
+msgstr "Constant<br/>amb nom"
#. ZyZMD
#: 03103600.xhp
@@ -28167,7 +28167,7 @@ msgctxt ""
"par_idN10623\n"
"help.text"
msgid "<literal>Nothing</literal> - Assign <literal>Nothing</literal> to a variable to remove a previous assignment."
-msgstr ""
+msgstr "<literal>Res</literal> - Assigna <literal>Res</literal> a una variable per eliminar una assignació anterior."
#. 4WqJK
#: 03103700.xhp
@@ -28185,7 +28185,7 @@ msgctxt ""
"par_id841586014507226\n"
"help.text"
msgid "<literal>New</literal> creates UNO objects or <link href=\"text/sbasic/shared/classmodule\">class module</link> objects, before assigning it to a variable."
-msgstr ""
+msgstr "<literal>Nou</literal> crea objectes UNO o objectes <link href=\"text/sbasic/shared/classmodule\">de classe mòdul</link> abans d'assignar-los a una variable."
#. ukqdX
#: 03103800.xhp
@@ -29031,7 +29031,7 @@ msgctxt ""
"par_id831588865616326\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Erase_statement.svg\" id=\"img_id651588865616326\"><alt id=\"alt_id281588865616326\">Erase syntax</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Erase_statement.svg\" id=\"img_id651588865616326\"><alt id=\"alt_id281588865616326\">Erase sintaxi</alt></image>"
#. CCyg8
#: 03104700.xhp
@@ -29094,7 +29094,7 @@ msgctxt ""
"par_id761588867124078\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03102900.xhp\">Lbound</link> and <link href=\"text/sbasic/shared/03103000.xhp\">Ubound</link> functions"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03102900.xhp\">Lbound</link> i <link href=\"text/sbasic/shared/03103000.xhp\">Ubound</link>"
#. bDVn8
#: 03110100.xhp
@@ -29310,7 +29310,7 @@ msgctxt ""
"hd_id3150499\n"
"help.text"
msgid "<variable id=\"Asc_h1\"><link href=\"text/sbasic/shared/03120101.xhp\">Asc Function (BASIC)</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Asc_h1\"><link href=\"text/sbasic/shared/03120101.xhp\">Funció Asc (BASIC)</link></variable>"
#. 8jiwA
#: 03120101.xhp
@@ -29364,7 +29364,7 @@ msgctxt ""
"par_id3148797\n"
"help.text"
msgid "Print ASC(string:=\"Z\") ' returns 90"
-msgstr ""
+msgstr "Print ASC(string:=\"Z\") ' retorna 90"
#. raPFD
#: 03120101.xhp
@@ -29733,7 +29733,7 @@ msgctxt ""
"bas_id911641237027667\n"
"help.text"
msgid "' The example below returns 0 (zero) since the string provided does not start with a number"
-msgstr ""
+msgstr "' L'exemple següent retorna 0 (zero) perquè la cadena fornida no comença per un nombre"
#. MeApW
#: 03120105.xhp
@@ -29868,7 +29868,7 @@ msgctxt ""
"par_id3148797\n"
"help.text"
msgid "Print AscW(string:=\"Ω\") ' returns 937"
-msgstr ""
+msgstr "Print AscW(string:=\"Ω\") ' retorna 937"
#. KNmoP
#: 03120111.xhp
@@ -30057,7 +30057,7 @@ msgctxt ""
"par_id3143228\n"
"help.text"
msgid "<emph>n:</emph> Numeric expression that defines the number of spaces in the string. The maximum allowed value of <emph>n</emph> is 2,147,483,648."
-msgstr ""
+msgstr "<emph>n</emph> Expressió numèrica que defineix el nombre d'espais en la cadena. El valor màxim permés de <emph>n</emph> és de 2147483648."
#. xfAcE
#: 03120201.xhp
@@ -30255,7 +30255,7 @@ msgctxt ""
"par_id3148474\n"
"help.text"
msgid "Text string."
-msgstr ""
+msgstr "Cadena de text."
#. 8DmPW
#: 03120301.xhp
@@ -30273,7 +30273,7 @@ msgctxt ""
"par_id3147265\n"
"help.text"
msgid "The following list describes the codes that you can use for formatting a numeric expression:"
-msgstr ""
+msgstr "La llista següent descriu els codis que podeu fer servir per a formatar una expressió numèrica:"
#. LJGi5
#: 03120301.xhp
@@ -30948,7 +30948,7 @@ msgctxt ""
"par_id3150359\n"
"help.text"
msgid "<emph>Start: </emph>Numeric expression that indicates the character position within the string where the string portion that you want to replace or to return begins. The minimum allowed value is 1. The maximum allowed value is 2,147,483,648."
-msgstr ""
+msgstr "<emph>Inicia </emph>Expressió numèrica que indica la posició del caràcter dins de la cadena on comença la porció de cadena que voleu reemplaçar o retornar. El valor mínim permés és 1. El valor màxim permés és 2147483648."
#. dtyT5
#: 03120306.xhp
@@ -32073,7 +32073,7 @@ msgctxt ""
"par_id3154758\n"
"help.text"
msgid "<emph>Compare:</emph> Optional numeric expression that defines the type of comparison. The value of this parameter can be"
-msgstr ""
+msgstr "<emph>Compara</emph> expressió numèrica opcional que defineix el tipus de comparació. El valor d'aquest paràmetre pot ser"
#. asNfw
#: 03120411.xhp
@@ -32244,7 +32244,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Beep_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Beep Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Beep_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes de </alt></image>"
#. 9FABw
#: 03130500.xhp
@@ -32352,7 +32352,7 @@ msgctxt ""
"par_id221651081957774\n"
"help.text"
msgid "Meaning"
-msgstr ""
+msgstr "Significat"
#. KVBLe
#: 03130500.xhp
@@ -33126,7 +33126,7 @@ msgctxt ""
"hd_id3150682\n"
"help.text"
msgid "<variable id=\"createunoserviceh1\"><link href=\"text/sbasic/shared/03131600.xhp\">CreateUnoService Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"createunoserviceh1\"><link href=\"text/sbasic/shared/03131600.xhp\">CreateUnoService Funció</link></variable>"
#. ztccV
#: 03131600.xhp
@@ -33180,7 +33180,7 @@ msgctxt ""
"par_idN10625\n"
"help.text"
msgid "The following code uses the service <literal>com.sun.star.ui.dialogs.FilePicker</literal> to show a file open dialog:"
-msgstr ""
+msgstr "El codi següent utilitza el servei <literal>com.sun.star.ui.dialogs.FilePicker</literal> per a mostrar un diàleg d'obertura de fitxers:"
#. WENTD
#: 03131600.xhp
@@ -33342,7 +33342,7 @@ msgctxt ""
"bm_id3150682\n"
"help.text"
msgid "<bookmark_value>GlobalScope specifier</bookmark_value><bookmark_value>library systems</bookmark_value><bookmark_value>Library container</bookmark_value><bookmark_value>GlobalScope</bookmark_value><bookmark_value>API; BasicLibraries</bookmark_value><bookmark_value>API; DialogLibraries</bookmark_value><bookmark_value>BasicLibraries; library container</bookmark_value><bookmark_value>DialogLibraries; library container</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>GlobalScope Especificador</bookmark_value><bookmark_value>biblioteca sistemes</bookmark_value><bookmark_value>Biblioteca contenidor</bookmark_value><bookmark_value>GlobalScope</bookmark_value><bookmark_value>API; BasicLibraries</bookmark_value><bookmark_value>API; DiàlegLibraries</bookmark_value><bookmark_value>BasicLibraries; contenidor de biblioteca</bookmark_value><bookmark_value>DiàlegLibraries; contenidor de biblioteca </bookmark_value><bookmark_value>APILibrari</bookmark_value>"
#. ZAFpM
#: 03131900.xhp
@@ -33387,7 +33387,7 @@ msgctxt ""
"par_id3153061\n"
"help.text"
msgid "Basic libraries and modules can be managed with the <literal>BasicLibraries</literal> object. Libraries can be searched, explored and loaded on request. <link href=\"text/sbasic/python/python_document_events.xhp\">Monitoring Documents Events</link> illustrates %PRODUCTNAME library loading."
-msgstr ""
+msgstr "Les biblioteques i mòduls bàsics es poden gestionar amb l'objecte <literal>BasicLibraries</literal>. Les biblioteques es poden explorar i carregar a petició. <link href=\"text/sbasic/python/python_document_events.xhp\">Seguiment de documents esdeveniments</link> illustra la càrrega de la biblioteca del %PRODUCTNAME."
#. retJJ
#: 03131900.xhp
@@ -33405,7 +33405,7 @@ msgctxt ""
"par_id3148663\n"
"help.text"
msgid "Dialog libraries and dialogs can be managed with the <literal>DialogLibraries</literal> object. <link href=\"text/sbasic/guide/show_dialog.xhp\">Opening a Dialog With Basic</link> illustrates how to display %PRODUCTNAME shared dialogs."
-msgstr ""
+msgstr "Les biblioteques i els diàlegs es poden gestionar amb l'objecte <literal>DialogLibraries</literal>. <link href=\"text/sbasic/guide/show_dialog.xhp\">L'obertura d'un diàleg amb</link> bàsic il·lustra com es mostren els diàlegs compartits del."
#. XUR24
#: 03131900.xhp
@@ -33774,7 +33774,7 @@ msgctxt ""
"hd_id3155310\n"
"help.text"
msgid "<variable id=\"getguitype2\"><link href=\"text/sbasic/shared/03132100.xhp\">GetGuiType Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"getguitype2\"><link href=\"text/sbasic/shared/03132100.xhp\">GetGuiType Funció</link></variable>"
#. 2DTJG
#: 03132100.xhp
@@ -33864,7 +33864,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ThisComponent Object"
-msgstr ""
+msgstr "Objecte ThisComponent"
#. AKrki
#: 03132200.xhp
@@ -33873,7 +33873,7 @@ msgctxt ""
"bm_id3155342\n"
"help.text"
msgid "<bookmark_value>ThisComponent object</bookmark_value> <bookmark_value>components;addressing</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>ThisComponent objecte</bookmark_value><bookmark_value> components;adreçant</bookmark_value>"
#. 7vAYp
#: 03132200.xhp
@@ -33882,7 +33882,7 @@ msgctxt ""
"hd_id3155342\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03132200.xhp\">ThisComponent Object</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03132200.xhp\">Objecte ThisComponent</link>"
#. ECFFs
#: 03132200.xhp
@@ -33981,7 +33981,7 @@ msgctxt ""
"par_id105622646874083\n"
"help.text"
msgid "<link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1formula_1_1FormulaProperties.html\">com.sun.star.formula.FormulaProperties</link> API service"
-msgstr ""
+msgstr "Servei de l'API <link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1formula_1_1FormulaProperties.html\">com.sun.star.formula.FormulaProperties</link>"
#. xpG9X
#: 03132200.xhp
@@ -33990,7 +33990,7 @@ msgctxt ""
"par_id106622646874083\n"
"help.text"
msgid "<link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1sdb_1_1OfficeDatabaseDocument.html\">com.sun.star.sdb.OfficeDatabaseDocument</link> API service"
-msgstr ""
+msgstr "Servei de l'API <link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1sdb_1_1OfficeDatabaseDocument.html\">com.sun.star.sdb.OfficeDatabaseDocument</link>"
#. edFXK
#: 03132200.xhp
@@ -33999,7 +33999,7 @@ msgctxt ""
"par_id581622646875379\n"
"help.text"
msgid "<link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1document_1_1OfficeDocument.html\">com.sun.star.document.OfficeDocument</link> API service"
-msgstr ""
+msgstr "Servei de l'API <link href=\"https://api.libreoffice.org/docs/idl/ref/servicecom_1_1sun_1_1star_1_1document_1_1OfficeDocument.html\">com.sun.star.document.OfficeDocument</link>"
#. QgZSF
#: 03132300.xhp
@@ -34062,7 +34062,7 @@ msgctxt ""
"par_id851677925987795\n"
"help.text"
msgid "Object"
-msgstr ""
+msgstr "Objecte"
#. ykaLN
#: 03132300.xhp
@@ -34377,7 +34377,7 @@ msgctxt ""
"par_id061420170420241668\n"
"help.text"
msgid "<emph>NPer</emph> is the total number of periods (payment period)."
-msgstr ""
+msgstr "<emph>NPer</emph> és el nombre total de períodes (període de pagament)."
#. Rb8hf
#: 03140001.xhp
@@ -34386,7 +34386,7 @@ msgctxt ""
"par_id061420170420248911\n"
"help.text"
msgid "<emph>Pmt</emph> is the annuity paid regularly per period."
-msgstr ""
+msgstr "<emph>Pmt</emph> és l'anualitat pagada regularment per període."
#. xbRhK
#: 03140001.xhp
@@ -34404,7 +34404,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. RgSMC
#: 03140001.xhp
@@ -34521,7 +34521,7 @@ msgctxt ""
"par_id061420170730148520\n"
"help.text"
msgid "<emph>FV</emph> (optional) is the desired value (future value) at the end of the periods."
-msgstr ""
+msgstr "<emph>FV</emph> (opcional) és el valor desitjat (valor futur) al final dels períodes."
#. NAkQG
#: 03140002.xhp
@@ -34530,7 +34530,7 @@ msgctxt ""
"par_id061420170730141431\n"
"help.text"
msgid "<emph>Due</emph> (optional) is the due date for the periodic payments."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) és la data de venciment dels pagaments periòdics."
#. DAsKq
#: 03140002.xhp
@@ -34683,7 +34683,7 @@ msgctxt ""
"par_id061420170730135034\n"
"help.text"
msgid "<emph>Values(): </emph>An array of cash flows, representing a series of payments and income, where negative values are treated as payments and positive values are treated as income. This array must contain at least one negative and at least one positive value."
-msgstr ""
+msgstr "<emph>Valors() </emph>Una matriu de fluxos de caixa que representen una sèrie de pagaments i ingressos on els valors negatius es tracten com a pagaments i els valors positius es tracten com a ingressos. Aquesta matriu ha de contindre almenys un valor negatiu i almenys un valor positiu."
#. BWkcM
#: 03140004.xhp
@@ -34692,7 +34692,7 @@ msgctxt ""
"par_id061620170513518949\n"
"help.text"
msgid "<emph>Investment</emph>: is the rate of interest of the investments (the negative values of the array)."
-msgstr ""
+msgstr "<emph>Investment</emph> és la taxa d'interés de les inversions (els valors negatius de la matriu)."
#. HNYms
#: 03140004.xhp
@@ -34701,7 +34701,7 @@ msgctxt ""
"par_id061420170730137782\n"
"help.text"
msgid "<emph>ReinvestRate:</emph> the rate of interest of the reinvestment (the positive values of the array)."
-msgstr ""
+msgstr "<emph>ReinvestRate</emph> la taxa d'interés de la reinversió (els valors positius de la matriu)."
#. EL4an
#: 03140004.xhp
@@ -34782,7 +34782,7 @@ msgctxt ""
"par_id061420170420246794\n"
"help.text"
msgid "<emph>PV</emph> is the (present) cash value of an investment."
-msgstr ""
+msgstr "<emph>PV</emph> és el valor efectiu (present) d'una inversió."
#. HxyXz
#: 03140005.xhp
@@ -34791,7 +34791,7 @@ msgctxt ""
"par_id061620170603217534\n"
"help.text"
msgid "<emph>FV</emph> (optional) is the future value of the loan / investment."
-msgstr ""
+msgstr "<emph>FV</emph> (opcional) és el valor futur del préstec / inversió."
#. BE7hi
#: 03140005.xhp
@@ -34800,7 +34800,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. L3fxR
#: 03140005.xhp
@@ -34890,7 +34890,7 @@ msgctxt ""
"par_id061420170420248911\n"
"help.text"
msgid "<emph>Values()</emph> is an array that represent deposits (positive values) or withdrawals (negative values)."
-msgstr ""
+msgstr "<emph>Valors()</emph> és una matriu que representa dipòsits (valors positius) o retirades (valors negatius)."
#. UaBkD
#: 03140006.xhp
@@ -34899,7 +34899,7 @@ msgctxt ""
"par_id230720172234199811\n"
"help.text"
msgid "Print p ' returns 174,894967305331"
-msgstr ""
+msgstr "Print p ' retorna 174,894967305331"
#. ezmrZ
#: 03140006.xhp
@@ -34989,7 +34989,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. rJ4Ua
#: 03140007.xhp
@@ -35097,7 +35097,7 @@ msgctxt ""
"par_id230720172341443986\n"
"help.text"
msgid "<emph>Per</emph> The period number for which you want to calculate the principal payment (must be an integer between 1 and Nper)."
-msgstr ""
+msgstr "<emph>Per</emph> El número de període pel qual voleu calcular el pagament principal (ha de ser un enter entre 1 i Nper)."
#. yNqFG
#: 03140008.xhp
@@ -35115,7 +35115,7 @@ msgctxt ""
"par_id061420170420246794\n"
"help.text"
msgid "<emph>PV</emph> is the (present) cash value of an investment."
-msgstr ""
+msgstr "<emph>PV</emph> és el valor efectiu (present) d'una inversió."
#. Aj55j
#: 03140008.xhp
@@ -35133,7 +35133,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. XCNmC
#: 03140008.xhp
@@ -35295,7 +35295,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. EhdfK
#: 03140009.xhp
@@ -35403,7 +35403,7 @@ msgctxt ""
"par_id061420170420246794\n"
"help.text"
msgid "<emph>Pmt</emph> is the regular payment made per period."
-msgstr ""
+msgstr "<emph>Pmt</emph> és el pagament regular realitzat per període."
#. CHVqQ
#: 03140010.xhp
@@ -35430,7 +35430,7 @@ msgctxt ""
"par_id061420170420241932\n"
"help.text"
msgid "<emph>Due</emph> (optional) defines whether the payment is due at the beginning or the end of a period."
-msgstr ""
+msgstr "<emph>Due</emph> (opcional) defineix si el pagament es deu al començament o al final d'un període."
#. MmFDv
#: 03140010.xhp
@@ -35547,7 +35547,7 @@ msgctxt ""
"par_id24072017011739895\n"
"help.text"
msgid "<emph>Salvage</emph> is the value of an asset at the end of the depreciation."
-msgstr ""
+msgstr "<emph>Salvage</emph> és el valor d'un actiu al final de la depreciació."
#. gEFms
#: 03140011.xhp
@@ -35556,7 +35556,7 @@ msgctxt ""
"par_id240720170117395610\n"
"help.text"
msgid "<emph>Life </emph>is the depreciation period determining the number of periods in the depreciation of the asset."
-msgstr ""
+msgstr "<emph>Life </emph>és el període de depreciació que determina el nombre de períodes en la depreciació de l'actiu."
#. wwJAA
#: 03140011.xhp
@@ -35763,7 +35763,7 @@ msgctxt ""
"par_id24072017011739895\n"
"help.text"
msgid "<emph>NamedFormat</emph>: An optional <emph>vbDateTimeFormat</emph> enumeration specifying the format that is to be applied to the date and time expression. If omitted, the value <emph>vbGeneralDate</emph> is used."
-msgstr ""
+msgstr "<emph>NamedFormat</emph> Una llista <emph>vbDateTimeFormat</emph> opcional que especifica el format que s'ha d'aplicar a l'expressió de data i hora. Si s'omet el valor s'utilitza <emph>vbGeneralDate</emph>."
#. 9KCAo
#: 03150000.xhp
@@ -35934,7 +35934,7 @@ msgctxt ""
"par_id240720170117391741\n"
"help.text"
msgid "<emph>Weekday</emph>: Value from 1 to 7, Mon­day to Sun­day, whose Week Day Name need to be calculated."
-msgstr ""
+msgstr "<emph>Weekday</emph> Valor d'1 a 7 Mon<unk>day a Sun<unk>day el nom del dia de la setmana del qual s'ha de calcular."
#. CFF5a
#: 03150001.xhp
@@ -35943,7 +35943,7 @@ msgctxt ""
"par_id24072017011739895\n"
"help.text"
msgid "<emph>Abbreviate</emph>: Optional. A Boolean value that indicates if the weekday name is to be abbreviated."
-msgstr ""
+msgstr "<emph>Abreviate</emph> opcional. Un valor booleà que indica si el nom del dia de la setmana s'ha d'abreujar."
#. WJLAJ
#: 03150001.xhp
@@ -35952,7 +35952,7 @@ msgctxt ""
"par_id240720170117395610\n"
"help.text"
msgid "<emph>FirstDayofWeek</emph>: Optional. Specifies the first day of the week."
-msgstr ""
+msgstr "<emph>FirstDayofWeek</emph> opcional. Indica el primer dia de la setmana."
#. EQ6CL
#: 03150001.xhp
@@ -36186,7 +36186,7 @@ msgctxt ""
"par_id240720170117395610\n"
"help.text"
msgid "<emph>FileNumber</emph>: Required. Any valid file number."
-msgstr ""
+msgstr "<emph>FileNumber</emph> requerit. Qualsevol número de fitxer vàlid."
#. on87b
#: 03170000.xhp
@@ -36294,7 +36294,7 @@ msgctxt ""
"par_id061420170153186193\n"
"help.text"
msgid "<link href=\"text/scalc/01/04060106.xhp#Section21\">Calc ROUND function</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/04060106.xhp#Section21\">Funció Calc ROUND</link>"
#. 3ECTM
#: 03170010.xhp
@@ -36348,7 +36348,7 @@ msgctxt ""
"par_id631542195798758\n"
"help.text"
msgid "<emph>numDigitsAfterDecimal</emph>: Optional. A numeric value specifying the number of digits that should be displayed after the decimal. If omitted, it defaults to the value -1, meaning that the default settings for user interface locale should be used."
-msgstr ""
+msgstr "<emph>numDigitsAfterDecimal</emph> Opcional. Un valor numèric que especifica el nombre de dígits que s'han de mostrar després del decimal. Si s'omet per defecte és el valor -1 que vol dir que s'han d'utilitzar els ajustaments predeterminats per a la configuració regional de la interfície d'usuari."
#. iFkar
#: 03170010.xhp
@@ -36357,7 +36357,7 @@ msgctxt ""
"par_id961542200034362\n"
"help.text"
msgid "<emph>includeLeadingDigit</emph>: Optional. A <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> enumeration value, specifying whether a leading zero should be displayed for fractional values."
-msgstr ""
+msgstr "<emph>inclouLeadingDigit</emph> opcional. Un valor d'enumeració <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> que especifica si s'ha de mostrar un zero inicial per a valors fraccionaris."
#. cNFTu
#: 03170010.xhp
@@ -36366,7 +36366,7 @@ msgctxt ""
"par_id561542198440051\n"
"help.text"
msgid "<emph>vbTrue or -1</emph>: Display a leading zero."
-msgstr ""
+msgstr "<emph>vbTrue o -1</emph> mostra un zero inicial."
#. bbFUW
#: 03170010.xhp
@@ -36375,7 +36375,7 @@ msgctxt ""
"par_id21542198550868\n"
"help.text"
msgid "<emph>vbFalse or 0</emph>: Do not display leading zeros."
-msgstr ""
+msgstr "<emph>vbFalse o 0</emph> no mostren zeros inicials."
#. HiqhX
#: 03170010.xhp
@@ -36393,7 +36393,7 @@ msgctxt ""
"par_id311542201637647\n"
"help.text"
msgid "<emph>useParensForNegativeNumbers</emph>: Optional. A <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> enumeration value specifying whether negative numbers should be encased in parenthesis."
-msgstr ""
+msgstr "<emph>useParensForNegativeNumbers</emph> opcional. Un valor d'enumeració <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> que especifica si els nombres negatius s'han d'encaixar en parèntesi."
#. CgCCe
#: 03170010.xhp
@@ -36402,7 +36402,7 @@ msgctxt ""
"par_id561543198440051\n"
"help.text"
msgid "<emph>vbTrue or -1</emph>: Use parenthesis for negative numbers."
-msgstr ""
+msgstr "<emph>vbTrue o -1</emph> Usa parèntesis per a nombres negatius."
#. cjUbz
#: 03170010.xhp
@@ -36411,7 +36411,7 @@ msgctxt ""
"par_id21542398550868\n"
"help.text"
msgid "<emph>vbFalse or 0</emph>: Do not display parenthesis."
-msgstr ""
+msgstr "<emph>vbFalse o 0</emph> no mostren parèntesis."
#. THAgv
#: 03170010.xhp
@@ -36429,7 +36429,7 @@ msgctxt ""
"par_id531542201968815\n"
"help.text"
msgid "<emph>groupDigits</emph>: Optional. A <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> enumeration value specifying the number should be grouped (into thousands, etc.), using the group delimiter that is specified on the system's regional settings."
-msgstr ""
+msgstr "<emph>GrupDigits </emph>opcional. Un valor d'enumeració <link href=\"text/sbasic/shared/03040000.xhp#addvbaconstants\">vbTriState</link> que especifique el nombre s'ha d'agrupar (fins a milers etc.) utilitzant el delimitador de grup que s'especifica a la configuració regional del sistema."
#. raMda
#: 03170010.xhp
@@ -36447,7 +36447,7 @@ msgctxt ""
"par_id215423985506768\n"
"help.text"
msgid "<emph>vbFalse or 0</emph>: Do not group digits."
-msgstr ""
+msgstr "<emph>vbFalse o 0</emph> No agrupa els dígits."
#. szuFN
#: 03170010.xhp
@@ -37041,7 +37041,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "CallByName Function"
-msgstr ""
+msgstr "Funció CallByName"
#. 3957Y
#: CallByName.xhp
@@ -37050,7 +37050,7 @@ msgctxt ""
"hd_id3150669\n"
"help.text"
msgid "<variable id=\"CallByName_h1\"><link href=\"text/sbasic/shared/CallByName.xhp\">CallByName Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"CallByName_h1\"><link href=\"text/sbasic/shared/CallByName.xhp\">Funció CallByName</link></variable>"
#. 7EWyG
#: CallByName.xhp
@@ -37140,7 +37140,7 @@ msgctxt ""
"par_id331644505028463\n"
"help.text"
msgid "Value"
-msgstr ""
+msgstr "Valor"
#. arGjh
#: CallByName.xhp
@@ -37230,7 +37230,7 @@ msgctxt ""
"hd_id971644589733247\n"
"help.text"
msgid "Calc.Maths module"
-msgstr ""
+msgstr "Mòdul Calc.Maths"
#. jkaab
#: CallByName.xhp
@@ -37239,7 +37239,7 @@ msgctxt ""
"bas_id811644589423326\n"
"help.text"
msgid "Option Compatible ' Calc.Maths module"
-msgstr ""
+msgstr "Option Compatible ' Mòdul Calc.Maths"
#. xbQAQ
#: CallByName.xhp
@@ -37257,7 +37257,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Compiler Options"
-msgstr ""
+msgstr "Opcions del compilador"
#. 4BZ89
#: Compiler_options.xhp
@@ -37329,7 +37329,7 @@ msgctxt ""
"par_id141592408035462\n"
"help.text"
msgid "Options specified at the module level also affect %PRODUCTNAME <emph>Basic runtime conditions</emph>. The behaviour of %PRODUCTNAME Basic instructions can differ."
-msgstr ""
+msgstr "Les opcions especificades a nivell de mòdul també afecten el <emph>condicions bàsiques d'execució del</emph>. El comportament de les instruccions bàsiques del %PRODUCTNAME pot diferir."
#. 6D8B8
#: Compiler_options.xhp
@@ -37338,7 +37338,7 @@ msgctxt ""
"par_id291592407073335\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/property.xhp\">Property statement</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/property.xhp\">Expressió Property</link>"
#. tWPnu
#: CreateUnoSvcWithArgs.xhp
@@ -37347,7 +37347,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "CreateUnoServiceWithArguments Function"
-msgstr ""
+msgstr "Funció CreateUnoServiceWithArguments"
#. BEBAm
#: CreateUnoSvcWithArgs.xhp
@@ -37356,7 +37356,7 @@ msgctxt ""
"bm_id3150682\n"
"help.text"
msgid "<bookmark_value>CreateUnoServiceWithArguments function</bookmark_value> <bookmark_value>API;FilePicker</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funció CreateUnoServiceWithArguments</bookmark_value><bookmark_value>API;FilePicker</bookmark_value>"
#. jy6GG
#: CreateUnoSvcWithArgs.xhp
@@ -37365,7 +37365,7 @@ msgctxt ""
"hd_id3150682\n"
"help.text"
msgid "<variable id=\"UnoSvcWithArgs_h1\"><link href=\"text/sbasic/shared/CreateUnoSvcWithArgs.xhp\">CreateUnoServiceWithArguments Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"UnoSvcWithArgs_h1\"><link href=\"text/sbasic/shared/CreateUnoSvcWithArgs.xhp\">Funció CreateUnoServiceWithArguments</link></variable>"
#. hpwH8
#: CreateUnoSvcWithArgs.xhp
@@ -37482,7 +37482,7 @@ msgctxt ""
"N0010\n"
"help.text"
msgid "<bookmark_value>Err object</bookmark_value> <bookmark_value>Error;raising</bookmark_value> <bookmark_value>Error;handling</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Err objecte</bookmark_value><bookmark_value>Error; recaptació</bookmark_value><bookmark_value>Error;assistència</bookmark_value>"
#. AENEA
#: ErrVBA.xhp
@@ -37491,7 +37491,7 @@ msgctxt ""
"N0011\n"
"help.text"
msgid "<variable id=\"ErrVBAh1\"><link href=\"text/sbasic/shared/ErrVBA.xhp\">Err Object [VBA]</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ErrVBAh1\"><link href=\"text/sbasic/shared/ErrVBA.xhp\">Objecte Err [VBA]</link></variable>"
#. RZpQL
#: ErrVBA.xhp
@@ -37572,7 +37572,7 @@ msgctxt ""
"N0020\n"
"help.text"
msgid "The <emph>Description</emph> property gives the nature of the error. <emph>Description</emph> details the various reasons that may be the cause of the error. Ideally, it provides the multiple course of actions to help solve the issue and prevent its reoccurrence. The Basic alias is the <link href=\"text/sbasic/shared/03050300.xhp\">Error</link> function for %PRODUCTNAME predefined errors."
-msgstr ""
+msgstr "La propietat <emph>Descripció</emph> dóna la naturalesa de l'error. <emph>Descripció</emph> detalla les diverses raons que poden ser la causa de l'error. Idealment proporciona el curs múltiple d'accions per ajudar a resoldre el problema i evitar la seua reaparició. L'àlies bàsic és la funció <link href=\"text/sbasic/shared/03050300.xhp\">Error</link> per a errors predefinits de %{PRODUCTNAME}."
#. TBtJy
#: ErrVBA.xhp
@@ -37635,7 +37635,7 @@ msgctxt ""
"N0031\n"
"help.text"
msgid "<emph>Number</emph>: A user-defined or predefined error code to be raised."
-msgstr ""
+msgstr "<emph>Nombre</emph> Un codi d'error definit per l'usuari o predefinit a pujar."
#. DoFG8
#: ErrVBA.xhp
@@ -37644,7 +37644,7 @@ msgctxt ""
"N0032\n"
"help.text"
msgid "Error code range 0-2000 is reserved for %PRODUCTNAME Basic. User-defined errors may start from higher values in order to prevent collision with %PRODUCTNAME Basic future developments."
-msgstr ""
+msgstr "Error l'interval de codi 0-2000 està reservat per a un percentatge de %PRODUCTNAME Basic. Els errors definits per l'usuari poden començar des de valors més alts per tal d'evitar la col·lisió amb el desenvolupament futur del %PRODUCTNAME Basic."
#. VAmhX
#: ErrVBA.xhp
@@ -37653,7 +37653,7 @@ msgctxt ""
"N0033\n"
"help.text"
msgid "<emph>Source</emph>: The name of the routine raising the error. A name in the form of \"myLibrary.myModule.myProc\" is recommended."
-msgstr ""
+msgstr "<emph>Source</emph> El nom de la rutina que aixeca l'error. Es recomana un nom en forma de «myLibrary.myModule.myProc»."
#. wFqtB
#: ErrVBA.xhp
@@ -37707,7 +37707,7 @@ msgctxt ""
"N0069\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. oA4pq
#: ErrVBA.xhp
@@ -37725,7 +37725,7 @@ msgctxt ""
"N0079\n"
"help.text"
msgid "' your code goes here …"
-msgstr ""
+msgstr "' el vostre codi va ací…"
#. wEaa3
#: ErrVBA.xhp
@@ -37770,7 +37770,7 @@ msgctxt ""
"N0002\n"
"help.text"
msgid "<variable id=\"getpathseparator01\"><link href=\"text/sbasic/shared/GetPathSeparator.xhp\">GetPathSeparator Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"getpathseparator01\"><link href=\"text/sbasic/shared/GetPathSeparator.xhp\">GetPathSeparator Funció</link></variable>"
#. dWBDB
#: GetPathSeparator.xhp
@@ -37779,7 +37779,7 @@ msgctxt ""
"N0003\n"
"help.text"
msgid "Returns the operating system-dependent directory separator used to specify file paths."
-msgstr ""
+msgstr "Retorna el separador de directoris, que depèn del sistema operatiu, utilitzat per a especificar els camins dels fitxers."
#. 8jaPZ
#: GetPathSeparator.xhp
@@ -37851,7 +37851,7 @@ msgctxt ""
"N0001\n"
"help.text"
msgid "<bookmark_value>Resume statement</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Reprén la sentència</bookmark_value>"
#. zjXXC
#: Resume.xhp
@@ -37860,7 +37860,7 @@ msgctxt ""
"N0002\n"
"help.text"
msgid "<variable id=\"resumeh1\"><link href=\"text/sbasic/shared/Resume.xhp\">Resume Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"resumeh1\"><link href=\"text/sbasic/shared/Resume.xhp\">Reprén la sentència</link></variable>"
#. AVhyb
#: Resume.xhp
@@ -37878,7 +37878,7 @@ msgctxt ""
"par_id491585753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Resume_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Resume Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Resume_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Reprendre el diagrama d'extractes</alt></image>"
#. eafvm
#: Resume.xhp
@@ -37887,7 +37887,7 @@ msgctxt ""
"par_id481586090298901\n"
"help.text"
msgid "<literal>0</literal>: Resets error information and re-executes the instruction that caused the error. <literal>0</literal> is optional."
-msgstr ""
+msgstr "<literal>0</literal> Reinicia la informació d'error i torna a executar la instrucció que ha causat l'error. <literal>0</literal> és opcional."
#. fakJ2
#: Resume.xhp
@@ -37905,7 +37905,7 @@ msgctxt ""
"par_id331586090432804\n"
"help.text"
msgid "<literal>Next</literal>: Resets error information and executes the instruction following the one that caused the error."
-msgstr ""
+msgstr "<literal>Next</literal> Reinicia la informació d'error i executa la instrucció que segueix a la que ha causat l'error."
#. 3Jge7
#: Resume.xhp
@@ -37941,7 +37941,7 @@ msgctxt ""
"par_id721586333586263\n"
"help.text"
msgid "<literal>Error[$]</literal>: Error description."
-msgstr ""
+msgstr "<literal>Error[$]</literal> Descripció d'error."
#. fDJgb
#: Resume.xhp
@@ -37959,7 +37959,7 @@ msgctxt ""
"hd_id441586092960246\n"
"help.text"
msgid "Examples:"
-msgstr ""
+msgstr "Exemples:"
#. 4dyMX
#: Resume.xhp
@@ -37977,7 +37977,7 @@ msgctxt ""
"bas_id451586093122848\n"
"help.text"
msgid "' routine code goes here"
-msgstr ""
+msgstr "' el codi de la rutina va ací"
#. BFzfG
#: Resume.xhp
@@ -38022,7 +38022,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Using Calc Functions in Macros"
-msgstr ""
+msgstr "Ús de les funcions del Calc a les macros"
#. B2ErX
#: calc_functions.xhp
@@ -38085,7 +38085,7 @@ msgctxt ""
"bas_id271629987890173\n"
"help.text"
msgid "' Always use the function name in English"
-msgstr ""
+msgstr "' Utilitzeu semple el nom anglés de la funció"
#. TDuCT
#: calc_functions.xhp
@@ -38157,7 +38157,7 @@ msgctxt ""
"bas_id521629988250997\n"
"help.text"
msgid "' Looks up the data array"
-msgstr ""
+msgstr "' Cerca la matriu de dades"
#. dbNrF
#: calc_functions.xhp
@@ -38193,7 +38193,7 @@ msgctxt ""
"par_id291632673370039\n"
"help.text"
msgid "All Calc functions must be expressed with their English names."
-msgstr ""
+msgstr "Totes les funcions del Calc han d'expressar-se amb els noms en anglés."
#. dfwfw
#: calc_functions.xhp
@@ -38319,7 +38319,7 @@ msgctxt ""
"par_id511592356505781\n"
"help.text"
msgid "Calc Function name"
-msgstr ""
+msgstr "Nom de la funció del Calc"
#. b2FSD
#: calc_functions.xhp
@@ -38328,7 +38328,7 @@ msgctxt ""
"par_id471592356505782\n"
"help.text"
msgid "UNO service name"
-msgstr ""
+msgstr "Nom del servei de l'UNO"
#. emGWD
#: calc_functions.xhp
@@ -38337,7 +38337,7 @@ msgctxt ""
"par_id721592355432992\n"
"help.text"
msgid "ACCRINT"
-msgstr ""
+msgstr "INTCOMP"
#. oKBuD
#: calc_functions.xhp
@@ -38346,7 +38346,7 @@ msgctxt ""
"par_id311592355461144\n"
"help.text"
msgid "ACCRINTM"
-msgstr ""
+msgstr "INTCOMPV"
#. pBfUh
#: calc_functions.xhp
@@ -38355,7 +38355,7 @@ msgctxt ""
"par_id731592355465193\n"
"help.text"
msgid "AMORDEGRC"
-msgstr ""
+msgstr "CDECRAMOR"
#. ViiCh
#: calc_functions.xhp
@@ -38364,7 +38364,7 @@ msgctxt ""
"par_id361592355471024\n"
"help.text"
msgid "AMORLINC"
-msgstr ""
+msgstr "CLINAMOR"
#. ZeeMB
#: calc_functions.xhp
@@ -38373,7 +38373,7 @@ msgctxt ""
"par_id11592355475920\n"
"help.text"
msgid "BESSELI"
-msgstr ""
+msgstr "BESSELI"
#. Bv4xD
#: calc_functions.xhp
@@ -38382,7 +38382,7 @@ msgctxt ""
"par_id841592355481243\n"
"help.text"
msgid "BESSELJ"
-msgstr ""
+msgstr "BESSELJ"
#. Ana8S
#: calc_functions.xhp
@@ -38391,7 +38391,7 @@ msgctxt ""
"par_id781592355488489\n"
"help.text"
msgid "BESSELK"
-msgstr ""
+msgstr "BESSELK"
#. gPmYm
#: calc_functions.xhp
@@ -38400,7 +38400,7 @@ msgctxt ""
"par_id751592355494321\n"
"help.text"
msgid "BESSELY"
-msgstr ""
+msgstr "BESSELY"
#. Rhr8N
#: calc_functions.xhp
@@ -38409,7 +38409,7 @@ msgctxt ""
"par_id661592355500416\n"
"help.text"
msgid "BIN2DEC"
-msgstr ""
+msgstr "BINADEC"
#. CF6He
#: calc_functions.xhp
@@ -38418,7 +38418,7 @@ msgctxt ""
"par_id331592355505769\n"
"help.text"
msgid "BIN2HEX"
-msgstr ""
+msgstr "BINAHEX"
#. XJGN7
#: calc_functions.xhp
@@ -38427,7 +38427,7 @@ msgctxt ""
"par_id691592355510409\n"
"help.text"
msgid "BIN2OCT"
-msgstr ""
+msgstr "BINAOCT"
#. trpYC
#: calc_functions.xhp
@@ -38436,7 +38436,7 @@ msgctxt ""
"par_id1001592355515562\n"
"help.text"
msgid "COMPLEX"
-msgstr ""
+msgstr "COMPLEX"
#. eHuPF
#: calc_functions.xhp
@@ -38445,7 +38445,7 @@ msgctxt ""
"par_id661592355519833\n"
"help.text"
msgid "CONVERT"
-msgstr ""
+msgstr "CONVERTEIX"
#. yF4wh
#: calc_functions.xhp
@@ -38607,7 +38607,7 @@ msgctxt ""
"par_id221592355620084\n"
"help.text"
msgid "EFFECT"
-msgstr ""
+msgstr "EFECTIU"
#. whDH8
#: calc_functions.xhp
@@ -39201,7 +39201,7 @@ msgctxt ""
"par_id521592355837464\n"
"help.text"
msgid "XNPV"
-msgstr ""
+msgstr "VNAX"
#. JkpJC
#: calc_functions.xhp
@@ -39264,7 +39264,7 @@ msgctxt ""
"par_id511593356505781\n"
"help.text"
msgid "Calc Function name"
-msgstr ""
+msgstr "Nom de la funció del Calc"
#. TEzJG
#: calc_functions.xhp
@@ -39273,7 +39273,7 @@ msgctxt ""
"par_id471593356505782\n"
"help.text"
msgid "UNO service name"
-msgstr ""
+msgstr "Nom del servei de l'UNO"
#. J6Jdh
#: calc_functions.xhp
@@ -39363,7 +39363,7 @@ msgctxt ""
"par_id511593356506781\n"
"help.text"
msgid "Calc Function name"
-msgstr ""
+msgstr "Nom de la funció del Calc"
#. TRZn5
#: calc_functions.xhp
@@ -39372,7 +39372,7 @@ msgctxt ""
"par_id471593356505762\n"
"help.text"
msgid "UNO service name"
-msgstr ""
+msgstr "Nom del servei de l'UNO"
#. rQJPp
#: calc_functions.xhp
@@ -39417,7 +39417,7 @@ msgctxt ""
"N0083\n"
"help.text"
msgid "<variable id=\"classmodulestatement\"><link href=\"text/sbasic/shared/classmodule.xhp\">Option ClassModule Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"classmodulestatement\"><link href=\"text/sbasic/shared/classmodule.xhp\">Opció ClassModule expressió</link></variable>"
#. 4MQj9
#: classmodule.xhp
@@ -39525,7 +39525,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Collection Object"
-msgstr ""
+msgstr "Objecte Collection"
#. TdXDY
#: collection.xhp
@@ -39534,7 +39534,7 @@ msgctxt ""
"bm_id3149205\n"
"help.text"
msgid "<bookmark_value>Collection Object</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>objecte Collection</bookmark_value>"
#. zhFUm
#: collection.xhp
@@ -39624,7 +39624,7 @@ msgctxt ""
"hd_id51633962353863\n"
"help.text"
msgid "Creating a Collection"
-msgstr ""
+msgstr "Creació d'una col·lecció"
#. 28i8B
#: collection.xhp
@@ -39696,7 +39696,7 @@ msgctxt ""
"par_id71633963110632\n"
"help.text"
msgid "The <literal>Add</literal> method also supports keyword arguments:"
-msgstr ""
+msgstr "El mètode <literal>Add</literal> també admet arguments de paraula clau:"
#. ZhTZb
#: collection.xhp
@@ -39858,7 +39858,7 @@ msgctxt ""
"bas_id391634215647196\n"
"help.text"
msgid "' Removes all items in the collection"
-msgstr ""
+msgstr "' Elimina tots els elements de la col·lecció"
#. gvH3T
#: compatibilitymode.xhp
@@ -39867,7 +39867,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "CompatibilityMode function"
-msgstr ""
+msgstr "Funció CompatibilityMode"
#. 7mPvG
#: compatibilitymode.xhp
@@ -39876,7 +39876,7 @@ msgctxt ""
"N0103\n"
"help.text"
msgid "<bookmark_value>CompatibilityMode</bookmark_value> <bookmark_value>VBA compatibility mode</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>CompatibilityMode</bookmark_value><bookmark_value>mode de compatibilitat VBA</bookmark_value>"
#. DHaWu
#: compatibilitymode.xhp
@@ -39885,7 +39885,7 @@ msgctxt ""
"N0118\n"
"help.text"
msgid "<variable id=\"compatibilitymodeh1\"><link href=\"text/sbasic/shared/compatibilitymode.xhp\">CompatibilityMode() Function</link></variable>"
-msgstr ""
+msgstr "<variable id=\"compatibilitymodeh1\"><link href=\"text/sbasic/shared/compatibilitymode.xhp\">COMpatibilityMode() Funció</link></variable>"
#. 4EEry
#: compatibilitymode.xhp
@@ -39966,7 +39966,7 @@ msgctxt ""
"N0124\n"
"help.text"
msgid "Running <literal>RmDir</literal> command in VBA mode. In VBA only empty directories are removed by <literal>RmDir</literal> while %PRODUCTNAME Basic removes a directory recursively."
-msgstr ""
+msgstr "S'està executant l'ordre <literal>RmDir</literal> en mode VBA. En VBA només els directoris buits són suprimits per <literal>RmDir</literal> mentre que el %PRODUCTNAME Basic elimina un directori recursivament."
#. KLkKY
#: compatibilitymode.xhp
@@ -40047,7 +40047,7 @@ msgctxt ""
"N0104\n"
"help.text"
msgid "<variable id=\"compatiblestatement\"><link href=\"text/sbasic/shared/compatible.xhp\">Option Compatible Statement</link></variable>"
-msgstr ""
+msgstr "<variable id=\"compatiblestatement\"><link href=\"text/sbasic/shared/compatible.xhp\">Expressió compatible amb opcions</link></variable>"
#. 6HFov
#: compatible.xhp
@@ -40128,7 +40128,7 @@ msgctxt ""
"N0115\n"
"help.text"
msgid "<literal>Option Compatible</literal> is required when coding class modules."
-msgstr ""
+msgstr "<literal>es requereix</literal> compatible amb opcions quan es codifiquen els mòduls de classe."
#. gBqrZ
#: compatible.xhp
@@ -40173,7 +40173,7 @@ msgctxt ""
"N0129\n"
"help.text"
msgid "Refer to <link href=\"text/sbasic/python/python_platform.xhp\">Identifying the Operating System</link> and <link href=\"text/sbasic/python/python_session.xhp\">Getting Session Information</link> for class module examples, or <link href=\"text/sbasic/guide/access2base.xhp\">Access2Base shared Basic library</link> for other class examples making use of <literal>Option Compatible</literal> compiler mode."
-msgstr ""
+msgstr "Consulteu <link href=\"text/sbasic/python/python_platform.xhp\">Identificant el sistema operatiu</link> i <link href=\"text/sbasic/python/python_session.xhp\">Obtenint informació de sessió</link> per a exemples de mòduls de classe o <link href=\"text/sbasic/guide/access2base.xhp\">Access2Base biblioteca bàsica compartida</link> per a altres exemples de classe fent ús del mode compilador<literal> compatible amb opcions </literal>."
#. QF4Ds
#: conventions.xhp
@@ -40191,7 +40191,7 @@ msgctxt ""
"bm_id861593777289558\n"
"help.text"
msgid "<bookmark_value>Syntax diagrams; How to read</bookmark_value> <bookmark_value>Statements syntax;How to read</bookmark_value> <bookmark_value>Typographical conventions</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Diagrames; com llegir les expressions</bookmark_value><bookmark_value>sintaxi;Com llegir les convencions tipogràfiques</bookmark_value>"
#. aBBaD
#: conventions.xhp
@@ -40200,7 +40200,7 @@ msgctxt ""
"hd_id221543446540070\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/conventions.xhp\">How to Read Syntax Diagrams and Statements</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/conventions.xhp\">Com llegir Diagrames i declaracions</link>"
#. jJGWn
#: conventions.xhp
@@ -40209,7 +40209,7 @@ msgctxt ""
"par_id601593699108443\n"
"help.text"
msgid "%PRODUCTNAME Basic statements use syntax diagrams and textual conventions that follow these typographical rules:"
-msgstr ""
+msgstr "Les expressions del %PRODUCTNAME Basic utilitzen diagrames de sintaxi i convencions textuals que segueixen aquestes regles tipogràfiques:"
#. ZnMxE
#: conventions.xhp
@@ -40326,7 +40326,7 @@ msgctxt ""
"par_id181593700546735\n"
"help.text"
msgid "<emph>[opt1|opt2|opt3]</emph> Items inside brackets are optional, alternatives are indicated with a vertical bar,"
-msgstr ""
+msgstr "<emph>[opt1|opt2|opt3] Els ítems de</emph> entre parèntesis són alternatives opcionals que s'indiquen amb una barra vertical"
#. ap6xE
#: conventions.xhp
@@ -40335,7 +40335,7 @@ msgctxt ""
"par_id181593699546735\n"
"help.text"
msgid "<emph>case[[sep]…]</emph> An ellipsis indicates a possible repetition, an optional separator may be specified,"
-msgstr ""
+msgstr "<emph>El cas [[sep]...]</emph> Un el·lipsi indica una possible repetició es pot especificar un separador opcional"
#. FEGF3
#: conventions.xhp
@@ -40344,7 +40344,7 @@ msgctxt ""
"par_id712593699548486\n"
"help.text"
msgid "<emph>{choice1|choice2}</emph> Items inside curly braces are compulsory, alternatives are indicated with a vertical bar."
-msgstr ""
+msgstr "<emph> {choice1|choice2}</emph> ítems dins de claus són alternatives obligatòries que s'indiquen amb una barra vertical."
#. VFKcU
#: conventions.xhp
@@ -40380,7 +40380,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "DoEvents Function"
-msgstr ""
+msgstr "Funció DoEvents"
#. Sx4tx
#: doEvents.xhp
@@ -40389,7 +40389,7 @@ msgctxt ""
"N0089\n"
"help.text"
msgid "<bookmark_value>DoEvents function</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funció DoEvents</bookmark_value>"
#. ifjPn
#: doEvents.xhp
@@ -40398,7 +40398,7 @@ msgctxt ""
"hd_id401544551916353\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/doEvents.xhp\">DoEvents Function</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/doEvents.xhp\">Funció DoEvents</link>"
#. 8CBiS
#: doEvents.xhp
@@ -40551,7 +40551,7 @@ msgctxt ""
"N0051\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03100700.xhp\">Const</link> statement, <link href=\"text/sbasic/shared/01020100.xhp\">constants</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03100700.xhp\">Constant</link> expressió <link href=\"text/sbasic/shared/01020100.xhp\">constants</link>"
#. ifRYx
#: enum.xhp
@@ -40569,7 +40569,7 @@ msgctxt ""
"N0061\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03090411.xhp\">With</link> statement"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/03090411.xhp\">amb declaració</link>"
#. FFWQn
#: fragments.xhp
@@ -40587,7 +40587,7 @@ msgctxt ""
"hd_id541587044867073\n"
"help.text"
msgid "<variable id=\"fragmentsh1\"><link href=\"text/sbasic/shared/fragments.xhp\">Syntax fragments</link></variable>"
-msgstr ""
+msgstr "<variable id=\"fragmentsh1\"><link href=\"text/sbasic/shared/fragments.xhp\"> fragments</link></variable>"
#. qdgmB
#: fragments.xhp
@@ -40605,7 +40605,7 @@ msgctxt ""
"hd_id431587045941514\n"
"help.text"
msgid "<variable id=\"argumenth2\"><link href=\"text/sbasic/shared/fragments.xhp\"/>argument fragment</variable>"
-msgstr ""
+msgstr "<variable id=\"argumenth2\"><link href=\"text/sbasic/shared/fragments.xhp\"/>fragment Argument</variable>"
#. pfHq8
#: fragments.xhp
@@ -40641,7 +40641,7 @@ msgctxt ""
"par_id331586090532804\n"
"help.text"
msgid "<literal>ByRef</literal>: The argument is passed by reference. <literal>ByRef</literal> is the default."
-msgstr ""
+msgstr "<literal>ByRef</literal> L'argument es passa per referència. <literal>ByRef</literal> és el predeterminat."
#. WuCPC
#: fragments.xhp
@@ -40650,7 +40650,7 @@ msgctxt ""
"par_id331586090432804\n"
"help.text"
msgid "<literal>ByVal</literal>: The argument is passed by value. Its value can be modified by the called routine."
-msgstr ""
+msgstr "<literal>ByVal</literal> L'argument es passa per valor. El seu valor es pot modificar per la rutina anomenada."
#. GrfMS
#: fragments.xhp
@@ -40677,7 +40677,7 @@ msgctxt ""
"par_id11587045141290\n"
"help.text"
msgid "<emph>= expression</emph>: Specify a default value for the argument, matching its declared type. <literal>Optional</literal> is necessary for each argument specifying a default value."
-msgstr ""
+msgstr "<emph> = expressió</emph> Especifiqueu un valor predeterminat per a l'argument que coincideix amb el seu tipus declarat. <literal>Opcional</literal> és necessari per a cada argument que especifique un valor predeterminat."
#. 4Atx8
#: fragments.xhp
@@ -40686,7 +40686,7 @@ msgctxt ""
"par_id331586091432804\n"
"help.text"
msgid "<literal>ParamArray</literal>: Use <literal>ParamArray</literal> when the number of parameters is undetermined. A typical scenario is that of a Calc user-defined function. Using <literal>ParamArray</literal> should be limited to the last argument of a routine."
-msgstr ""
+msgstr "<literal>ParamArray</literal> Usa <literal>ParamArray</literal> quan el nombre de paràmetres no està determinat. Un escenari típic és el d'una funció definida per l'usuari del Calc. L'ús del <literal>ParamArray</literal> hauria de limitar-se a l'últim argument d'una rutina."
#. VBQVA
#: fragments.xhp
@@ -40740,7 +40740,7 @@ msgctxt ""
"par_id951587051619162\n"
"help.text"
msgid "<emph>start:</emph> Lower bound of a dimension."
-msgstr ""
+msgstr "<emph>inicia el</emph> amb un límit inferior d'una dimensió."
#. yeb4H
#: fragments.xhp
@@ -40749,7 +40749,7 @@ msgctxt ""
"par_id951587052619162\n"
"help.text"
msgid "<emph>end:</emph> Upper bound of a dimension."
-msgstr ""
+msgstr "<emph>end</emph> Superior límit d'una dimensió."
#. wyE23
#: fragments.xhp
@@ -40767,7 +40767,7 @@ msgctxt ""
"hd_id231587046013458\n"
"help.text"
msgid "<variable id=\"typenameh4\">typename fragment</variable>"
-msgstr ""
+msgstr "<variable id=\"typenameh4\">typename fragment</variable>"
#. AqfYj
#: fragments.xhp
@@ -40794,7 +40794,7 @@ msgctxt ""
"par_id511586753339474\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/char_fragment.svg\" id=\"img_id4157296484514\"><alt id=\"alt_id15152796484516\">type declaration characters</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/char_fragment.svg\" id=\"img_id4157296484514\"><alt id=\"alt_id15152796484516\">type declaration caràcters</alt></image>"
#. tYUK6
#: is_keyword.xhp
@@ -41109,7 +41109,7 @@ msgctxt ""
"hd_id3154232\n"
"help.text"
msgid "<variable id=\"mainsbasic\"><link href=\"text/sbasic/shared/main0601.xhp\">%PRODUCTNAME Basic Help</link></variable>"
-msgstr ""
+msgstr "<variable id=\"mainsbasic\"><link href=\"text/sbasic/shared/main0601.xhp\">8%PRODUCTNAME Ajuda bàsica</link></variable>"
#. hXBSE
#: main0601.xhp
@@ -41307,7 +41307,7 @@ msgctxt ""
"par_id481548420000538\n"
"help.text"
msgid "<emph>Number</emph>: Required. The number to determine the partition."
-msgstr ""
+msgstr "<emph>Nombre</emph> requerit. El número per determinar la partició."
#. HXMue
#: partition.xhp
@@ -41316,7 +41316,7 @@ msgctxt ""
"par_id841548420006137\n"
"help.text"
msgid "<emph>Start</emph>: Required. An integer number defining the lower value of the range of numbers."
-msgstr ""
+msgstr "<emph>Inicia</emph> requerit. Un nombre enter que defineix el valor inferior de l'interval de nombres."
#. A4Hit
#: partition.xhp
@@ -41433,7 +41433,7 @@ msgctxt ""
"par_id971587473488701\n"
"help.text"
msgid "<image src=\"media/helpimg/sbasic/Property-Get_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Property Get Statement diagram</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/sbasic/Property-Get_statement.svg\" id=\"img_id4156296484514\"><alt id=\"alt_id15152796484514\">Diagrama d'extractes de propietat </alt></image>"
#. LNJAH
#: property.xhp
@@ -41460,7 +41460,7 @@ msgctxt ""
"par_id3147229\n"
"help.text"
msgid "<emph>argument:</emph> Value to be passed to the <literal>Property</literal> setter routine."
-msgstr ""
+msgstr "<emph>argument:</emph> el valor que es passarà a la rutina que defineix <literal>Property</literal>."
#. duS8j
#: property.xhp
@@ -41559,7 +41559,7 @@ msgctxt ""
"par_id181647247913872\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/01010210.xhp\">Subroutines basics</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/01010210.xhp\">Conceptes bàsics quant a les subrutines</link>"
#. wvCZY
#: property.xhp
@@ -41577,7 +41577,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Replace Function"
-msgstr ""
+msgstr "Funció Replace"
#. G7eCF
#: replace.xhp
@@ -41586,7 +41586,7 @@ msgctxt ""
"bm_id721552551162491\n"
"help.text"
msgid "<bookmark_value>Replace function</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funció Replace</bookmark_value>"
#. Xp9DU
#: replace.xhp
@@ -41595,7 +41595,7 @@ msgctxt ""
"hd_id781552551013521\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/replace.xhp\">Replace Function</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/replace.xhp\">Funció Replace</link>"
#. 4xq3F
#: replace.xhp
@@ -41676,7 +41676,7 @@ msgctxt ""
"par_id991552552420717\n"
"help.text"
msgid "MsgBox Replace (\"aBbcnnbnn\", \"b\", \"$\", 1, 1, False) 'returns \"aB$cnnbnn\""
-msgstr ""
+msgstr "MsgBox Replace (\"aBbcnnbnn\", \"b\", \"$\", 1, 1, False) 'retorna «aB$cnnbnn»"
#. ZHjzn
#: replace.xhp
@@ -41685,7 +41685,7 @@ msgctxt ""
"par_id321552552440672\n"
"help.text"
msgid "REM meaning: \"b\" should be replaced, but"
-msgstr ""
+msgstr "REM significa que «b» s'ha de reemplaçar, però"
#. EKAzY
#: replace.xhp
@@ -41757,7 +41757,7 @@ msgctxt ""
"hd_id051820170313205718\n"
"help.text"
msgid "<variable id=\"exclusivevba\"><link href=\"text/sbasic/shared/special_vba_func.xhp\">Exclusive VBA Functions and Statements</link></variable>"
-msgstr ""
+msgstr "<variable id=\"exclusivevba\"><link href=\"text/sbasic/shared/special_vba_func.xhp\">Funcions VBA i expressions</link></variable>"
#. 2kkjB
#: special_vba_func.xhp
@@ -41892,7 +41892,7 @@ msgctxt ""
"bm_id051920170359045662\n"
"help.text"
msgid "<bookmark_value>VBA Functions;Object Properties and Methods</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funcions VBA;propietats i mètodes d'objectes</bookmark_value>"
#. puram
#: special_vba_func.xhp
@@ -41901,7 +41901,7 @@ msgctxt ""
"hd_id051920170347039686\n"
"help.text"
msgid "Object Properties and Methods"
-msgstr ""
+msgstr "Propietats i mètodes dels objectes"
#. ZEw4t
#: stardesktop.xhp
@@ -41919,7 +41919,7 @@ msgctxt ""
"N0089\n"
"help.text"
msgid "<bookmark_value>StarDesktop</bookmark_value> <bookmark_value>API; Desktop</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>StarDesktop</bookmark_value><bookmark_value>API; Escriptori</bookmark_value>"
#. gX4sH
#: stardesktop.xhp
@@ -41928,7 +41928,7 @@ msgctxt ""
"hd_id401544551916353\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/stardesktop.xhp\">StarDesktop object</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/stardesktop.xhp\">StarDesktop objecte</link>"
#. VZcw3
#: stardesktop.xhp
@@ -41973,7 +41973,7 @@ msgctxt ""
"hd_id791622761498015\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/strconv.xhp\">StrConv Function</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/strconv.xhp\">Funció StrConv</link>"
#. V3uyt
#: strconv.xhp
@@ -42018,7 +42018,7 @@ msgctxt ""
"par_id531622763145456\n"
"help.text"
msgid "Conversion"
-msgstr ""
+msgstr "Conversió"
#. gzFBG
#: strconv.xhp
@@ -42027,7 +42027,7 @@ msgctxt ""
"par_id131622763145457\n"
"help.text"
msgid "Value"
-msgstr ""
+msgstr "Valor"
#. 6dDST
#: strconv.xhp
@@ -42036,7 +42036,7 @@ msgctxt ""
"par_id411622763145457\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. WmnMz
#: strconv.xhp
@@ -42180,7 +42180,7 @@ msgctxt ""
"par_id841622770962002\n"
"help.text"
msgid "Print UBound(x) ' 8 characters"
-msgstr ""
+msgstr "Print UBound(x) ' 8 caràcters"
#. 4wc9E
#: thisdbdoc.xhp
@@ -42189,7 +42189,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ThisDatabaseDocument object"
-msgstr ""
+msgstr "Objecte ThisDatabaseDocument"
#. rDs9b
#: thisdbdoc.xhp
@@ -42207,7 +42207,7 @@ msgctxt ""
"hd_id401544551916353\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/thisdbdoc.xhp\">ThisDatabaseDocument object</link>"
-msgstr ""
+msgstr "<link href=\"text/sbasic/shared/thisdbdoc.xhp\">Objecte ThisDatabaseDocument</link>"
#. CT58E
#: thisdbdoc.xhp
@@ -42261,7 +42261,7 @@ msgctxt ""
"par_id251622800540402\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03132200.xhp\">ThisComponent</link> object"
-msgstr ""
+msgstr "Objecte <link href=\"text/sbasic/shared/03132200.xhp\">ThisComponent</link>"
#. qEnoF
#: thisdbdoc.xhp
@@ -42306,7 +42306,7 @@ msgctxt ""
"hd_id3156027\n"
"help.text"
msgid "<variable id=\"UnoObjects_h1\"><link href=\"text/sbasic/shared/uno_objects.xhp\">UNO Objects, Functions and Services</link></variable>"
-msgstr ""
+msgstr "<variable id=\"UnoObjects_h1\"><link href=\"text/sbasic/shared/uno_objects.xhp\">Objectes, funcions i serveis de l'UNO</link></variable>"
#. 9xsDp
#: uno_objects.xhp
@@ -42324,7 +42324,7 @@ msgctxt ""
"hd_id121622648046670\n"
"help.text"
msgid "%PRODUCTNAME Global Objects"
-msgstr ""
+msgstr "Objectes globals del %PRODUCTNAME"
#. xd3nC
#: uno_objects.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/sbasic/shared/02.po b/source/ca-valencia/helpcontent2/source/text/sbasic/shared/02.po
index 1cc73f5491b..03bf101664b 100644
--- a/source/ca-valencia/helpcontent2/source/text/sbasic/shared/02.po
+++ b/source/ca-valencia/helpcontent2/source/text/sbasic/shared/02.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-07 19:22+0100\n"
-"PO-Revision-Date: 2020-05-23 22:46+0000\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_help-master/textsbasicshared02/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsbasicshared02/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1516022363.000000\n"
@@ -1284,7 +1284,7 @@ msgctxt ""
"par_id3148418\n"
"help.text"
msgid "<image id=\"img_id3153200\" src=\"cmd/sc_combobox.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153200\">Icon Combo Box</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3153200\" src=\"cmd/sc_combobox.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153200\">Icona Quadre combinat</alt></image>"
#. Vdn74
#: 20000000.xhp
@@ -1311,7 +1311,7 @@ msgctxt ""
"par_id3153781\n"
"help.text"
msgid "<image id=\"img_id3149530\" src=\"cmd/sc_hscrollbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3149530\">Icon Horizontal Scrollbar</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3149530\" src=\"cmd/sc_hscrollbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3149530\">Icona Barra de desplaçament horitzontal</alt></image>"
#. Vbp2o
#: 20000000.xhp
@@ -1338,7 +1338,7 @@ msgctxt ""
"par_id3150515\n"
"help.text"
msgid "<image id=\"img_id3150203\" src=\"cmd/sc_vscrollbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150203\">Icon Vertical Scrollbar</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3150203\" src=\"cmd/sc_vscrollbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150203\">Icona Barra de desplaçament vertical</alt></image>"
#. NmKDo
#: 20000000.xhp
@@ -1401,7 +1401,7 @@ msgctxt ""
"par_id3159093\n"
"help.text"
msgid "<image id=\"img_id3150318\" src=\"cmd/sc_progressbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150318\">Icon Progress Bar</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3150318\" src=\"cmd/sc_progressbar.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150318\">Icona Barra de progrés</alt></image>"
#. AUUic
#: 20000000.xhp
@@ -1428,7 +1428,7 @@ msgctxt ""
"par_id3150888\n"
"help.text"
msgid "<image id=\"img_id3152872\" src=\"cmd/sc_hfixedline.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3152872\">Icon Horizontal Line</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3152872\" src=\"cmd/sc_hfixedline.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3152872\">Icona Línia horitzontal</alt></image>"
#. rVrjy
#: 20000000.xhp
@@ -1455,7 +1455,7 @@ msgctxt ""
"par_id3154913\n"
"help.text"
msgid "<image id=\"img_id3153249\" src=\"cmd/sc_vfixedline.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153249\">Icon Vertical Line</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3153249\" src=\"cmd/sc_vfixedline.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3153249\">Icona Línia vertical</alt></image>"
#. aQQuM
#: 20000000.xhp
@@ -1545,7 +1545,7 @@ msgctxt ""
"par_id3146107\n"
"help.text"
msgid "<image id=\"img_id3147499\" src=\"cmd/sc_insertnumericfield.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3147499\">Icon Numeric Field</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3147499\" src=\"cmd/sc_insertnumericfield.png\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3147499\">Icona Camp numèric</alt></image>"
#. hMT5t
#: 20000000.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/sbasic/shared/03.po b/source/ca-valencia/helpcontent2/source/text/sbasic/shared/03.po
index e8c792eb793..93c89ef05c8 100644
--- a/source/ca-valencia/helpcontent2/source/text/sbasic/shared/03.po
+++ b/source/ca-valencia/helpcontent2/source/text/sbasic/shared/03.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-04-19 12:24+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsbasicshared03/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-POOTLE-MTIME: 1531405629.000000\n"
#. ViEWM
@@ -23,7 +23,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "(Un)Available since release"
-msgstr ""
+msgstr "(No) Disponible des del llançament"
#. CeSww
#: avail_release.xhp
@@ -32,7 +32,7 @@ msgctxt ""
"not_BasMeth\n"
"help.text"
msgid "This method is not available in Basic."
-msgstr ""
+msgstr "Aquest mètode no està disponible a BASIC."
#. LDXQx
#: avail_release.xhp
@@ -41,7 +41,7 @@ msgctxt ""
"not_BasProp\n"
"help.text"
msgid "This property is not available in Basic."
-msgstr ""
+msgstr "Aquesta propietat no està disponible a BASIC."
#. 4GDXo
#: avail_release.xhp
@@ -50,7 +50,7 @@ msgctxt ""
"not_PycMeth\n"
"help.text"
msgid "This method is not available in Python."
-msgstr ""
+msgstr "Aquest mètode no està disponible a Python."
#. 3ZUdq
#: avail_release.xhp
@@ -59,7 +59,7 @@ msgctxt ""
"not_PycProp\n"
"help.text"
msgid "This property is not available in Python."
-msgstr ""
+msgstr "Aquesta propietat no està disponible a Python."
#. 9bTEm
#: avail_release.xhp
@@ -68,7 +68,7 @@ msgctxt ""
"par_id811631775671311\n"
"help.text"
msgid "This service is available from %PRODUCTNAME 7.3 onwards."
-msgstr ""
+msgstr "Aquest servei està disponible a partir de la versió 7.3 del %PRODUCTNAME."
#. J3r7B
#: avail_release.xhp
@@ -77,7 +77,7 @@ msgctxt ""
"par_id291613654389793\n"
"help.text"
msgid "This method is available from %PRODUCTNAME 7.3 onwards."
-msgstr ""
+msgstr "Aquest mètode està disponible a partir de la versió 7.3 del %PRODUCTNAME."
#. ajeAa
#: avail_release.xhp
@@ -86,7 +86,7 @@ msgctxt ""
"par_id201613654593537\n"
"help.text"
msgid "This property is available from %PRODUCTNAME 7.3 onwards."
-msgstr ""
+msgstr "Aquesta propietat està disponible a partir de la versió 7.3 del %PRODUCTNAME."
#. 7KtXf
#: avail_release.xhp
@@ -95,7 +95,7 @@ msgctxt ""
"par_id651551701041690\n"
"help.text"
msgid "This service is available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquest servei està disponible a partir de la versió 7.2 del %PRODUCTNAME."
#. GXE45
#: avail_release.xhp
@@ -104,7 +104,7 @@ msgctxt ""
"par_id281613660174140\n"
"help.text"
msgid "These methods are available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquests mètodes estan disponibles a partir de la versió 7.2 del %PRODUCTNAME."
#. An73n
#: avail_release.xhp
@@ -113,7 +113,7 @@ msgctxt ""
"par_id291613654389792\n"
"help.text"
msgid "This method is available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquest mètode està disponible a partir de la versió 7.2 del %PRODUCTNAME."
#. qjuHF
#: avail_release.xhp
@@ -122,7 +122,7 @@ msgctxt ""
"par_id981613655373210\n"
"help.text"
msgid "This control is available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquest control està disponible a partir de la versió 7.2 del %PRODUCTNAME."
#. bAYUN
#: avail_release.xhp
@@ -131,7 +131,7 @@ msgctxt ""
"par_id831613654401663\n"
"help.text"
msgid "These event properties are available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquestes propietats d'esdeveniments estan disponibles a partir de la versió 7.2 del %PRODUCTNAME."
#. kVj8c
#: avail_release.xhp
@@ -140,7 +140,7 @@ msgctxt ""
"par_id201613654395537\n"
"help.text"
msgid "This property is available from %PRODUCTNAME 7.2 onwards."
-msgstr ""
+msgstr "Aquesta propietat està disponible a partir de la versió 7.2 del %PRODUCTNAME."
#. EziC4
#: lib_ScriptForge.xhp
@@ -149,7 +149,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge Libraries"
-msgstr ""
+msgstr "Biblioteques ScriptForge"
#. dcmiK
#: lib_ScriptForge.xhp
@@ -158,7 +158,7 @@ msgctxt ""
"hd_id31529004750471\n"
"help.text"
msgid "<variable id=\"ScriptForge_lib\"><link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\">The <literal>ScriptForge</literal> Library</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ScriptForge_lib\"><link href=\"text/sbasic/shared/03/lib_ScriptForge.xhp\">La llibreria <literal>ScriptForge</literal></link></variable>"
#. Poeai
#: lib_ScriptForge.xhp
@@ -176,7 +176,7 @@ msgctxt ""
"par_id681619700336879\n"
"help.text"
msgid "ScriptForge libraries build up an extensible collection of macro scripting resources for %PRODUCTNAME to be invoked from Basic macros or Python scripts."
-msgstr ""
+msgstr "Les biblioteques ScriptForge formen una col·lecció ampliable de recursos per a crear scripts per al %PRODUCTNAME, que es poden invocar a partir de macros BASIC o scripts Python."
#. fL8KK
#: lib_ScriptForge.xhp
@@ -194,7 +194,7 @@ msgctxt ""
"par_id1001623412767893\n"
"help.text"
msgid "To learn more about how to create and execute Python scripts using the <literal>ScriptForge</literal> library, read the help page <link href=\"text/sbasic/shared/03/sf_intro.xhp\">Creating Python Scripts with ScriptForge</link>."
-msgstr ""
+msgstr "Per obtindre més informació sobre com podeu crear i executar scripts de Python amb la biblioteca <literal> ScriptForge</literal>, llegiu la pàgina d'ajuda <link href=\"text/sbasic/shared/03/sf_intro.xhp\">Creació de Scripts de Python amb ScriptForge</link>."
#. 2Fr3S
#: lib_ScriptForge.xhp
@@ -203,7 +203,7 @@ msgctxt ""
"hd_id781637256119733\n"
"help.text"
msgid "Invoking ScriptForge services"
-msgstr ""
+msgstr "Invocació dels serveis de l'ScriptForge"
#. SaBEy
#: lib_ScriptForge.xhp
@@ -212,7 +212,7 @@ msgctxt ""
"par_id781606153472028\n"
"help.text"
msgid "The described modules and classes are invoked from user scripts as \"Services\". A generic constructor of those services has been designed for that purpose for each language."
-msgstr ""
+msgstr "Els mòduls i classes descrits s'invoquen a partir d'scripts d'usuari com a «serveis». Amb aquest propòsit, s'ha dissenyat un constructor genèric d'aquests serveis per a cada llenguatge."
#. xhj84
#: lib_ScriptForge.xhp
@@ -230,7 +230,7 @@ msgctxt ""
"hd_id851613836643580\n"
"help.text"
msgid "Services provided by the ScriptForge library"
-msgstr ""
+msgstr "Serveis que forneix la biblioteca ScriptForge"
#. dw2Fe
#: lib_ScriptForge.xhp
@@ -239,7 +239,7 @@ msgctxt ""
"par_id131613838858931\n"
"help.text"
msgid "Category"
-msgstr ""
+msgstr "Categoria"
#. TmFbF
#: lib_ScriptForge.xhp
@@ -248,7 +248,7 @@ msgctxt ""
"par_id441613838858931\n"
"help.text"
msgid "Services"
-msgstr ""
+msgstr "Serveis"
#. ZZKBq
#: lib_ScriptForge.xhp
@@ -257,7 +257,7 @@ msgctxt ""
"par_id851613847558931\n"
"help.text"
msgid "%PRODUCTNAME Basic"
-msgstr ""
+msgstr "%PRODUCTNAME BASIC"
#. jv7Z3
#: lib_ScriptForge.xhp
@@ -266,7 +266,7 @@ msgctxt ""
"par_id131613838825831\n"
"help.text"
msgid "Document Content"
-msgstr ""
+msgstr "Contingut del document"
#. 8fZtg
#: lib_ScriptForge.xhp
@@ -275,7 +275,7 @@ msgctxt ""
"par_id131613947858931\n"
"help.text"
msgid "User Interface"
-msgstr ""
+msgstr "Interfície d'usuari"
#. dAomL
#: lib_ScriptForge.xhp
@@ -284,7 +284,7 @@ msgctxt ""
"par_id131613866258931\n"
"help.text"
msgid "Utilities"
-msgstr ""
+msgstr "Utilitats"
#. 6gvZc
#: lib_ScriptForge.xhp
@@ -293,7 +293,7 @@ msgctxt ""
"par_id331608220104798\n"
"help.text"
msgid "<emph>Note:</emph> Other <literal>ScriptForge</literal> undescribed modules are reserved for internal use. Their content is subject to change without notice."
-msgstr ""
+msgstr "<emph>Nota:</emph> els altres mòduls de l'<literal>ScriptForge</literal> que no es descriuen ací estan reservats per a un ús intern. Llurs continguts estan subjectes a canvis sense avís previ."
#. uzETY
#: lib_ScriptForge.xhp
@@ -374,7 +374,7 @@ msgctxt ""
"par_id481593518247400\n"
"help.text"
msgid "Its entry points are:"
-msgstr ""
+msgstr "Els seus punts d'entrada són:"
#. puNwN
#: lib_euro.xhp
@@ -383,7 +383,7 @@ msgctxt ""
"par_id381593519742529\n"
"help.text"
msgid "Selecting the <emph>Euro Converter</emph> wizard loads the following libraries in memory:"
-msgstr ""
+msgstr "En seleccionar l'assistent <emph>Convertidor a Euro</emph> es carreguen a la memòria les llibreries següents:"
#. TGAHA
#: lib_euro.xhp
@@ -392,7 +392,7 @@ msgctxt ""
"par_id691593519646426\n"
"help.text"
msgid "Basic routine name conflicts may exist when multiple Basic libraries are loaded in memory."
-msgstr ""
+msgstr "Poden existir conflictes amb els noms de rutines Basic quan es carreguen en memòria múltiples biblioteques de Basic."
#. iT3Br
#: lib_euro.xhp
@@ -401,7 +401,7 @@ msgctxt ""
"par_id1001593520257636\n"
"help.text"
msgid "ImportWizard and <link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link> Basic libraries"
-msgstr ""
+msgstr "Biblioteques BASIC ImportWizard i <link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link>"
#. DT897
#: lib_euro.xhp
@@ -410,7 +410,7 @@ msgctxt ""
"par_id251593518523704\n"
"help.text"
msgid "<link href=\"text/shared/autopi/01150000.xhp\">Euro Converter Wizard</link> describes what the <emph>Euro</emph> library does."
-msgstr ""
+msgstr "<link href=\"text/shared/autopi/01150000.xhp\">L'assistent de conversió a euros </link> descriu què fa la llibreria <emph>Euro</emph>."
#. G8mp2
#: lib_formwizard.xhp
@@ -464,7 +464,7 @@ msgctxt ""
"hd_id841593518085848\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. ewcAB
#: lib_gimmicks.xhp
@@ -473,7 +473,7 @@ msgctxt ""
"par_id921593518140986\n"
"help.text"
msgid "The <emph>Gimmicks</emph> library is used by the <emph>AutoText</emph> wizard."
-msgstr ""
+msgstr "La biblioteca <emph>Gimmicks</emph> l'utilitza l'auxiliar <emph>Text automàtic</emph>."
#. kHzUe
#: lib_gimmicks.xhp
@@ -482,7 +482,7 @@ msgctxt ""
"par_id481593518247400\n"
"help.text"
msgid "Its entry points are:"
-msgstr ""
+msgstr "Els seus punts d'entrada són:"
#. AmCFb
#: lib_gimmicks.xhp
@@ -491,7 +491,7 @@ msgctxt ""
"par_id381593519742529\n"
"help.text"
msgid "Selecting <menuitem>Tools - AutoText</menuitem> loads the following library in memory:"
-msgstr ""
+msgstr "En seleccionar <menuitem>Eines ▸ Text automàtic</menuitem> es carrega en memòria la biblioteca següent:"
#. hn8Dw
#: lib_gimmicks.xhp
@@ -500,7 +500,7 @@ msgctxt ""
"par_id691593519646426\n"
"help.text"
msgid "Basic routine name conflicts may exist when multiple Basic libraries are loaded in memory."
-msgstr ""
+msgstr "Poden existir conflictes amb els noms de rutines Basic quan es carreguen en memòria múltiples biblioteques de Basic."
#. XW9eu
#: lib_gimmicks.xhp
@@ -509,7 +509,7 @@ msgctxt ""
"par_id1001593520257636\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link> Basic library"
-msgstr ""
+msgstr "Biblioteca BASIC <link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link>"
#. RAiw5
#: lib_gimmicks.xhp
@@ -518,7 +518,7 @@ msgctxt ""
"par_id251593518523704\n"
"help.text"
msgid "<link href=\"text/swriter/guide/autotext.xhp\">Using AutoText</link> explains what the <emph>Gimmicks</emph> library does."
-msgstr ""
+msgstr "<link href=\"text/swriter/guide/autotext.xhp\">Ús d'AutoText</link> explica que fa la llibreria <emph>Gimmicks</emph>."
#. EwqqW
#: lib_importwiz.xhp
@@ -527,7 +527,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ImportWizard Library"
-msgstr ""
+msgstr "Biblioteca ImportWizard"
#. 7Rszk
#: lib_importwiz.xhp
@@ -536,7 +536,7 @@ msgctxt ""
"hd_id31529004750471\n"
"help.text"
msgid "<variable id=\"importwiz_lib\"><link href=\"text/sbasic/shared/03/lib_importwiz.xhp\">The <item type=\"literal\">ImportWizard</item> Library</link></variable>"
-msgstr ""
+msgstr "<variable id=\"importwiz_lib\"><link href=\"text/sbasic/shared/03/lib_importwiz.xhp\">La llibreria <item type=\"literal\">ImportWizard</item></link></variable>"
#. pbesX
#: lib_importwiz.xhp
@@ -545,7 +545,7 @@ msgctxt ""
"bm_id231529070133574\n"
"help.text"
msgid "<bookmark_value>BASIC ImportWizard library</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>biblioteca BASIC ImportWizard</bookmark_value>"
#. GFoap
#: lib_importwiz.xhp
@@ -563,7 +563,7 @@ msgctxt ""
"par_id921593518140986\n"
"help.text"
msgid "The <emph>ImportWizard</emph> library is used by the <emph>Document Converter</emph> wizard."
-msgstr ""
+msgstr "La llibreria <emph>ImportWizard</emph> l’utilitza l’assistent <emph>Convertidor de documents</emph>."
#. FaGZt
#: lib_importwiz.xhp
@@ -572,7 +572,7 @@ msgctxt ""
"par_id481593518247400\n"
"help.text"
msgid "Its entry point is:"
-msgstr ""
+msgstr "El seu punt d'entrada és:"
#. foGsC
#: lib_importwiz.xhp
@@ -581,7 +581,7 @@ msgctxt ""
"par_id381593519742529\n"
"help.text"
msgid "Selecting the <emph>Document Converter</emph> wizard loads the following libraries in memory:"
-msgstr ""
+msgstr "En seleccionar l'assistent <emph>Convertidor de documents</emph> es carreguen a la memòria les llibreries següents:"
#. vV4TD
#: lib_importwiz.xhp
@@ -590,7 +590,7 @@ msgctxt ""
"par_id691593519646426\n"
"help.text"
msgid "Basic routine name conflicts may exist when multiple Basic libraries are loaded in memory."
-msgstr ""
+msgstr "Poden existir conflictes amb els noms de rutines Basic quan es carreguen en memòria múltiples biblioteques de Basic."
#. w27Ax
#: lib_importwiz.xhp
@@ -599,7 +599,7 @@ msgctxt ""
"par_id1001593520257636\n"
"help.text"
msgid "<link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link> Basic library"
-msgstr ""
+msgstr "Biblioteca BASIC <link href=\"text/sbasic/shared/03/lib_tools.xhp\">Tools</link>"
#. FaMgp
#: lib_importwiz.xhp
@@ -608,7 +608,7 @@ msgctxt ""
"par_id251593518523704\n"
"help.text"
msgid "<link href=\"text/shared/autopi/01130000.xhp\">Document Converter</link> describes what the <emph>ImportWizard</emph> library does."
-msgstr ""
+msgstr "<link href=\"text/shared/autopi/01130000.xhp\">Conversor de documents</link> descriu que fa la llibreria <emph>ImportWizard</emph>."
#. UWzWk
#: lib_schedule.xhp
@@ -680,7 +680,7 @@ msgctxt ""
"par_id921593518140986\n"
"help.text"
msgid "The <emph>ScriptBindingLibrary</emph> library only contains dialogs, it is used by <emph>Highlight</emph> %PRODUCTNAME example scripts. Its dialogs are shared by Beanshell, Java and JavaScript example scripts."
-msgstr ""
+msgstr "La llibreria <emph>ScriptBindingLibrary</emph> només conté diàlegs, l'utilitzen els scripts d'exemple <emph>Ressaltats</emph> %PRODUCTNAME. Els seus diàlegs són compartits pels scripts d'exemple Beanshell, Java i JavaScript."
#. JdxBj
#: lib_script.xhp
@@ -689,7 +689,7 @@ msgctxt ""
"par_id381593519742529\n"
"help.text"
msgid "Running any <emph>Highlight</emph> example script loads the <emph>ScriptBindingLibrary</emph> library in memory."
-msgstr ""
+msgstr "Executant qualsevol script d'exemple <emph>Destacat</emph> es carrega en memòria la llibreria <emph>ScriptBindingLibrary</emph>."
#. 9CZwi
#: lib_script.xhp
@@ -707,7 +707,7 @@ msgctxt ""
"par_id251593524531077\n"
"help.text"
msgid "<link href=\"text/shared/01/06130020.xhp\">Basic macro selector</link>"
-msgstr ""
+msgstr "<link href=\"text/shared/01/06130020.xhp\">Selector de macros Basic</link>"
#. vAYvG
#: lib_script.xhp
@@ -716,7 +716,7 @@ msgctxt ""
"par_id721593525163663\n"
"help.text"
msgid "Beanshell, Java and JavaScript <link href=\"text/shared/01/06130030.xhp\">Scripts</link>"
-msgstr ""
+msgstr "<link href=\"text/shared/01/06130030.xhp\">Scripts</link> Java i JavaScript en Beanshell"
#. QZNvL
#: lib_template.xhp
@@ -995,7 +995,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "WikiEditor Library"
-msgstr ""
+msgstr "Biblioteca WikiEditor"
#. FUfqM
#: lib_wikieditor.xhp
@@ -1004,7 +1004,7 @@ msgctxt ""
"hd_id31529004750471\n"
"help.text"
msgid "<variable id=\"wikieditor_lib\"><link href=\"text/sbasic/shared/03/lib_wikieditor.xhp\">The <item type=\"literal\">WikiEditor</item> Library</link></variable>"
-msgstr ""
+msgstr "<variable id=\"wikieditor_lib\"><link href=\"text/sbasic/shared/03/lib_wikieditor.xhp\">La biblioteca <item type=\"literal\">WikiEditor</item></link></variable>"
#. mBGxx
#: lib_wikieditor.xhp
@@ -1013,7 +1013,7 @@ msgctxt ""
"bm_id231529070133574\n"
"help.text"
msgid "<bookmark_value>BASIC WikiEditor library</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>biblioteca BASIC WikiEditor</bookmark_value>"
#. qGFuz
#: lib_wikieditor.xhp
@@ -1031,7 +1031,7 @@ msgctxt ""
"par_id921593518140986\n"
"help.text"
msgid "The <emph>WikiEditor</emph> library only contains dialogs, it is used by <emph>Wiki Publisher</emph> bundled Java extension."
-msgstr ""
+msgstr "La llibreria <emph>WikiEditor</emph> només conté diàlegs, l'utilitzen les extensions Java <emph>Wiki Publisher</emph>."
#. k2E85
#: lib_wikieditor.xhp
@@ -1049,7 +1049,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Array service (SF_Array)"
-msgstr ""
+msgstr "ScriptForge.Array service (SF_Array)"
#. 5rg28
#: sf_array.xhp
@@ -1058,7 +1058,7 @@ msgctxt ""
"bm_id281613039222756\n"
"help.text"
msgid "<bookmark_value>Array service</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Servei de matrius</bookmark_value>"
#. vJZCW
#: sf_array.xhp
@@ -1067,7 +1067,7 @@ msgctxt ""
"bm_id781582391760253\n"
"help.text"
msgid "<variable id=\"ArrayService\"><link href=\"text/sbasic/shared/03/sf_array.xhp\"><literal>ScriptForge</literal>.<literal>Array</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ArrayService\"><link href=\"text/sbasic/shared/03/sf_array.xhp\">Servei <literal>ScriptForge</literal>.<literal>Array</literal></link></variable>"
#. jMjFA
#: sf_array.xhp
@@ -1085,7 +1085,7 @@ msgctxt ""
"par_id681609955015503\n"
"help.text"
msgid "Arrays with more than two dimensions cannot be used with the methods in this service, the only exception being the <literal>CountDims</literal> method that accepts Arrays with any number of dimensions."
-msgstr ""
+msgstr "No es poden utilitzar matrius amb més de dues dimensions amb els mètodes d’aquest servei, l'única excepció és el mètode <literal>CountDims</literal> que accepta matrius amb qualsevol nombre de dimensions"
#. CL5tT
#: sf_array.xhp
@@ -1094,7 +1094,7 @@ msgctxt ""
"par_id651582454426538\n"
"help.text"
msgid "Array items may contain any type of value, including (sub)arrays."
-msgstr ""
+msgstr "Els elements de matriu poden contindre qualsevol tipus de valor, incloent (sub) matrius."
#. hdC3J
#: sf_array.xhp
@@ -1103,7 +1103,7 @@ msgctxt ""
"hd_id981586595097630\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. CPbHQ
#: sf_array.xhp
@@ -1112,7 +1112,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Array</literal> service the <literal>ScriptForge</literal> library needs to be loaded using:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Array</literal>, la biblioteca <literal>ScriptForge</literal> s'ha de carregar utilitzant:"
#. FDqCD
#: sf_array.xhp
@@ -1121,7 +1121,7 @@ msgctxt ""
"par_id461609955633383\n"
"help.text"
msgid "Loading the library will create the <literal>SF_Array</literal> object that can be used to call the methods in the <literal>Array</literal> service."
-msgstr ""
+msgstr "Carregar la llibreria crearà l'objecte <literal>SF_Array</literal> que poden utilitzar-se cridant els mètodes del servei <literal>Matriu</literal>."
#. AAdGG
#: sf_array.xhp
@@ -1130,7 +1130,7 @@ msgctxt ""
"par_id63158659509728\n"
"help.text"
msgid "The following code snippets show the various ways to call methods in the <literal>Array</literal> service (the <literal>Append</literal> method is used as an example):"
-msgstr ""
+msgstr "Els fragments de codi següents mostren diverses maneres de cridar als mètodes del servei <literal>Matriu</literal> (el mètode <literal>Append</literal> s'utilitza com exemple):"
#. PZxWC
#: sf_array.xhp
@@ -1148,7 +1148,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Methods in the Array Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Array"
#. qDYGe
#: sf_array.xhp
@@ -1157,7 +1157,7 @@ msgctxt ""
"par_id191582454485250\n"
"help.text"
msgid "The first argument of most methods is the array object to be considered. It is always passed by reference and left unchanged. Methods such as Append, Prepend, etc return a new array object after their execution."
-msgstr ""
+msgstr "El primer argument de la majoria de mètodes és l’objecte matriu a considerar. Sempre es passa per referència i es deixa sense canvis. Mètodes com ara Append, Prepend, etc. retornen un nou objecte array després de la seua execució."
#. n84zh
#: sf_array.xhp
@@ -1166,7 +1166,7 @@ msgctxt ""
"par_id931582548992953\n"
"help.text"
msgid "Appends the items listed as arguments to the end of the input array."
-msgstr ""
+msgstr "Afig els elements llistats com a arguments al final de la matriu d'entrada."
#. 2keb6
#: sf_array.xhp
@@ -1193,7 +1193,7 @@ msgctxt ""
"par_id241582549679173\n"
"help.text"
msgid "Appends a new column to the right side of a two dimensional array. The resulting array has the same lower bounds as the initial two dimensional array."
-msgstr ""
+msgstr "Afig una nova columna a la part dreta d'una matriu bidimensional. La matriu resultant té els mateixos límits inferiors que la matriu bidimensional inicial."
#. dCSCb
#: sf_array.xhp
@@ -1220,7 +1220,7 @@ msgctxt ""
"par_id941582551396374\n"
"help.text"
msgid "Append to the bottom of a two dimension array a new row. The resulting array has the same lower bounds as the initial two dimension array."
-msgstr ""
+msgstr "Afig a la part inferior d'una matriu de dues dimensions una fila nova. La matriu resultant té els mateixos límits inferiors que la matriu inicial de dues dimensions."
#. HEpVM
#: sf_array.xhp
@@ -1247,7 +1247,7 @@ msgctxt ""
"par_id391582552517870\n"
"help.text"
msgid "Check if a one dimension array contains a certain number, text or date. Text comparison can be case-sensitive or not. <br/>Sorted input arrays must be filled homogeneously, meaning all items must be scalars of the same type (<literal>Empty</literal> and <literal>Null</literal> items are forbidden). <br/>The result of the method is unpredictable when the array is announced as sorted and is in reality not. <br/>A binary search is done when the array is sorted, otherwise, it is simply scanned from top to bottom and <literal>Empty</literal> and <literal>Null</literal> items are ignored."
-msgstr ""
+msgstr "Comproveu si una matriu d'una dimensió conté un nombre, un text o una data determinats. La comparació pot distingir entre majúscules i minúscules. <br/>Les matrius d'entrada ordenades s'han d'omplir de manera homogènia, és a dir, tots els elements han de ser escalars del mateix tipus (elements <literal>Buits</literal> i <literal>Nuls</literal> estan prohibits). <br/>El resultat del mètode és imprevisible quan la matriu s'assenyala com a ordenada i, en realitat, no ho està. <br/>Una cerca binària es fa quan s’ordena la matriu, en cas contrari, simplement s’escaneja de dalt a baix ii els elements <literal>Buits</literal> i <literal>Nuls</literal> s'ignoren."
#. CuUGw
#: sf_array.xhp
@@ -1292,7 +1292,7 @@ msgctxt ""
"par_id71582557214489\n"
"help.text"
msgid "Store the content of a 2-columns array into a <link href=\"text/sbasic/shared/03/sf_dictionary.xhp\">ScriptForge.Dictionary</link> object. <br/>The key will be extracted from the first column, the item from the second."
-msgstr ""
+msgstr "Emmagatzemeu el contingut d'una matriu de 2 columnes en un objecte <link href=\"text/sbasic/shared/03/sf_dictionary.xhp\">ScriptForge.Dictionary</link>. <br/>La clau s’extreurà de la primera columna, l’element de la segona."
#. AdhMA
#: sf_array.xhp
@@ -1409,7 +1409,7 @@ msgctxt ""
"par_id91582558644287\n"
"help.text"
msgid "Build a set, as a zero-based array, by applying the difference operator on the two input arrays. Resulting items originate from the first array and not from the second. <br/>The resulting array is sorted in ascending order. <br/>Both input arrays must be filled homogeneously, their items must be scalars of the same type. <literal>Empty</literal> and <literal>Null</literal> items are forbidden. <br/>Text comparison can be case sensitive or not."
-msgstr ""
+msgstr "Construir un conjunt, com una matriu zero, aplicant l’operador diferència a dues matrius d’entrada. Els elements resultants provenen de la primera matriu i no de la segona. <br/>La matriu resultant s'ordena de forma ascendent. <br/>Les dues matrius d’entrada s’han d’omplir de manera homogènia, els seus elements han de ser escalars del mateix tipus. Els elements <literal>buits</literal> i <literal>nuls</literal> estan prohibits. <br/>La comparació entre texts pot distingir entre majúscules o minúscules."
#. FTb9n
#: sf_array.xhp
@@ -1445,7 +1445,7 @@ msgctxt ""
"par_id941586179707156\n"
"help.text"
msgid "Write all items of the array sequentially to a text file. If the file exists already, it will be overwritten without warning."
-msgstr ""
+msgstr "Escriviu tots els elements de la matriu de manera seqüencial en un fitxer de text. Si el fitxer ja existeix, se sobreescriurà sense previ avís."
#. 9mNLT
#: sf_array.xhp
@@ -1481,7 +1481,7 @@ msgctxt ""
"par_id171582560281082\n"
"help.text"
msgid "Extract from a two dimension array a specific column as a new array. <br/>Its lower <literal>LBound</literal> and upper <literal>UBound</literal> boundaries are identical to that of the first dimension of the input array."
-msgstr ""
+msgstr "Extreu d'una matriu de dues dimensions una columna específica com a nova matriu. Els límits <br/>Inferior<literal>LBound</literal> i superior <literal>UBound</literal> són idèntics als de la primera dimensió de la matriu d'entrada."
#. j2CVW
#: sf_array.xhp
@@ -1508,7 +1508,7 @@ msgctxt ""
"bas_id861609975902708\n"
"help.text"
msgid "'Creates a 3x3 matrix: |1, 2, 3|"
-msgstr ""
+msgstr "'Crea una matriu 3x3: |1, 2, 3|"
#. uZD8U
#: sf_array.xhp
@@ -1517,7 +1517,7 @@ msgctxt ""
"bas_id431609976009994\n"
"help.text"
msgid "'Extracts the third column: |3, 6, 9|"
-msgstr ""
+msgstr "'Extreu la tercera columna: |3, 6, 9|"
#. is3Zq
#: sf_array.xhp
@@ -1553,7 +1553,7 @@ msgctxt ""
"bas_id301582561604167\n"
"help.text"
msgid "'Creates a 3x3 matrix: |1, 2, 3|"
-msgstr ""
+msgstr "'Crea una matriu 3x3: |1, 2, 3|"
#. txoEC
#: sf_array.xhp
@@ -1562,7 +1562,7 @@ msgctxt ""
"bas_id431609976648017\n"
"help.text"
msgid "'Extracts the first row: |1, 2, 3|"
-msgstr ""
+msgstr "'Extreu la primera fila: |1, 2, 3|"
#. nGy3S
#: sf_array.xhp
@@ -1571,7 +1571,7 @@ msgctxt ""
"par_id431585757822181\n"
"help.text"
msgid "Stack all single items of an array and all items in its subarrays into one new array without subarrays. Empty subarrays are ignored and subarrays with a number of dimensions greater than one are not flattened."
-msgstr ""
+msgstr "Apila tots els elements individuals d’una matriu i tots els elements de les seues submatrius en una nova matriu sense submatrius. Les submatrius buides s'ignoren i les submatrius amb un nombre de dimensions superior a un no s'aplanen."
#. CNFGJ
#: sf_array.xhp
@@ -1634,7 +1634,7 @@ msgctxt ""
"par_id41585562158392\n"
"help.text"
msgid "The applicable CSV format is described in <link href=\"https://tools.ietf.org/html/rfc4180\">IETF Common Format and MIME Type for CSV Files</link>."
-msgstr ""
+msgstr "El format CSV aplicable es descriu a la pàgina <link href=\"https://tools.ietf.org/html/rfc4180\">Format comú i tipus MIME de l'IETF per a fitxers CSV</link> (en anglés)."
#. PT3Pq
#: sf_array.xhp
@@ -2156,7 +2156,7 @@ msgctxt ""
"par_id151582649200088\n"
"help.text"
msgid "Returns a random permutation of a one-dimensional array."
-msgstr ""
+msgstr "Retorna una permutació aleatòria d'una matriu unidimensional."
#. xFwWY
#: sf_array.xhp
@@ -2516,7 +2516,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. AvW3k
#: sf_base.xhp
@@ -2525,7 +2525,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Base</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Base</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. vi6hS
#: sf_base.xhp
@@ -2570,7 +2570,7 @@ msgctxt ""
"par_id871623102536956\n"
"help.text"
msgid "The examples above can be translated to Python as follows:"
-msgstr ""
+msgstr "Els exemples anteriors es poden traduir a Python d'aquesta manera:"
#. f8Esv
#: sf_base.xhp
@@ -2588,7 +2588,7 @@ msgctxt ""
"par_id451619034669263\n"
"help.text"
msgid "List of Methods in the Base Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Base"
#. TvfQt
#: sf_base.xhp
@@ -2651,7 +2651,7 @@ msgctxt ""
"par_id191619037523467\n"
"help.text"
msgid "Depending on the parameters provided this method will return:"
-msgstr ""
+msgstr "En funció dels paràmetres fornits, aquest mètode retornarà:"
#. HqFmT
#: sf_base.xhp
@@ -2669,7 +2669,7 @@ msgctxt ""
"par_id111619037577804\n"
"help.text"
msgid "A <literal>SFDocuments.Form</literal> object representing the form specified in the <literal>Form</literal> argument."
-msgstr ""
+msgstr "Un objecte <literal>SFDocuments.Form</literal> que representa el formulari que s'ha especificat a l'argument <literal>Form</literal>."
#. pEtwt
#: sf_base.xhp
@@ -2750,7 +2750,7 @@ msgctxt ""
"pyc_id351623104861223\n"
"help.text"
msgid "# ... Run queries, SQL statements, ..."
-msgstr ""
+msgstr "# … Executeu consultes o expressions SQL…"
#. mBphD
#: sf_base.xhp
@@ -2759,7 +2759,7 @@ msgctxt ""
"par_id871619098478513\n"
"help.text"
msgid "Returns <literal>True</literal> if the specified <literal>FormDocument</literal> is currently open."
-msgstr ""
+msgstr "Retorna <literal>True</literal> si el <literal>FormDocument</literal> especificat està obert actualment."
#. njjFg
#: sf_base.xhp
@@ -2840,7 +2840,7 @@ msgctxt ""
"par_id281671113374329\n"
"help.text"
msgid "The query can be opened either in normal or design mode."
-msgstr ""
+msgstr "La consulta es pot obrir en mode normal o de disseny."
#. PteVF
#: sf_base.xhp
@@ -3038,7 +3038,7 @@ msgctxt ""
"par_id591589189364267\n"
"help.text"
msgid "Typical example:"
-msgstr ""
+msgstr "Exemple típic:"
#. fBDsN
#: sf_basic.xhp
@@ -3065,7 +3065,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. pNUsj
#: sf_basic.xhp
@@ -3083,7 +3083,7 @@ msgctxt ""
"hd_id201618922972557\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. bLzCe
#: sf_basic.xhp
@@ -3092,7 +3092,7 @@ msgctxt ""
"par_id401618922991909\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 5FcQt
#: sf_basic.xhp
@@ -3101,7 +3101,7 @@ msgctxt ""
"par_id591618922991909\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. N5DD5
#: sf_basic.xhp
@@ -3110,7 +3110,7 @@ msgctxt ""
"par_id211618922991909\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. qXwST
#: sf_basic.xhp
@@ -3119,7 +3119,7 @@ msgctxt ""
"par_id971618923022846\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. KuiAD
#: sf_basic.xhp
@@ -3128,7 +3128,7 @@ msgctxt ""
"par_id21619004009875\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 7DG4F
#: sf_basic.xhp
@@ -3137,7 +3137,7 @@ msgctxt ""
"par_id791619004012484\n"
"help.text"
msgid "Values: 0, 1, 5, 4, 3"
-msgstr ""
+msgstr "Valors: 0, 1, 5, 4, 3"
#. 8ie8B
#: sf_basic.xhp
@@ -3146,7 +3146,7 @@ msgctxt ""
"par_id201619004097755\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. DQkGQ
#: sf_basic.xhp
@@ -3155,7 +3155,7 @@ msgctxt ""
"par_id311619004099683\n"
"help.text"
msgid "Values: 48, 64, 32, 16<br/>"
-msgstr ""
+msgstr "Valors: 48, 64, 32, 16<br/>"
#. mCpye
#: sf_basic.xhp
@@ -3164,7 +3164,7 @@ msgctxt ""
"par_id581618922991909\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. h3hZE
#: sf_basic.xhp
@@ -3173,7 +3173,7 @@ msgctxt ""
"par_id211618923312141\n"
"help.text"
msgid "Values: 2, 128, 256, 512"
-msgstr ""
+msgstr "Valors: 2, 128, 256, 512"
#. kLst4
#: sf_basic.xhp
@@ -3182,7 +3182,7 @@ msgctxt ""
"par_id961618924503848\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Tmtc2
#: sf_basic.xhp
@@ -3191,7 +3191,7 @@ msgctxt ""
"par_id871618924506654\n"
"help.text"
msgid "Values: 3, 2, 5, 7, 1, 4, 6<br/>Constants indicating <literal>MsgBox</literal> selected button."
-msgstr ""
+msgstr "Valors: 3, 2, 5, 7, 1, 4, 6<br/>Constants que indiquen el botó seleccionat del <literal>MsgBox</literal>."
#. BDtqm
#: sf_basic.xhp
@@ -3200,7 +3200,7 @@ msgctxt ""
"par_id731619006254384\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. SKW53
#: sf_basic.xhp
@@ -3209,7 +3209,7 @@ msgctxt ""
"par_id711619006255184\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. jAEFy
#: sf_basic.xhp
@@ -3227,7 +3227,7 @@ msgctxt ""
"par_id731619006034384\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JFnmw
#: sf_basic.xhp
@@ -3236,7 +3236,7 @@ msgctxt ""
"par_id711619006259094\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. 3wZPC
#: sf_basic.xhp
@@ -3254,7 +3254,7 @@ msgctxt ""
"par_id731619006259634\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. DgnfQ
#: sf_basic.xhp
@@ -3263,7 +3263,7 @@ msgctxt ""
"par_id711619004425514\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. hdhY2
#: sf_basic.xhp
@@ -3281,7 +3281,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Methods in the Basic Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Basic"
#. GvjSD
#: sf_basic.xhp
@@ -3605,7 +3605,7 @@ msgctxt ""
"hd_id751618825527776\n"
"help.text"
msgid "Formatting Codes"
-msgstr ""
+msgstr "Codis de formatació"
#. G2TzF
#: sf_basic.xhp
@@ -3614,7 +3614,7 @@ msgctxt ""
"hd_id681618825574599\n"
"help.text"
msgid "Predefined Formats"
-msgstr ""
+msgstr "Formats predefinits"
#. osJdR
#: sf_basic.xhp
@@ -3668,7 +3668,7 @@ msgctxt ""
"par_id451618876389788\n"
"help.text"
msgid "Returns the operating system-dependent directory separator used to specify file paths."
-msgstr ""
+msgstr "Retorna el separador de directoris, que depèn del sistema operatiu, utilitzat per a especificar els camins dels fitxers."
#. U4CR2
#: sf_basic.xhp
@@ -3983,7 +3983,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. RAtZX
#: sf_calc.xhp
@@ -3992,7 +3992,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Calc</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Calc</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. z3JcW
#: sf_calc.xhp
@@ -4064,7 +4064,7 @@ msgctxt ""
"par_id71158288562139\n"
"help.text"
msgid "It is recommended to free resources after use:"
-msgstr ""
+msgstr "Es recomana alliberar els recursos després de l'ús:"
#. 3EHn2
#: sf_calc.xhp
@@ -4091,7 +4091,7 @@ msgctxt ""
"hd_id991591016893982\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. 4gE5A
#: sf_calc.xhp
@@ -4379,7 +4379,7 @@ msgctxt ""
"par_id101591024294151\n"
"help.text"
msgid "~.~ or ~"
-msgstr ""
+msgstr "~.~ o ~"
#. kmjCL
#: sf_calc.xhp
@@ -4388,7 +4388,7 @@ msgctxt ""
"par_id22159102429479\n"
"help.text"
msgid "The current selection in the active sheet"
-msgstr ""
+msgstr "La selecció actual en el full actiu"
#. qFqGJ
#: sf_calc.xhp
@@ -4397,7 +4397,7 @@ msgctxt ""
"hd_id351582885195476\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. nntpM
#: sf_calc.xhp
@@ -4424,7 +4424,7 @@ msgctxt ""
"par_id41582885195836\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. PK7n2
#: sf_calc.xhp
@@ -4433,7 +4433,7 @@ msgctxt ""
"par_id31582885195372\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. oFX3A
#: sf_calc.xhp
@@ -4442,7 +4442,7 @@ msgctxt ""
"par_id221591018408168\n"
"help.text"
msgid "Argument"
-msgstr ""
+msgstr "Argument"
#. H9m2q
#: sf_calc.xhp
@@ -4460,7 +4460,7 @@ msgctxt ""
"par_id931582885195131\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 3MHFG
#: sf_calc.xhp
@@ -4469,7 +4469,7 @@ msgctxt ""
"par_id301592407165942\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. pJnFE
#: sf_calc.xhp
@@ -4478,7 +4478,7 @@ msgctxt ""
"par_id81592407165611\n"
"help.text"
msgid "None"
-msgstr ""
+msgstr "Cap"
#. UUDuD
#: sf_calc.xhp
@@ -4505,7 +4505,7 @@ msgctxt ""
"par_id301592407165606\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 5GeyC
#: sf_calc.xhp
@@ -4532,7 +4532,7 @@ msgctxt ""
"par_id301592407166642\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ToQBc
#: sf_calc.xhp
@@ -4559,7 +4559,7 @@ msgctxt ""
"par_id301592407167972\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. zf3hK
#: sf_calc.xhp
@@ -4586,7 +4586,7 @@ msgctxt ""
"par_id101593094953259\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. KedYU
#: sf_calc.xhp
@@ -4613,7 +4613,7 @@ msgctxt ""
"par_id221582885195686\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ALJCP
#: sf_calc.xhp
@@ -4640,7 +4640,7 @@ msgctxt ""
"par_id601592315106598\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 3h43j
#: sf_calc.xhp
@@ -4667,7 +4667,7 @@ msgctxt ""
"par_id981591025591597\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. r6diM
#: sf_calc.xhp
@@ -4694,7 +4694,7 @@ msgctxt ""
"par_id81591025591672\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 2BJKz
#: sf_calc.xhp
@@ -4712,7 +4712,7 @@ msgctxt ""
"par_id571591025591367\n"
"help.text"
msgid "A range reference that can be used as argument of methods like <literal>CopyToRange</literal>."
-msgstr ""
+msgstr "Una referència d'interval que es pot utilitzar com a argument per a mètodes com ara <literal>CopyToRange</literal>."
#. boDiE
#: sf_calc.xhp
@@ -4721,7 +4721,7 @@ msgctxt ""
"par_id81591025591007\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. kJCwG
#: sf_calc.xhp
@@ -4748,7 +4748,7 @@ msgctxt ""
"par_id541591025591511\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. dWFQE
#: sf_calc.xhp
@@ -4775,7 +4775,7 @@ msgctxt ""
"par_id541591025591322\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. wRCYZ
#: sf_calc.xhp
@@ -4802,7 +4802,7 @@ msgctxt ""
"par_id581591025591579\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. V43zC
#: sf_calc.xhp
@@ -4811,7 +4811,7 @@ msgctxt ""
"par_id751591025591667\n"
"help.text"
msgid "None"
-msgstr ""
+msgstr "Cap"
#. B5BXR
#: sf_calc.xhp
@@ -4820,7 +4820,7 @@ msgctxt ""
"par_id861591025591250\n"
"help.text"
msgid "Array of strings"
-msgstr ""
+msgstr "Matriu de cadenes"
#. qGsms
#: sf_calc.xhp
@@ -4829,7 +4829,7 @@ msgctxt ""
"par_id491591025591370\n"
"help.text"
msgid "The list with the names of all existing sheets."
-msgstr ""
+msgstr "La llista amb els noms de tots els fulls existents."
#. EaAB2
#: sf_calc.xhp
@@ -4838,7 +4838,7 @@ msgctxt ""
"par_id711593095062771\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. PFLkD
#: sf_calc.xhp
@@ -4856,7 +4856,7 @@ msgctxt ""
"par_id681593095062358\n"
"help.text"
msgid "The number of columns (>= 1) in the given range."
-msgstr ""
+msgstr "El nombre de columnes (>= 1) al interval indicat."
#. cju3B
#: sf_calc.xhp
@@ -4865,7 +4865,7 @@ msgctxt ""
"par_id391592315404944\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. DMf2S
#: sf_calc.xhp
@@ -4883,7 +4883,7 @@ msgctxt ""
"par_id321592315404430\n"
"help.text"
msgid "A <literal>com.sun.star.Table.XCellRange</literal> UNO object."
-msgstr ""
+msgstr "Un objecte UNO <literal>com.sun.star.Table.XCellRange</literal>."
#. nAD2d
#: sf_calc.xhp
@@ -4892,7 +4892,7 @@ msgctxt ""
"par_id501592315567199\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. yNxZn
#: sf_calc.xhp
@@ -4919,7 +4919,7 @@ msgctxt ""
"par_id501592315565569\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. jWLAC
#: sf_calc.xhp
@@ -4946,7 +4946,7 @@ msgctxt ""
"par_id321611613059105\n"
"help.text"
msgid "Visit %PRODUCTNAME API Documentation's website to learn more about <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1table_1_1XCellRange.html\">XCellRange</link>, <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1sheet_1_1XSheetCellCursor.html\">XSheetCellCursor</link> and <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1sheet_1_1XSpreadsheet.html\">XSpreadsheet</link> UNO objects."
-msgstr ""
+msgstr "Visiteu el lloc web de documentació de l'API del %PRODUCTNAME per a obtindre més informació quant als objectes UNO <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1table_1_1XCellRange.html\">XCellRange</link>, <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1sheet_1_1XSheetCellCursor.html\">XSheetCellCursor</link> i <link href=\"https://api.libreoffice.org/docs/idl/ref/interfacecom_1_1sun_1_1star_1_1sheet_1_1XSpreadsheet.html\">XSpreadsheet</link>."
#. V5dF8
#: sf_calc.xhp
@@ -4955,7 +4955,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. soCDf
#: sf_calc.xhp
@@ -4964,7 +4964,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Calc Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Calc"
#. Dis6i
#: sf_calc.xhp
@@ -5018,7 +5018,7 @@ msgctxt ""
"par_id131611616623705\n"
"help.text"
msgid "The examples below in Basic and Python consider that \"Sheet1\" is the currently active sheet."
-msgstr ""
+msgstr "Als següents exemples en BASIC i Python s'assumeix que «Full1» és el full actiu actualment."
#. eXJNG
#: sf_calc.xhp
@@ -5063,7 +5063,7 @@ msgctxt ""
"par_id501611617808220\n"
"help.text"
msgid "Activating a sheet makes sense only if it is performed on a Calc document. To make sure you have a Calc document at hand you can use the <literal>isCalc</literal> property of the document object, which returns <literal>True</literal> if it is a Calc document and <literal>False</literal> otherwise."
-msgstr ""
+msgstr "L'activació d'un full té sentit només si es fa en un document del Calc. Per a assegurar-se que s'està tractant amb un document del Calc, podeu emprar la propietat <literal>isCalc</literal> de l'objecte del document, la qual retorna <literal>True</literal> tractant-se d'un document del Calc, o <literal>False</literal> si no és el cas."
#. KWFFF
#: sf_calc.xhp
@@ -5216,7 +5216,7 @@ msgctxt ""
"bas_id681670941294573\n"
"help.text"
msgid "' Clears all cells in the range SheetX.A1:J10"
-msgstr ""
+msgstr "' Buida totes les cel·les a l'interval SheetX.A1:J10"
#. dZnwN
#: sf_calc.xhp
@@ -5324,7 +5324,7 @@ msgctxt ""
"par_id211592919864118\n"
"help.text"
msgid "Clears the formats and styles in the given range."
-msgstr ""
+msgstr "Neteja els formats i estils en l'interval indicat."
#. PqtC3
#: sf_calc.xhp
@@ -5360,7 +5360,7 @@ msgctxt ""
"par_id841592919928169\n"
"help.text"
msgid "Clears the values and formulas in the given range."
-msgstr ""
+msgstr "Neteja els valors i les fórmules en l'interval indicat."
#. te7oW
#: sf_calc.xhp
@@ -6026,7 +6026,7 @@ msgctxt ""
"par_id661592904348877\n"
"help.text"
msgid "The method returns a string representing the modified range of cells."
-msgstr ""
+msgstr "El mètode retorna una cadena que representa l'interval de cel·les modificat."
#. wfzcw
#: sf_calc.xhp
@@ -6557,7 +6557,7 @@ msgctxt ""
"bas_id991655655060661\n"
"help.text"
msgid "' Exports the range as a PNG file and overwrites the destination file if it exists"
-msgstr ""
+msgstr "' Exporta l'interval com a fitxer PNG i sobreescriu el fitxer de destinació si aquest ja existeix"
#. BVKEy
#: sf_calc.xhp
@@ -6566,7 +6566,7 @@ msgctxt ""
"par_id501623063693649\n"
"help.text"
msgid "Depending on the parameters provided this method will return:"
-msgstr ""
+msgstr "En funció dels paràmetres fornits, aquest mètode retornarà:"
#. pBZm6
#: sf_calc.xhp
@@ -6737,7 +6737,7 @@ msgctxt ""
"par_id911593685490873\n"
"help.text"
msgid "The method returns a string representing the modified range of cells."
-msgstr ""
+msgstr "El mètode retorna una cadena que representa l'interval de cel·les modificat."
#. GrquM
#: sf_calc.xhp
@@ -7124,7 +7124,7 @@ msgctxt ""
"par_id51592233506021\n"
"help.text"
msgid "Opens a non-modal dialog that can be used to select a range in the document and returns a string containing the selected range."
-msgstr ""
+msgstr "Obri un diàleg no modal que es pot utilitzar per a seleccionar un interval al document i retorna una cadena que conté l'interval seleccionat."
#. CWn2A
#: sf_calc.xhp
@@ -7142,7 +7142,7 @@ msgctxt ""
"par_id551637936545121\n"
"help.text"
msgid "This method does not change the current selection."
-msgstr ""
+msgstr "Aquest mètode no modifica la selecció actual."
#. tAHiV
#: sf_calc.xhp
@@ -7196,7 +7196,7 @@ msgctxt ""
"par_id551637936596521\n"
"help.text"
msgid "This method does not change the current selection."
-msgstr ""
+msgstr "Aquest mètode no modifica la selecció actual."
#. eEqCY
#: sf_calc.xhp
@@ -7304,7 +7304,7 @@ msgctxt ""
"bas_id371637944971921\n"
"help.text"
msgid "' Note the use of the \"$\" character"
-msgstr ""
+msgstr "' Pareu atenció a l'ús del caràcter «$»"
#. wBpRw
#: sf_calc.xhp
@@ -7322,7 +7322,7 @@ msgctxt ""
"par_id981611169416934\n"
"help.text"
msgid "Returns <literal>True</literal> if the sheet was successfully printed."
-msgstr ""
+msgstr "Retorna <literal>True</literal> si el full s'ha imprés correctament."
#. CnNEC
#: sf_calc.xhp
@@ -7367,7 +7367,7 @@ msgctxt ""
"par_id111674511007536\n"
"help.text"
msgid "This method returns a string containing the resulting range."
-msgstr ""
+msgstr "Aquest mètode retorna una cadena que conté l'interval resultant."
#. py5XZ
#: sf_calc.xhp
@@ -7457,7 +7457,7 @@ msgctxt ""
"bas_id11674511430892\n"
"help.text"
msgid "' Columns A and B are used to determine if a row is a duplicate"
-msgstr ""
+msgstr "' Les columnes A i B s'usen per a determinar si una fila ha estat duplicada"
#. vgiBA
#: sf_calc.xhp
@@ -7475,7 +7475,7 @@ msgctxt ""
"par_id661591699085351\n"
"help.text"
msgid "Removes an existing sheet from the document."
-msgstr ""
+msgstr "Elimina un full existent del document."
#. dVxiA
#: sf_calc.xhp
@@ -7682,7 +7682,7 @@ msgctxt ""
"par_id551593880376513\n"
"help.text"
msgid "The full range is updated and the remainder of the sheet is left unchanged."
-msgstr ""
+msgstr "L'interval sencer s'actualitza i la resta del full roman sense canvis."
#. Wot7x
#: sf_calc.xhp
@@ -7736,7 +7736,7 @@ msgctxt ""
"bas_id681593880376489\n"
"help.text"
msgid "'Horizontal vector, partially empty"
-msgstr ""
+msgstr "'Vector horitzontal, parcialment buit"
#. 52GZX
#: sf_calc.xhp
@@ -7745,7 +7745,7 @@ msgctxt ""
"bas_id961593881331390\n"
"help.text"
msgid "'D2 contains the formula \"=H2\""
-msgstr ""
+msgstr "' D2 conté la fórmula «=H2»"
#. ecovS
#: sf_calc.xhp
@@ -7997,7 +7997,7 @@ msgctxt ""
"bas_id881637931064919\n"
"help.text"
msgid "' Deletes the range \"B3:B6\"; moves left all cells to the right"
-msgstr ""
+msgstr "' Suprimeix l'interval «B3:B6»; desplaça totes les cel·les de l'esquerra cap a la dreta"
#. vM8hB
#: sf_calc.xhp
@@ -8006,7 +8006,7 @@ msgctxt ""
"bas_id291637931056991\n"
"help.text"
msgid "' Deletes the first column in the range \"A3:D6\""
-msgstr ""
+msgstr "' Suprimeix la primera columna de l'interval «A3:D6»"
#. FPVSg
#: sf_calc.xhp
@@ -8015,7 +8015,7 @@ msgctxt ""
"bas_id661637931232569\n"
"help.text"
msgid "' The deleted columns (A to D) spans all rows in the sheet"
-msgstr ""
+msgstr "' Les columnes suprimides (d'A a D) comprenen totes les files del full"
#. TAB2b
#: sf_calc.xhp
@@ -8087,7 +8087,7 @@ msgctxt ""
"bas_id291637931056647\n"
"help.text"
msgid "' Deletes the first row in the range \"A3:D6\""
-msgstr ""
+msgstr "' Suprimeix la primera fila de l'interval «A3:D6»"
#. APQKA
#: sf_calc.xhp
@@ -8276,7 +8276,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFDocuments.Chart service"
-msgstr ""
+msgstr "Servei SFDocuments.Chart"
#. yZMaG
#: sf_chart.xhp
@@ -8285,7 +8285,7 @@ msgctxt ""
"bm_id681600788076499\n"
"help.text"
msgid "<variable id=\"ChartService\"><link href=\"text/sbasic/shared/03/sf_chart.xhp\"><literal>SFDocuments</literal>.<literal>Chart</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ChartService\"><link href=\"text/sbasic/shared/03/sf_chart.xhp\">Servei <literal>SFDocuments</literal>.<literal>Chart</literal></link></variable>"
#. nPHDK
#: sf_chart.xhp
@@ -8321,7 +8321,7 @@ msgctxt ""
"par_id67160078807676\n"
"help.text"
msgid "Export charts as image files."
-msgstr ""
+msgstr "Exportar els diagrames com a fitxers d'imatge."
#. mZuuF
#: sf_chart.xhp
@@ -8330,7 +8330,7 @@ msgctxt ""
"hd_id331635273472588\n"
"help.text"
msgid "Chart names"
-msgstr ""
+msgstr "Noms de diagrama"
#. QPAjE
#: sf_chart.xhp
@@ -8375,7 +8375,7 @@ msgctxt ""
"hd_id281600788076359\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. jkE4f
#: sf_chart.xhp
@@ -8384,7 +8384,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Chart</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Chart</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. LvW6m
#: sf_chart.xhp
@@ -8438,7 +8438,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. z42Tx
#: sf_chart.xhp
@@ -8447,7 +8447,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 5RCfg
#: sf_chart.xhp
@@ -8456,7 +8456,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. 5Ckhe
#: sf_chart.xhp
@@ -8465,7 +8465,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. EJsLr
#: sf_chart.xhp
@@ -8474,7 +8474,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 5yKq5
#: sf_chart.xhp
@@ -8483,7 +8483,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. BURxX
#: sf_chart.xhp
@@ -8501,7 +8501,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. qaDDb
#: sf_chart.xhp
@@ -8528,7 +8528,7 @@ msgctxt ""
"par_id711600788076534\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. gk8ns
#: sf_chart.xhp
@@ -8555,7 +8555,7 @@ msgctxt ""
"par_id891600788076190\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. m224E
#: sf_chart.xhp
@@ -8573,7 +8573,7 @@ msgctxt ""
"par_id561633021747903\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. AaBHr
#: sf_chart.xhp
@@ -8591,7 +8591,7 @@ msgctxt ""
"par_id391600788076253\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 8YDHE
#: sf_chart.xhp
@@ -8609,7 +8609,7 @@ msgctxt ""
"par_id211600788076138\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. MLPCx
#: sf_chart.xhp
@@ -8627,7 +8627,7 @@ msgctxt ""
"par_id21600788076758\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Gbsst
#: sf_chart.xhp
@@ -8645,7 +8645,7 @@ msgctxt ""
"par_id261600788076841\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. VwMyU
#: sf_chart.xhp
@@ -8654,7 +8654,7 @@ msgctxt ""
"par_id11600788076757\n"
"help.text"
msgid "Specifies the main title of the chart."
-msgstr ""
+msgstr "Especifica el títol principal del diagrama."
#. FGSKV
#: sf_chart.xhp
@@ -8663,7 +8663,7 @@ msgctxt ""
"par_id531600789141795\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. eH3Ag
#: sf_chart.xhp
@@ -8672,7 +8672,7 @@ msgctxt ""
"par_id301600789141619\n"
"help.text"
msgid "Specifies the title of the X axis."
-msgstr ""
+msgstr "Especifica el títol de l'eix X."
#. mmRtZ
#: sf_chart.xhp
@@ -8681,7 +8681,7 @@ msgctxt ""
"par_id541600789286532\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. scox2
#: sf_chart.xhp
@@ -8690,7 +8690,7 @@ msgctxt ""
"par_id701600789286280\n"
"help.text"
msgid "Specifies the title of the Y axis."
-msgstr ""
+msgstr "Especifica el títol de l'eix Y."
#. CRLf5
#: sf_chart.xhp
@@ -8699,7 +8699,7 @@ msgctxt ""
"par_id941608709527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. YCRTC
#: sf_chart.xhp
@@ -8708,7 +8708,7 @@ msgctxt ""
"par_id100100678952791\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. eDWVw
#: sf_chart.xhp
@@ -8726,7 +8726,7 @@ msgctxt ""
"par_id941600789527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. LAgXE
#: sf_chart.xhp
@@ -8735,7 +8735,7 @@ msgctxt ""
"par_id100160078952791\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. 5f7Db
#: sf_chart.xhp
@@ -8753,7 +8753,7 @@ msgctxt ""
"par_id941600789527099\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. yh7k9
#: sf_chart.xhp
@@ -8762,7 +8762,7 @@ msgctxt ""
"par_id100160078953251\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. xAiNS
#: sf_chart.xhp
@@ -8780,7 +8780,7 @@ msgctxt ""
"par_id941600789527208\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. winTd
#: sf_chart.xhp
@@ -8789,7 +8789,7 @@ msgctxt ""
"par_id100160078952007\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. 95Sfn
#: sf_chart.xhp
@@ -8807,7 +8807,7 @@ msgctxt ""
"hd_id581635335807782\n"
"help.text"
msgid "Creating a chart"
-msgstr ""
+msgstr "Creació d'un diagrama"
#. EK2E7
#: sf_chart.xhp
@@ -8843,7 +8843,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. mNZFS
#: sf_chart.xhp
@@ -8852,7 +8852,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Chart Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Chart"
#. WfVxL
#: sf_chart.xhp
@@ -8951,7 +8951,7 @@ msgctxt ""
"bas_id241635340728398\n"
"help.text"
msgid "' Changes only the chart width and height"
-msgstr ""
+msgstr "' Canvia només l'amplària i l'alçària del diagrama"
#. BEAYa
#: sf_chart.xhp
@@ -9077,7 +9077,7 @@ msgctxt ""
"hd_id91587913266988\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. 8ASCW
#: sf_database.xhp
@@ -9086,7 +9086,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Database</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Database</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. Cr4oo
#: sf_database.xhp
@@ -9239,7 +9239,7 @@ msgctxt ""
"hd_id841587913266618\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. x4Z5A
#: sf_database.xhp
@@ -9248,7 +9248,7 @@ msgctxt ""
"par_id521587913266568\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. QUrYT
#: sf_database.xhp
@@ -9257,7 +9257,7 @@ msgctxt ""
"par_id421587913266368\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. 3kQCm
#: sf_database.xhp
@@ -9266,7 +9266,7 @@ msgctxt ""
"par_id631587914939732\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. RYuuo
#: sf_database.xhp
@@ -9275,7 +9275,7 @@ msgctxt ""
"par_id951587913266220\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. BzLQb
#: sf_database.xhp
@@ -9284,7 +9284,7 @@ msgctxt ""
"par_id651587913266754\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. up8WT
#: sf_database.xhp
@@ -9293,7 +9293,7 @@ msgctxt ""
"par_id421587914989890\n"
"help.text"
msgid "Array of strings"
-msgstr ""
+msgstr "Matriu de cadenes"
#. dGoYp
#: sf_database.xhp
@@ -9311,7 +9311,7 @@ msgctxt ""
"par_id931599409717463\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 2DDTs
#: sf_database.xhp
@@ -9320,7 +9320,7 @@ msgctxt ""
"par_id71599409717945\n"
"help.text"
msgid "Array of strings"
-msgstr ""
+msgstr "Matriu de cadenes"
#. rGTvw
#: sf_database.xhp
@@ -9329,7 +9329,7 @@ msgctxt ""
"par_id341599409717612\n"
"help.text"
msgid "The list of stored tables."
-msgstr ""
+msgstr "La llista de taules emmagatzemades."
#. u5YE4
#: sf_database.xhp
@@ -9338,7 +9338,7 @@ msgctxt ""
"par_id741599409777967\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. evuSw
#: sf_database.xhp
@@ -9356,7 +9356,7 @@ msgctxt ""
"par_id271599409887585\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. NeTGg
#: sf_database.xhp
@@ -9365,7 +9365,7 @@ msgctxt ""
"par_id861599409887284\n"
"help.text"
msgid "The UNO object representing the metadata describing the database system attributes."
-msgstr ""
+msgstr "L'objecte UNO que representa les metadades que descriuen els atributs del sistema de base de dades."
#. ApsdK
#: sf_database.xhp
@@ -9374,7 +9374,7 @@ msgctxt ""
"par_id231614360519973\n"
"help.text"
msgid "List of Methods in the Database Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Database"
#. emrA2
#: sf_database.xhp
@@ -9734,7 +9734,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFDatabases.Datasheet service"
-msgstr ""
+msgstr "Servei SFDatabases.Datasheet"
#. 8xmoA
#: sf_datasheet.xhp
@@ -9743,7 +9743,7 @@ msgctxt ""
"bm_id781582391760253\n"
"help.text"
msgid "<variable id=\"DatasheetService\"><link href=\"text/sbasic/shared/03/sf_datasheet.xhp\" name=\"SFDatabases.Datasheet service\"><literal>SFDatabases</literal>.<literal>Datasheet</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"DatasheetService\"><link href=\"text/sbasic/shared/03/sf_datasheet.xhp\" name=\"SFDatabases.Datasheet service\">Servei <literal>SFDatabases</literal>.<literal>Datasheet</literal></link></variable>"
#. CCxPd
#: sf_datasheet.xhp
@@ -9788,7 +9788,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. GEQkg
#: sf_datasheet.xhp
@@ -9887,7 +9887,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. yaMir
#: sf_datasheet.xhp
@@ -9905,7 +9905,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. o9D7n
#: sf_datasheet.xhp
@@ -9914,7 +9914,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Read-only"
-msgstr ""
+msgstr "Només de lectura"
#. ykDW3
#: sf_datasheet.xhp
@@ -9923,7 +9923,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. BJ9DV
#: sf_datasheet.xhp
@@ -9932,7 +9932,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. ETvvH
#: sf_datasheet.xhp
@@ -9941,7 +9941,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 7Xcpx
#: sf_datasheet.xhp
@@ -9950,7 +9950,7 @@ msgctxt ""
"par_id831600788076785\n"
"help.text"
msgid "Array of Strings"
-msgstr ""
+msgstr "Matriu de cadenes"
#. DSDCy
#: sf_datasheet.xhp
@@ -9968,7 +9968,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. XVhow
#: sf_datasheet.xhp
@@ -9977,7 +9977,7 @@ msgctxt ""
"par_id81600788076419\n"
"help.text"
msgid "Returns the currently selected column name."
-msgstr ""
+msgstr "Retorna el nom de la columna seleccionada actualment."
#. 8ph7x
#: sf_datasheet.xhp
@@ -9986,7 +9986,7 @@ msgctxt ""
"par_id711600788076534\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. cLaaP
#: sf_datasheet.xhp
@@ -10004,7 +10004,7 @@ msgctxt ""
"par_id891600788076190\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 5FdAQ
#: sf_datasheet.xhp
@@ -10022,7 +10022,7 @@ msgctxt ""
"par_id561633021747903\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Pv5DC
#: sf_datasheet.xhp
@@ -10040,7 +10040,7 @@ msgctxt ""
"par_id391600788076253\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. p4e8b
#: sf_datasheet.xhp
@@ -10049,7 +10049,7 @@ msgctxt ""
"par_id21600788076541\n"
"help.text"
msgid "Returns the number of rows in the datasheet."
-msgstr ""
+msgstr "Retorna el nombre de files al full de dades."
#. ZERuR
#: sf_datasheet.xhp
@@ -10058,7 +10058,7 @@ msgctxt ""
"par_id211600788076138\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. y8qWp
#: sf_datasheet.xhp
@@ -10076,7 +10076,7 @@ msgctxt ""
"par_id21600788076758\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. faBy9
#: sf_datasheet.xhp
@@ -10085,7 +10085,7 @@ msgctxt ""
"par_id871600788076196\n"
"help.text"
msgid "Object"
-msgstr ""
+msgstr "Objecte"
#. iCABS
#: sf_datasheet.xhp
@@ -10121,7 +10121,7 @@ msgctxt ""
"par_id531600789141795\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. TSNA5
#: sf_datasheet.xhp
@@ -10139,7 +10139,7 @@ msgctxt ""
"par_id541600789286532\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. wxLJ4
#: sf_datasheet.xhp
@@ -10148,7 +10148,7 @@ msgctxt ""
"par_id181600789286889\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. NDjRM
#: sf_datasheet.xhp
@@ -10166,7 +10166,7 @@ msgctxt ""
"par_id941608709527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. tCgaA
#: sf_datasheet.xhp
@@ -10175,7 +10175,7 @@ msgctxt ""
"par_id100100678952791\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. 8jt7B
#: sf_datasheet.xhp
@@ -10193,7 +10193,7 @@ msgctxt ""
"par_id941600789527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 7AReG
#: sf_datasheet.xhp
@@ -10202,7 +10202,7 @@ msgctxt ""
"par_id100160078952791\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. nTQHe
#: sf_datasheet.xhp
@@ -10220,7 +10220,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. wgVfx
#: sf_datasheet.xhp
@@ -10229,7 +10229,7 @@ msgctxt ""
"par_id451619034669263\n"
"help.text"
msgid "List of Methods in the Datasheet Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Datasheet"
#. euurc
#: sf_datasheet.xhp
@@ -10616,7 +10616,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation and usage"
-msgstr ""
+msgstr "Invocació i ús del servei"
#. FfZWj
#: sf_dialog.xhp
@@ -10625,7 +10625,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Dialog</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Dialog</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. S8GrJ
#: sf_dialog.xhp
@@ -10679,7 +10679,7 @@ msgctxt ""
"bas_id321598171269873\n"
"help.text"
msgid "'... controls initialization goes here..."
-msgstr ""
+msgstr "'... la inicialització dels controls va ací..."
#. yn6sy
#: sf_dialog.xhp
@@ -10715,7 +10715,7 @@ msgctxt ""
"pyc_id41619622700314\n"
"help.text"
msgid "# ... controls initialization goes here..."
-msgstr ""
+msgstr "#... la inicialització dels controls va ací..."
#. 2PTBU
#: sf_dialog.xhp
@@ -10805,7 +10805,7 @@ msgctxt ""
"bas_id261670857160312\n"
"help.text"
msgid "' Process the event"
-msgstr ""
+msgstr "' Processa l'esdeveniment"
#. fLvwj
#: sf_dialog.xhp
@@ -10832,7 +10832,7 @@ msgctxt ""
"pyc_id491670866556493\n"
"help.text"
msgid "# Process the event"
-msgstr ""
+msgstr "# Processa l'esdeveniment"
#. LNECW
#: sf_dialog.xhp
@@ -10850,7 +10850,7 @@ msgctxt ""
"hd_id651583668365757\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. zVLEC
#: sf_dialog.xhp
@@ -10859,7 +10859,7 @@ msgctxt ""
"par_id871583668386455\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. FBCFG
#: sf_dialog.xhp
@@ -10868,7 +10868,7 @@ msgctxt ""
"par_id491583668386455\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. ByVDE
#: sf_dialog.xhp
@@ -10877,7 +10877,7 @@ msgctxt ""
"par_id271583668474014\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. 8AUBJ
#: sf_dialog.xhp
@@ -10886,7 +10886,7 @@ msgctxt ""
"par_id401583668386455\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. iZZec
#: sf_dialog.xhp
@@ -10913,7 +10913,7 @@ msgctxt ""
"par_id541583839708548\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. z4BZ4
#: sf_dialog.xhp
@@ -10931,7 +10931,7 @@ msgctxt ""
"par_id761584027709516\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 48bDT
#: sf_dialog.xhp
@@ -10949,7 +10949,7 @@ msgctxt ""
"par_id31583839767743\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 3Rypn
#: sf_dialog.xhp
@@ -10958,7 +10958,7 @@ msgctxt ""
"par_id111583839767195\n"
"help.text"
msgid "Specify the height of the dialog box."
-msgstr ""
+msgstr "Especifiqueu l'alçària del diàleg."
#. KD2zy
#: sf_dialog.xhp
@@ -10967,7 +10967,7 @@ msgctxt ""
"par_id771583839920487\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ABrxD
#: sf_dialog.xhp
@@ -10985,7 +10985,7 @@ msgctxt ""
"par_id571588333908716\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JoAYu
#: sf_dialog.xhp
@@ -10994,7 +10994,7 @@ msgctxt ""
"par_id721588333908708\n"
"help.text"
msgid "The name of the dialog"
-msgstr ""
+msgstr "El nom del diàleg"
#. jcbwB
#: sf_dialog.xhp
@@ -11003,7 +11003,7 @@ msgctxt ""
"par_id501583774433513\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Tfrah
#: sf_dialog.xhp
@@ -11021,7 +11021,7 @@ msgctxt ""
"par_id271588334016191\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 3sRE5
#: sf_dialog.xhp
@@ -11039,7 +11039,7 @@ msgctxt ""
"par_id451598177924437\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 2DaKv
#: sf_dialog.xhp
@@ -11057,7 +11057,7 @@ msgctxt ""
"par_id811598178083501\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. yexon
#: sf_dialog.xhp
@@ -11075,7 +11075,7 @@ msgctxt ""
"par_id31385839767743\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. G6Qsw
#: sf_dialog.xhp
@@ -11084,7 +11084,7 @@ msgctxt ""
"par_id111583839717695\n"
"help.text"
msgid "Specify the width of the dialog box."
-msgstr ""
+msgstr "Especifiqueu l'amplària del diàleg."
#. q8eyc
#: sf_dialog.xhp
@@ -11093,7 +11093,7 @@ msgctxt ""
"hd_id421612628828054\n"
"help.text"
msgid "Event properties"
-msgstr ""
+msgstr "Propietats de l'esdeveniment"
#. GyjGD
#: sf_dialog.xhp
@@ -11111,7 +11111,7 @@ msgctxt ""
"par_id961612628879819\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. V3bin
#: sf_dialog.xhp
@@ -11120,7 +11120,7 @@ msgctxt ""
"par_id401612628879819\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. uW85z
#: sf_dialog.xhp
@@ -11138,7 +11138,7 @@ msgctxt ""
"par_id111612629836630\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. aKBvg
#: sf_dialog.xhp
@@ -11156,7 +11156,7 @@ msgctxt ""
"par_id291612629836294\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 8U7FZ
#: sf_dialog.xhp
@@ -11174,7 +11174,7 @@ msgctxt ""
"par_id81612629836634\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CK5vU
#: sf_dialog.xhp
@@ -11192,7 +11192,7 @@ msgctxt ""
"par_id591612629836830\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CJwi7
#: sf_dialog.xhp
@@ -11210,7 +11210,7 @@ msgctxt ""
"par_id891612629836630\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. GcDU7
#: sf_dialog.xhp
@@ -11228,7 +11228,7 @@ msgctxt ""
"par_id131612629836291\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. QrByH
#: sf_dialog.xhp
@@ -11246,7 +11246,7 @@ msgctxt ""
"par_id211612629836725\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 69s4B
#: sf_dialog.xhp
@@ -11264,7 +11264,7 @@ msgctxt ""
"par_id311612629836481\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. XaS8A
#: sf_dialog.xhp
@@ -11282,7 +11282,7 @@ msgctxt ""
"par_id981612629836116\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. NtqPz
#: sf_dialog.xhp
@@ -11300,7 +11300,7 @@ msgctxt ""
"par_id711612629836704\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. J2uzg
#: sf_dialog.xhp
@@ -11318,7 +11318,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Dialog Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Dialog"
#. DiCyL
#: sf_dialog.xhp
@@ -11975,7 +11975,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. LGkgR
#: sf_dialogcontrol.xhp
@@ -11984,7 +11984,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>DialogControl</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>DialogControl</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. EnxDs
#: sf_dialogcontrol.xhp
@@ -12029,7 +12029,7 @@ msgctxt ""
"pyc_id841620225235377\n"
"help.text"
msgid "# ... process the controls actual values"
-msgstr ""
+msgstr "# ... processa els valors reals dels controls"
#. GZ3ia
#: sf_dialogcontrol.xhp
@@ -12092,7 +12092,7 @@ msgctxt ""
"bas_id261670857160312\n"
"help.text"
msgid "' Process the event"
-msgstr ""
+msgstr "' Processa l'esdeveniment"
#. wUTZB
#: sf_dialogcontrol.xhp
@@ -12119,7 +12119,7 @@ msgctxt ""
"pyc_id491670866556493\n"
"help.text"
msgid "# Process the event"
-msgstr ""
+msgstr "# Processa l'esdeveniment"
#. KY75S
#: sf_dialogcontrol.xhp
@@ -12155,7 +12155,7 @@ msgctxt ""
"hd_id651583668365757\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. 94RMV
#: sf_dialogcontrol.xhp
@@ -12164,7 +12164,7 @@ msgctxt ""
"par_id871583668386455\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. eccsg
#: sf_dialogcontrol.xhp
@@ -12173,7 +12173,7 @@ msgctxt ""
"par_id491583668386455\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. KRYNv
#: sf_dialogcontrol.xhp
@@ -12182,7 +12182,7 @@ msgctxt ""
"par_id271583668474014\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. U9ZYU
#: sf_dialogcontrol.xhp
@@ -12191,7 +12191,7 @@ msgctxt ""
"par_id291598538799794\n"
"help.text"
msgid "Applicable to"
-msgstr ""
+msgstr "S'aplica a"
#. emDac
#: sf_dialogcontrol.xhp
@@ -12200,7 +12200,7 @@ msgctxt ""
"par_id401583668386455\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. xNGhR
#: sf_dialogcontrol.xhp
@@ -12209,7 +12209,7 @@ msgctxt ""
"par_id371583668519172\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. aTyMC
#: sf_dialogcontrol.xhp
@@ -12227,7 +12227,7 @@ msgctxt ""
"par_id541583839708548\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. UXoyn
#: sf_dialogcontrol.xhp
@@ -12245,7 +12245,7 @@ msgctxt ""
"par_id761584027709516\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. YKEAg
#: sf_dialogcontrol.xhp
@@ -12254,7 +12254,7 @@ msgctxt ""
"par_id261598539120502\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. c5GAw
#: sf_dialogcontrol.xhp
@@ -12281,7 +12281,7 @@ msgctxt ""
"par_id341612705482566\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. tM7T7
#: sf_dialogcontrol.xhp
@@ -12326,7 +12326,7 @@ msgctxt ""
"par_id891598539196786\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. 8S9xG
#: sf_dialogcontrol.xhp
@@ -12344,7 +12344,7 @@ msgctxt ""
"par_id571588333908716\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 6L9ke
#: sf_dialogcontrol.xhp
@@ -12353,7 +12353,7 @@ msgctxt ""
"par_id491598529331618\n"
"help.text"
msgid "(read-only)"
-msgstr ""
+msgstr "(només de lectura)"
#. QbN5U
#: sf_dialogcontrol.xhp
@@ -12389,7 +12389,7 @@ msgctxt ""
"par_id501583774433513\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. rDJFC
#: sf_dialogcontrol.xhp
@@ -12443,7 +12443,7 @@ msgctxt ""
"par_id621598457951781\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. r83sC
#: sf_dialogcontrol.xhp
@@ -12461,7 +12461,7 @@ msgctxt ""
"par_id351598458170114\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. uHsgi
#: sf_dialogcontrol.xhp
@@ -12470,7 +12470,7 @@ msgctxt ""
"par_id151598539764402\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. HLjFU
#: sf_dialogcontrol.xhp
@@ -12479,7 +12479,7 @@ msgctxt ""
"par_id621598458170392\n"
"help.text"
msgid "The name of the control."
-msgstr ""
+msgstr "El nom del control."
#. jSSnv
#: sf_dialogcontrol.xhp
@@ -12488,7 +12488,7 @@ msgctxt ""
"par_id80159845835726\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 8GZkA
#: sf_dialogcontrol.xhp
@@ -12497,7 +12497,7 @@ msgctxt ""
"par_id841598539781888\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. BdxvF
#: sf_dialogcontrol.xhp
@@ -12542,7 +12542,7 @@ msgctxt ""
"par_id181598539807426\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. sqEuV
#: sf_dialogcontrol.xhp
@@ -12560,7 +12560,7 @@ msgctxt ""
"par_id971598458773352\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. LP96H
#: sf_dialogcontrol.xhp
@@ -12587,7 +12587,7 @@ msgctxt ""
"par_id711612700624483\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. m4uz7
#: sf_dialogcontrol.xhp
@@ -12605,7 +12605,7 @@ msgctxt ""
"par_id401598516577225\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. AciNr
#: sf_dialogcontrol.xhp
@@ -12623,7 +12623,7 @@ msgctxt ""
"par_id781598516764550\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 4h8VF
#: sf_dialogcontrol.xhp
@@ -12641,7 +12641,7 @@ msgctxt ""
"par_id411598517275112\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. EijF2
#: sf_dialogcontrol.xhp
@@ -12650,7 +12650,7 @@ msgctxt ""
"par_id171598539985022\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. CbBZJ
#: sf_dialogcontrol.xhp
@@ -12668,7 +12668,7 @@ msgctxt ""
"par_id821598517418463\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. ZemBe
#: sf_dialogcontrol.xhp
@@ -12686,7 +12686,7 @@ msgctxt ""
"par_id701598517671373\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Cj2Rr
#: sf_dialogcontrol.xhp
@@ -12704,7 +12704,7 @@ msgctxt ""
"par_id661598517730941\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 8r3sG
#: sf_dialogcontrol.xhp
@@ -12713,7 +12713,7 @@ msgctxt ""
"par_id761598540042290\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. xLL83
#: sf_dialogcontrol.xhp
@@ -12740,7 +12740,7 @@ msgctxt ""
"par_id94159817792441\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. gbjHB
#: sf_dialogcontrol.xhp
@@ -12749,7 +12749,7 @@ msgctxt ""
"par_id311598540066789\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. Erxx8
#: sf_dialogcontrol.xhp
@@ -12767,7 +12767,7 @@ msgctxt ""
"par_id811598178083501\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. o2H9W
#: sf_dialogcontrol.xhp
@@ -12776,7 +12776,7 @@ msgctxt ""
"par_id981598178083938\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. rrwm6
#: sf_dialogcontrol.xhp
@@ -12785,7 +12785,7 @@ msgctxt ""
"par_id551598540079329\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. TCTcr
#: sf_dialogcontrol.xhp
@@ -12803,7 +12803,7 @@ msgctxt ""
"par_id741612699446459\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. yuAdF
#: sf_dialogcontrol.xhp
@@ -12812,7 +12812,7 @@ msgctxt ""
"par_id311612699446893\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. s7nM8
#: sf_dialogcontrol.xhp
@@ -12830,7 +12830,7 @@ msgctxt ""
"hd_id81598540704978\n"
"help.text"
msgid "The <variable id=\"ValueProperty\">Value property</variable>"
-msgstr ""
+msgstr "La <variable id=\"ValueProperty\">propietat Value</variable>"
#. JHK7w
#: sf_dialogcontrol.xhp
@@ -12839,7 +12839,7 @@ msgctxt ""
"par_id10159854325492\n"
"help.text"
msgid "Control type"
-msgstr ""
+msgstr "Tipus de control"
#. 33wWa
#: sf_dialogcontrol.xhp
@@ -12848,7 +12848,7 @@ msgctxt ""
"par_id741598543254158\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. QLVMB
#: sf_dialogcontrol.xhp
@@ -12857,7 +12857,7 @@ msgctxt ""
"par_id961598543254444\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. jEyx9
#: sf_dialogcontrol.xhp
@@ -12902,7 +12902,7 @@ msgctxt ""
"par_id5159854325443\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. kgfXR
#: sf_dialogcontrol.xhp
@@ -12947,7 +12947,7 @@ msgctxt ""
"par_id461598543254909\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. YvPAp
#: sf_dialogcontrol.xhp
@@ -12956,7 +12956,7 @@ msgctxt ""
"par_id631598543254771\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. fBArb
#: sf_dialogcontrol.xhp
@@ -12983,7 +12983,7 @@ msgctxt ""
"par_id531598543254869\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. MWdGb
#: sf_dialogcontrol.xhp
@@ -13019,7 +13019,7 @@ msgctxt ""
"hd_id421612628828054\n"
"help.text"
msgid "Event properties"
-msgstr ""
+msgstr "Propietats de l'esdeveniment"
#. Y8TAs
#: sf_dialogcontrol.xhp
@@ -13037,7 +13037,7 @@ msgctxt ""
"par_id961612628879819\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 2sB8F
#: sf_dialogcontrol.xhp
@@ -13046,7 +13046,7 @@ msgctxt ""
"par_id401612628879819\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. 2A2Ex
#: sf_dialogcontrol.xhp
@@ -13064,7 +13064,7 @@ msgctxt ""
"par_id91612707166532\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. aABgD
#: sf_dialogcontrol.xhp
@@ -13082,7 +13082,7 @@ msgctxt ""
"par_id79161270716675\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JrRob
#: sf_dialogcontrol.xhp
@@ -13100,7 +13100,7 @@ msgctxt ""
"par_id111612629836630\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 7Swj5
#: sf_dialogcontrol.xhp
@@ -13118,7 +13118,7 @@ msgctxt ""
"par_id291612629836294\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ozGia
#: sf_dialogcontrol.xhp
@@ -13154,7 +13154,7 @@ msgctxt ""
"par_id81612629836634\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. sVo6A
#: sf_dialogcontrol.xhp
@@ -13208,7 +13208,7 @@ msgctxt ""
"par_id131612629836291\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 9XdcG
#: sf_dialogcontrol.xhp
@@ -13226,7 +13226,7 @@ msgctxt ""
"par_id211612629836725\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. mzbBD
#: sf_dialogcontrol.xhp
@@ -13244,7 +13244,7 @@ msgctxt ""
"par_id311612629836481\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. FCBxu
#: sf_dialogcontrol.xhp
@@ -13280,7 +13280,7 @@ msgctxt ""
"par_id711612629836704\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 4c5qE
#: sf_dialogcontrol.xhp
@@ -13298,7 +13298,7 @@ msgctxt ""
"par_id851612707606863\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. VudpK
#: sf_dialogcontrol.xhp
@@ -13334,7 +13334,7 @@ msgctxt ""
"par_id811612707606330\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. th6Kr
#: sf_dialogcontrol.xhp
@@ -13352,7 +13352,7 @@ msgctxt ""
"hd_id421583670049913\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. xNrc5
#: sf_dialogcontrol.xhp
@@ -13361,7 +13361,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the DialogControl Service"
-msgstr ""
+msgstr "Llista de mètodes del servei DialogControl"
#. uHbTG
#: sf_dialogcontrol.xhp
@@ -13640,7 +13640,7 @@ msgctxt ""
"bas_id361638651540588\n"
"help.text"
msgid "MsgBox \"No row selected.\""
-msgstr ""
+msgstr "MsgBox \"No s'ha seleccionat cap fila.\""
#. iQ94A
#: sf_dialogcontrol.xhp
@@ -13649,7 +13649,7 @@ msgctxt ""
"bas_id781638651541028\n"
"help.text"
msgid "MsgBox \"Row \" & oTable.ListIndex & \" is selected.\""
-msgstr ""
+msgstr "MsgBox \"La fila \" & oTable.ListIndex & \" s'ha seleccionat.\""
#. HNmmm
#: sf_dialogcontrol.xhp
@@ -13685,7 +13685,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Dictionary service"
-msgstr ""
+msgstr "Servei ScriptForge.Dictionary"
#. RJbvj
#: sf_dictionary.xhp
@@ -13748,7 +13748,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. Qp3A4
#: sf_dictionary.xhp
@@ -13766,7 +13766,7 @@ msgctxt ""
"par_id71158288562139\n"
"help.text"
msgid "It is recommended to free resources after use:"
-msgstr ""
+msgstr "Es recomana alliberar els recursos després de l'ús:"
#. gpGvc
#: sf_dictionary.xhp
@@ -13811,7 +13811,7 @@ msgctxt ""
"pyc_id201626869185236\n"
"help.text"
msgid "# Initialize myDict with the content of dico"
-msgstr ""
+msgstr "# Inicialitza myDict amb el contingut de dico"
#. UHQFC
#: sf_dictionary.xhp
@@ -13829,7 +13829,7 @@ msgctxt ""
"hd_id351582885195476\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. hYF2s
#: sf_dictionary.xhp
@@ -13838,7 +13838,7 @@ msgctxt ""
"par_id41582885195836\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. EgAoj
#: sf_dictionary.xhp
@@ -13847,7 +13847,7 @@ msgctxt ""
"par_id31582885195372\n"
"help.text"
msgid "Read-only"
-msgstr ""
+msgstr "Només de lectura"
#. pHem5
#: sf_dictionary.xhp
@@ -13856,7 +13856,7 @@ msgctxt ""
"par_id31582885195238\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. NnCGT
#: sf_dictionary.xhp
@@ -13865,7 +13865,7 @@ msgctxt ""
"par_id931582885195131\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. B8ZfD
#: sf_dictionary.xhp
@@ -13874,7 +13874,7 @@ msgctxt ""
"par_id221582885195686\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JnMbF
#: sf_dictionary.xhp
@@ -13883,7 +13883,7 @@ msgctxt ""
"par_id881582885195976\n"
"help.text"
msgid "The number of entries in the dictionary"
-msgstr ""
+msgstr "El nombre d'entrades al diccionari"
#. TZ37p
#: sf_dictionary.xhp
@@ -13892,7 +13892,7 @@ msgctxt ""
"par_id441582886030118\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. G6fcd
#: sf_dictionary.xhp
@@ -13901,7 +13901,7 @@ msgctxt ""
"par_id131582886030297\n"
"help.text"
msgid "Array of Variants"
-msgstr ""
+msgstr "Matriu de variants"
#. EykBP
#: sf_dictionary.xhp
@@ -13919,7 +13919,7 @@ msgctxt ""
"par_id971582886791838\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. mXmC9
#: sf_dictionary.xhp
@@ -13928,7 +13928,7 @@ msgctxt ""
"par_id271582886791111\n"
"help.text"
msgid "Array of Strings"
-msgstr ""
+msgstr "Matriu de cadenes"
#. MxjyM
#: sf_dictionary.xhp
@@ -13964,7 +13964,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Dictionary Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Dictionary"
#. PqSBg
#: sf_dictionary.xhp
@@ -14036,7 +14036,7 @@ msgctxt ""
"hd_id261601297024828\n"
"help.text"
msgid "Limitations"
-msgstr ""
+msgstr "Limitacions"
#. DDmVt
#: sf_dictionary.xhp
@@ -14162,7 +14162,7 @@ msgctxt ""
"hd_id961601392113644\n"
"help.text"
msgid "Limitations"
-msgstr ""
+msgstr "Limitacions"
#. dGRph
#: sf_dictionary.xhp
@@ -14360,7 +14360,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFDocuments.Document service"
-msgstr ""
+msgstr "Servei SFDocuments.Document"
#. ypVGE
#: sf_document.xhp
@@ -14441,7 +14441,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. XVADJ
#: sf_document.xhp
@@ -14450,7 +14450,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Document</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Document</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. X6BV3
#: sf_document.xhp
@@ -14540,7 +14540,7 @@ msgctxt ""
"hd_id351582885195476\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. 6NTY6
#: sf_document.xhp
@@ -14549,7 +14549,7 @@ msgctxt ""
"par_id41582885195836\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. wUbi9
#: sf_document.xhp
@@ -14558,7 +14558,7 @@ msgctxt ""
"par_id31582885195372\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. NfJEr
#: sf_document.xhp
@@ -14567,7 +14567,7 @@ msgctxt ""
"par_id31582885195238\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. QZzvi
#: sf_document.xhp
@@ -14576,7 +14576,7 @@ msgctxt ""
"par_id931582885195131\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. wBpru
#: sf_document.xhp
@@ -14585,7 +14585,7 @@ msgctxt ""
"par_id861582885655779\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. ENrbA
#: sf_document.xhp
@@ -14603,7 +14603,7 @@ msgctxt ""
"par_id441582886030118\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. DNFGz
#: sf_document.xhp
@@ -14621,7 +14621,7 @@ msgctxt ""
"par_id971582886791838\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Mm6E5
#: sf_document.xhp
@@ -14639,7 +14639,7 @@ msgctxt ""
"par_id201589194571955\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Aw2Tv
#: sf_document.xhp
@@ -14693,7 +14693,7 @@ msgctxt ""
"par_id761589194633950\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. pSbRu
#: sf_document.xhp
@@ -14711,7 +14711,7 @@ msgctxt ""
"par_id231589194910179\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. CDTBC
#: sf_document.xhp
@@ -14729,7 +14729,7 @@ msgctxt ""
"par_id921589638614972\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JGTQz
#: sf_document.xhp
@@ -14747,7 +14747,7 @@ msgctxt ""
"par_id201589195028733\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 99ZxC
#: sf_document.xhp
@@ -14765,7 +14765,7 @@ msgctxt ""
"par_id451589195028910\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. TCiBh
#: sf_document.xhp
@@ -14783,7 +14783,7 @@ msgctxt ""
"par_id221582885195686\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. PRmJE
#: sf_document.xhp
@@ -14792,7 +14792,7 @@ msgctxt ""
"par_id371582885195525\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. BprB8
#: sf_document.xhp
@@ -14828,7 +14828,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Methods in the Document Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Document"
#. UVWQb
#: sf_document.xhp
@@ -15134,7 +15134,7 @@ msgctxt ""
"par_id651589200165470\n"
"help.text"
msgid "Removes a toplevel menu from the menubar of a given document window."
-msgstr ""
+msgstr "Elimina un menú de nivell superior de la barra de menús de la finestra d'un document donat."
#. wfDbr
#: sf_document.xhp
@@ -15260,7 +15260,7 @@ msgctxt ""
"bas_id631644184414955\n"
"help.text"
msgid "' Arguments passed to the command:"
-msgstr ""
+msgstr "' Arguments passats a l'ordre:"
#. H5eQ9
#: sf_document.xhp
@@ -15512,7 +15512,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Exception service (SF_Exception)"
-msgstr ""
+msgstr "Servei ScriptForge.Exception (SF_Exception)"
#. PPqb2
#: sf_exception.xhp
@@ -15521,7 +15521,7 @@ msgctxt ""
"hd_id521580038927003\n"
"help.text"
msgid "<variable id=\"ExceptionService\"><link href=\"text/sbasic/shared/03/sf_exception.xhp\"><literal>ScriptForge</literal>.<literal>Exception</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ExceptionService\"><link href=\"text/sbasic/shared/03/sf_exception.xhp\">Servei <literal>ScriptForge</literal>.<literal>Exception</literal></link></variable>"
#. 4X7Xk
#: sf_exception.xhp
@@ -15602,7 +15602,7 @@ msgctxt ""
"par_id111587141158495\n"
"help.text"
msgid "When an error occurs, an application macro may:"
-msgstr ""
+msgstr "Quan ocorreix un error, una macro d'aplicació pot:"
#. hxxxr
#: sf_exception.xhp
@@ -15656,7 +15656,7 @@ msgctxt ""
"hd_id201586594659135\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. T8o7G
#: sf_exception.xhp
@@ -15683,7 +15683,7 @@ msgctxt ""
"hd_id651584978211886\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. JDNi6
#: sf_exception.xhp
@@ -15701,7 +15701,7 @@ msgctxt ""
"par_id271584978211792\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. b96rE
#: sf_exception.xhp
@@ -15710,7 +15710,7 @@ msgctxt ""
"par_id241584978211550\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. TkMLa
#: sf_exception.xhp
@@ -15719,7 +15719,7 @@ msgctxt ""
"par_id621584978211403\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. tJZkJ
#: sf_exception.xhp
@@ -15728,7 +15728,7 @@ msgctxt ""
"par_id71584978715562\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. RyJkE
#: sf_exception.xhp
@@ -15737,7 +15737,7 @@ msgctxt ""
"par_id581584978715701\n"
"help.text"
msgid "The error message text."
-msgstr ""
+msgstr "El text del missatge d'error."
#. Wcy7s
#: sf_exception.xhp
@@ -15755,7 +15755,7 @@ msgctxt ""
"par_id211584978211383\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. AnFVG
#: sf_exception.xhp
@@ -15782,7 +15782,7 @@ msgctxt ""
"par_id671584978666689\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. G3q2n
#: sf_exception.xhp
@@ -15818,7 +15818,7 @@ msgctxt ""
"par_id881608131596153\n"
"help.text"
msgid "List of Methods in the Exception Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Exception"
#. CDgEM
#: sf_exception.xhp
@@ -15827,7 +15827,7 @@ msgctxt ""
"par_id271579683706571\n"
"help.text"
msgid "Resets the current error status and clears the <literal>SF_Exception</literal> properties."
-msgstr ""
+msgstr "Reinicialitza l'estat de l'error actual i neteja les propietats de <literal>SF_Exception</literal>."
#. 7jFLi
#: sf_exception.xhp
@@ -15998,7 +15998,7 @@ msgctxt ""
"par_id841621426229467\n"
"help.text"
msgid "The same string is added to the ScriptForge debug console."
-msgstr ""
+msgstr "La mateixa cadena s'afig a la consola de depuració de l'ScriptForge."
#. kzBDb
#: sf_exception.xhp
@@ -16214,7 +16214,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.FileSystem service"
-msgstr ""
+msgstr "Servei ScriptForge.FileSystem"
#. P8P86
#: sf_filesystem.xhp
@@ -16223,7 +16223,7 @@ msgctxt ""
"bm_id781582391760253\n"
"help.text"
msgid "<variable id=\"FileSystemService\"><link href=\"text/sbasic/shared/03/sf_filesystem.xhp\"><literal>ScriptForge</literal>.<literal>FileSystem</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"FileSystemService\"><link href=\"text/sbasic/shared/03/sf_filesystem.xhp\">Servei <literal>ScriptForge</literal>.<literal>FileSystem</literal></link></variable>"
#. wXVQJ
#: sf_filesystem.xhp
@@ -16286,7 +16286,7 @@ msgctxt ""
"hd_id961583589783025\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. bczfJ
#: sf_filesystem.xhp
@@ -16304,7 +16304,7 @@ msgctxt ""
"par_id891612988600163\n"
"help.text"
msgid "Parameter"
-msgstr ""
+msgstr "Paràmetre"
#. KdPjY
#: sf_filesystem.xhp
@@ -16313,7 +16313,7 @@ msgctxt ""
"par_id711612988600163\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. dEUyj
#: sf_filesystem.xhp
@@ -16367,7 +16367,7 @@ msgctxt ""
"par_id851583590809104\n"
"help.text"
msgid "\"?\" represents any single character"
-msgstr ""
+msgstr "«?» representa qualsevol caràcter individual"
#. wG8Bw
#: sf_filesystem.xhp
@@ -16394,7 +16394,7 @@ msgctxt ""
"hd_id991612918109871\n"
"help.text"
msgid "File Naming Notation"
-msgstr ""
+msgstr "Notació d'anomenament de fitxers"
#. ZfsFV
#: sf_filesystem.xhp
@@ -16439,7 +16439,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. Miw3e
#: sf_filesystem.xhp
@@ -16457,7 +16457,7 @@ msgctxt ""
"hd_id651583668365757\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. QFtWW
#: sf_filesystem.xhp
@@ -16466,7 +16466,7 @@ msgctxt ""
"par_id871583668386455\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. iXYjt
#: sf_filesystem.xhp
@@ -16475,7 +16475,7 @@ msgctxt ""
"par_id491583668386455\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. GC4Vu
#: sf_filesystem.xhp
@@ -16484,7 +16484,7 @@ msgctxt ""
"par_id271583668474014\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. FFkx3
#: sf_filesystem.xhp
@@ -16493,7 +16493,7 @@ msgctxt ""
"par_id401583668386455\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. CyEEJ
#: sf_filesystem.xhp
@@ -16502,7 +16502,7 @@ msgctxt ""
"par_id371583668519172\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Gihmg
#: sf_filesystem.xhp
@@ -16556,7 +16556,7 @@ msgctxt ""
"par_id541583839708548\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ygE64
#: sf_filesystem.xhp
@@ -16565,7 +16565,7 @@ msgctxt ""
"par_id731583839708412\n"
"help.text"
msgid "Returns the configuration folder of %PRODUCTNAME."
-msgstr ""
+msgstr "Retorna la carpeta de configuració del %PRODUCTNAME."
#. svPxn
#: sf_filesystem.xhp
@@ -16574,7 +16574,7 @@ msgctxt ""
"par_id761584027709516\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. gjTpP
#: sf_filesystem.xhp
@@ -16583,7 +16583,7 @@ msgctxt ""
"par_id971584027709752\n"
"help.text"
msgid "Returns the folder where extensions are installed."
-msgstr ""
+msgstr "Retorna la carpeta on les extensions s'instal·len."
#. DTGEP
#: sf_filesystem.xhp
@@ -16592,7 +16592,7 @@ msgctxt ""
"par_id31583839767743\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. FP6D9
#: sf_filesystem.xhp
@@ -16601,7 +16601,7 @@ msgctxt ""
"par_id111583839767195\n"
"help.text"
msgid "Returns the user home folder."
-msgstr ""
+msgstr "Retorna la carpeta personal de l'usuari."
#. LUE79
#: sf_filesystem.xhp
@@ -16610,7 +16610,7 @@ msgctxt ""
"par_id771583839920487\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. dz5ju
#: sf_filesystem.xhp
@@ -16619,7 +16619,7 @@ msgctxt ""
"par_id451583839920858\n"
"help.text"
msgid "Returns the installation folder of %PRODUCTNAME."
-msgstr ""
+msgstr "Retorna la carpeta d'instal·lació del %PRODUCTNAME."
#. trBL7
#: sf_filesystem.xhp
@@ -16628,7 +16628,7 @@ msgctxt ""
"par_id571588333908716\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 3yNj2
#: sf_filesystem.xhp
@@ -16646,7 +16646,7 @@ msgctxt ""
"par_id501583774433513\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. e2ruR
#: sf_filesystem.xhp
@@ -16664,7 +16664,7 @@ msgctxt ""
"par_id271588334016191\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Ggnnt
#: sf_filesystem.xhp
@@ -16682,7 +16682,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the FileSystem Service"
-msgstr ""
+msgstr "Llista de mètodes del servei FileSystem"
#. EgkPG
#: sf_filesystem.xhp
@@ -17267,7 +17267,7 @@ msgctxt ""
"par_id731613004316790\n"
"help.text"
msgid "The method does not check if the specified file or folder exists."
-msgstr ""
+msgstr "El mètode no comprova si hi existeix el fitxer o la carpeta que es va especificar."
#. 3FPjB
#: sf_filesystem.xhp
@@ -17384,7 +17384,7 @@ msgctxt ""
"par_id541613061300811\n"
"help.text"
msgid "The method does not check if the specified file or folder exists."
-msgstr ""
+msgstr "El mètode no comprova si hi existeix el fitxer o la carpeta que es va especificar."
#. iajZD
#: sf_filesystem.xhp
@@ -17411,7 +17411,7 @@ msgctxt ""
"par_id611613061603039\n"
"help.text"
msgid "The method does not check if the specified file or folder exists."
-msgstr ""
+msgstr "El mètode no comprova si hi existeix el fitxer o la carpeta que es va especificar."
#. YUAQ3
#: sf_filesystem.xhp
@@ -17447,7 +17447,7 @@ msgctxt ""
"par_id971613061774934\n"
"help.text"
msgid "The method does not create the temporary file."
-msgstr ""
+msgstr "El mètode no crea el fitxer temporal."
#. ch2AJ
#: sf_filesystem.xhp
@@ -17663,7 +17663,7 @@ msgctxt ""
"par_id881613074436118\n"
"help.text"
msgid "On Windows, forward slashes \"/\" are converted to backward slashes \"\\\"."
-msgstr ""
+msgstr "Al Windows, les barres (/) es converteixen en barres inverses (\\)."
#. 56xkN
#: sf_filesystem.xhp
@@ -17897,7 +17897,7 @@ msgctxt ""
"par_id431613075267241\n"
"help.text"
msgid "The list may be filtered with wildcards."
-msgstr ""
+msgstr "La llista es pot filtrar amb comodins."
#. 7pDiA
#: sf_filesystem.xhp
@@ -18014,7 +18014,7 @@ msgctxt ""
"hd_id161616766330804\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. GYDbT
#: sf_form.xhp
@@ -18023,7 +18023,7 @@ msgctxt ""
"par_id951618172906010\n"
"help.text"
msgid "Forms are usually created in Base documents, but they can be added to Writer and Calc documents as well."
-msgstr ""
+msgstr "Normalment, els formularis es crean als documents del Base, però també es poden afegir als documents del Writer i el Calc."
#. z79tf
#: sf_form.xhp
@@ -18077,7 +18077,7 @@ msgctxt ""
"hd_id851616767037521\n"
"help.text"
msgid "Forms and Subforms"
-msgstr ""
+msgstr "Formularis i subformularis"
#. GA63u
#: sf_form.xhp
@@ -18113,7 +18113,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. WyEtQ
#: sf_form.xhp
@@ -18122,7 +18122,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Form</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Form</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. KfjEA
#: sf_form.xhp
@@ -18131,7 +18131,7 @@ msgctxt ""
"hd_id991618179698545\n"
"help.text"
msgid "In Writer documents"
-msgstr ""
+msgstr "Als documents del Writer"
#. 8s4VD
#: sf_form.xhp
@@ -18167,7 +18167,7 @@ msgctxt ""
"hd_id921618179792926\n"
"help.text"
msgid "In Calc documents"
-msgstr ""
+msgstr "Als documents del Calc"
#. yCpnG
#: sf_form.xhp
@@ -18194,7 +18194,7 @@ msgctxt ""
"hd_id201618180055756\n"
"help.text"
msgid "In Base documents"
-msgstr ""
+msgstr "Als documents del Base"
#. J3Btp
#: sf_form.xhp
@@ -18311,7 +18311,7 @@ msgctxt ""
"hd_id651583668365757\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. 9LaxS
#: sf_form.xhp
@@ -18320,7 +18320,7 @@ msgctxt ""
"par_id871583668386455\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. SpGw6
#: sf_form.xhp
@@ -18329,7 +18329,7 @@ msgctxt ""
"par_id491583668386455\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. K7Bsy
#: sf_form.xhp
@@ -18338,7 +18338,7 @@ msgctxt ""
"par_id271583668474014\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. ekeZU
#: sf_form.xhp
@@ -18347,7 +18347,7 @@ msgctxt ""
"par_id401583668386455\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. wSC47
#: sf_form.xhp
@@ -18356,7 +18356,7 @@ msgctxt ""
"par_id371583668519172\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. jJ2dL
#: sf_form.xhp
@@ -18392,7 +18392,7 @@ msgctxt ""
"par_id761584027709516\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 8qCAE
#: sf_form.xhp
@@ -18410,7 +18410,7 @@ msgctxt ""
"par_id31583839767743\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CRA7v
#: sf_form.xhp
@@ -18446,7 +18446,7 @@ msgctxt ""
"par_id571588333908716\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 7NUo8
#: sf_form.xhp
@@ -18464,7 +18464,7 @@ msgctxt ""
"par_id501583774433513\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. eAsdX
#: sf_form.xhp
@@ -18482,7 +18482,7 @@ msgctxt ""
"par_id271588334016191\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. FQDDW
#: sf_form.xhp
@@ -18500,7 +18500,7 @@ msgctxt ""
"par_id901616774153495\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 2EiCA
#: sf_form.xhp
@@ -18518,7 +18518,7 @@ msgctxt ""
"par_id501616774304840\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. kPfzG
#: sf_form.xhp
@@ -18527,7 +18527,7 @@ msgctxt ""
"par_id461616774304497\n"
"help.text"
msgid "The name of the current form."
-msgstr ""
+msgstr "El nom del formulari actual."
#. vpBCA
#: sf_form.xhp
@@ -18536,7 +18536,7 @@ msgctxt ""
"par_id751616774384451\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. ppErx
#: sf_form.xhp
@@ -18554,7 +18554,7 @@ msgctxt ""
"par_id261616774918923\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. rjCpM
#: sf_form.xhp
@@ -18572,7 +18572,7 @@ msgctxt ""
"par_id501616777650751\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. USDVC
#: sf_form.xhp
@@ -18590,7 +18590,7 @@ msgctxt ""
"par_id451598177924437\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. GxHLP
#: sf_form.xhp
@@ -18599,7 +18599,7 @@ msgctxt ""
"par_id94159817792441\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. 6xrep
#: sf_form.xhp
@@ -18617,7 +18617,7 @@ msgctxt ""
"hd_id421612628828054\n"
"help.text"
msgid "Event properties"
-msgstr ""
+msgstr "Propietats de l'esdeveniment"
#. eTuoa
#: sf_form.xhp
@@ -18635,7 +18635,7 @@ msgctxt ""
"par_id961612628879819\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. DsQGQ
#: sf_form.xhp
@@ -18644,7 +18644,7 @@ msgctxt ""
"par_id401612628879819\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. 5FemG
#: sf_form.xhp
@@ -18662,7 +18662,7 @@ msgctxt ""
"par_id111612629836630\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. GAgms
#: sf_form.xhp
@@ -18680,7 +18680,7 @@ msgctxt ""
"par_id291612629836294\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. DwhZn
#: sf_form.xhp
@@ -18698,7 +18698,7 @@ msgctxt ""
"par_id81612629836634\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. eAJAN
#: sf_form.xhp
@@ -18716,7 +18716,7 @@ msgctxt ""
"par_id591612629836830\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. LKxEu
#: sf_form.xhp
@@ -18734,7 +18734,7 @@ msgctxt ""
"par_id891612629836630\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 2HBeC
#: sf_form.xhp
@@ -18752,7 +18752,7 @@ msgctxt ""
"par_id131612629836291\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. BX4AH
#: sf_form.xhp
@@ -18770,7 +18770,7 @@ msgctxt ""
"par_id211612629836725\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. pDvPB
#: sf_form.xhp
@@ -18788,7 +18788,7 @@ msgctxt ""
"par_id311612629836481\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Xn2CS
#: sf_form.xhp
@@ -18806,7 +18806,7 @@ msgctxt ""
"par_id981612629836116\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. L3Ac6
#: sf_form.xhp
@@ -18824,7 +18824,7 @@ msgctxt ""
"par_id711612629836704\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. XL4Js
#: sf_form.xhp
@@ -18842,7 +18842,7 @@ msgctxt ""
"par_id44161677878329\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. ywCsh
#: sf_form.xhp
@@ -18860,7 +18860,7 @@ msgctxt ""
"par_id651616778529764\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. E6JUH
#: sf_form.xhp
@@ -18878,7 +18878,7 @@ msgctxt ""
"par_id601616778529481\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 99FfH
#: sf_form.xhp
@@ -18896,7 +18896,7 @@ msgctxt ""
"par_id711616778529292\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. DTDCq
#: sf_form.xhp
@@ -18914,7 +18914,7 @@ msgctxt ""
"par_id521616778529932\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. pVPR9
#: sf_form.xhp
@@ -18941,7 +18941,7 @@ msgctxt ""
"par_id921606472825856\n"
"help.text"
msgid "List of methods in the Form service"
-msgstr ""
+msgstr "Llista de mètodes del servei Form"
#. KwDij
#: sf_form.xhp
@@ -19337,7 +19337,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. pzkhK
#: sf_formcontrol.xhp
@@ -19346,7 +19346,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>FormControl</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>FormControl</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. BeDqF
#: sf_formcontrol.xhp
@@ -19436,7 +19436,7 @@ msgctxt ""
"hd_id651583668365757\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. VrBfK
#: sf_formcontrol.xhp
@@ -19445,7 +19445,7 @@ msgctxt ""
"par_id871583668386455\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. hDr9G
#: sf_formcontrol.xhp
@@ -19454,7 +19454,7 @@ msgctxt ""
"par_id491583668386455\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. kWac7
#: sf_formcontrol.xhp
@@ -19463,7 +19463,7 @@ msgctxt ""
"par_id271583668474014\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. dXwGN
#: sf_formcontrol.xhp
@@ -19472,7 +19472,7 @@ msgctxt ""
"par_id291598538799794\n"
"help.text"
msgid "Applicable to"
-msgstr ""
+msgstr "S'aplica a"
#. bEQWc
#: sf_formcontrol.xhp
@@ -19481,7 +19481,7 @@ msgctxt ""
"par_id401583668386455\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. N3ejK
#: sf_formcontrol.xhp
@@ -19490,7 +19490,7 @@ msgctxt ""
"par_id371583668519172\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. PszFp
#: sf_formcontrol.xhp
@@ -19508,7 +19508,7 @@ msgctxt ""
"par_id541583839708548\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 62Bud
#: sf_formcontrol.xhp
@@ -19526,7 +19526,7 @@ msgctxt ""
"par_id411616942306677\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 8H6BR
#: sf_formcontrol.xhp
@@ -19544,7 +19544,7 @@ msgctxt ""
"par_id761584027709516\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Enqxp
#: sf_formcontrol.xhp
@@ -19553,7 +19553,7 @@ msgctxt ""
"par_id261598539120502\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. FsCJK
#: sf_formcontrol.xhp
@@ -19562,7 +19562,7 @@ msgctxt ""
"par_id971584027709752\n"
"help.text"
msgid "One of the control types listed above."
-msgstr ""
+msgstr "Un dels tipus de controls mostrats a dalt."
#. DH84k
#: sf_formcontrol.xhp
@@ -19571,7 +19571,7 @@ msgctxt ""
"par_id31583839767743\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. pRrwC
#: sf_formcontrol.xhp
@@ -19589,7 +19589,7 @@ msgctxt ""
"par_id241616942739459\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. Sukx9
#: sf_formcontrol.xhp
@@ -19607,7 +19607,7 @@ msgctxt ""
"par_id771583839920487\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. fQYqd
#: sf_formcontrol.xhp
@@ -19616,7 +19616,7 @@ msgctxt ""
"par_id891598539196786\n"
"help.text"
msgid "All (except HiddenControl)"
-msgstr ""
+msgstr "Tot (tret del HiddenControl)"
#. MmDQ5
#: sf_formcontrol.xhp
@@ -19634,7 +19634,7 @@ msgctxt ""
"par_id571588333908716\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 8X3Ho
#: sf_formcontrol.xhp
@@ -19670,7 +19670,7 @@ msgctxt ""
"par_id501583774433513\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. E4aHX
#: sf_formcontrol.xhp
@@ -19688,7 +19688,7 @@ msgctxt ""
"par_id271588334016191\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. XQ3AV
#: sf_formcontrol.xhp
@@ -19706,7 +19706,7 @@ msgctxt ""
"par_id891616944120697\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. nNqW5
#: sf_formcontrol.xhp
@@ -19733,7 +19733,7 @@ msgctxt ""
"par_id821616944631740\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. sqr2g
#: sf_formcontrol.xhp
@@ -19760,7 +19760,7 @@ msgctxt ""
"par_id961598457655506\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. EV4jD
#: sf_formcontrol.xhp
@@ -19778,7 +19778,7 @@ msgctxt ""
"par_id621598457951781\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. e7HnA
#: sf_formcontrol.xhp
@@ -19796,7 +19796,7 @@ msgctxt ""
"par_id351598458170114\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. AtLKa
#: sf_formcontrol.xhp
@@ -19805,7 +19805,7 @@ msgctxt ""
"par_id151598539764402\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. EuBGK
#: sf_formcontrol.xhp
@@ -19814,7 +19814,7 @@ msgctxt ""
"par_id621598458170392\n"
"help.text"
msgid "The name of the control."
-msgstr ""
+msgstr "El nom del control."
#. SNTgh
#: sf_formcontrol.xhp
@@ -19823,7 +19823,7 @@ msgctxt ""
"par_id161598458580581\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CTjAM
#: sf_formcontrol.xhp
@@ -19832,7 +19832,7 @@ msgctxt ""
"par_id181598539807426\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. z8w8o
#: sf_formcontrol.xhp
@@ -19850,7 +19850,7 @@ msgctxt ""
"par_id971598458773352\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. RnXeR
#: sf_formcontrol.xhp
@@ -19868,7 +19868,7 @@ msgctxt ""
"par_id251616946015886\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. oYA7V
#: sf_formcontrol.xhp
@@ -19886,7 +19886,7 @@ msgctxt ""
"par_id781598516764550\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Rv448
#: sf_formcontrol.xhp
@@ -19904,7 +19904,7 @@ msgctxt ""
"par_id411598517275112\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. MNqBi
#: sf_formcontrol.xhp
@@ -19913,7 +19913,7 @@ msgctxt ""
"par_id171598539985022\n"
"help.text"
msgid "All (except HiddenControl)"
-msgstr ""
+msgstr "Tot (tret del HiddenControl)"
#. VXR9Y
#: sf_formcontrol.xhp
@@ -19931,7 +19931,7 @@ msgctxt ""
"par_id821598517418463\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 6S5EL
#: sf_formcontrol.xhp
@@ -19967,7 +19967,7 @@ msgctxt ""
"par_id661598517730941\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. G52FE
#: sf_formcontrol.xhp
@@ -19976,7 +19976,7 @@ msgctxt ""
"par_id761598540042290\n"
"help.text"
msgid "All (except HiddenControl)"
-msgstr ""
+msgstr "Tot (tret del HiddenControl)"
#. 5juZG
#: sf_formcontrol.xhp
@@ -19985,7 +19985,7 @@ msgctxt ""
"par_id881598517730836\n"
"help.text"
msgid "Specifies if the control is hidden or visible."
-msgstr ""
+msgstr "Especifica si el control és visible o amagat."
#. FAYCA
#: sf_formcontrol.xhp
@@ -19994,7 +19994,7 @@ msgctxt ""
"par_id451598177924437\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. UZ7ug
#: sf_formcontrol.xhp
@@ -20003,7 +20003,7 @@ msgctxt ""
"par_id94159817792441\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. 65CSA
#: sf_formcontrol.xhp
@@ -20012,7 +20012,7 @@ msgctxt ""
"par_id311598540066789\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. ceFhn
#: sf_formcontrol.xhp
@@ -20030,7 +20030,7 @@ msgctxt ""
"par_id811598178083501\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Bdvyd
#: sf_formcontrol.xhp
@@ -20039,7 +20039,7 @@ msgctxt ""
"par_id981598178083938\n"
"help.text"
msgid "UNO<br/>object"
-msgstr ""
+msgstr "Objecte<br/>UNO"
#. DFQ5P
#: sf_formcontrol.xhp
@@ -20048,7 +20048,7 @@ msgctxt ""
"par_id551598540079329\n"
"help.text"
msgid "All"
-msgstr ""
+msgstr "Tot"
#. fPcGS
#: sf_formcontrol.xhp
@@ -20066,7 +20066,7 @@ msgctxt ""
"hd_id81598540704978\n"
"help.text"
msgid "The <variable id=\"ValueProperty\"><literal>Value</literal> property</variable>"
-msgstr ""
+msgstr "La variable <variable id=\"ValueProperty\"><literal>Value</literal></variable>"
#. PbEBw
#: sf_formcontrol.xhp
@@ -20075,7 +20075,7 @@ msgctxt ""
"par_id10159854325492\n"
"help.text"
msgid "Control type"
-msgstr ""
+msgstr "Tipus de control"
#. bsmCC
#: sf_formcontrol.xhp
@@ -20084,7 +20084,7 @@ msgctxt ""
"par_id741598543254158\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. MWgHB
#: sf_formcontrol.xhp
@@ -20093,7 +20093,7 @@ msgctxt ""
"par_id961598543254444\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. FLUGH
#: sf_formcontrol.xhp
@@ -20138,7 +20138,7 @@ msgctxt ""
"par_id5159854325443\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. VyagB
#: sf_formcontrol.xhp
@@ -20183,7 +20183,7 @@ msgctxt ""
"par_id461598543254909\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. DrhU9
#: sf_formcontrol.xhp
@@ -20201,7 +20201,7 @@ msgctxt ""
"par_id531598543254869\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. LxeLY
#: sf_formcontrol.xhp
@@ -20219,7 +20219,7 @@ msgctxt ""
"par_id951616947400919\n"
"help.text"
msgid "Numeric"
-msgstr ""
+msgstr "Numèric"
#. x6ZLt
#: sf_formcontrol.xhp
@@ -20246,7 +20246,7 @@ msgctxt ""
"hd_id421612628828054\n"
"help.text"
msgid "Event properties"
-msgstr ""
+msgstr "Propietats de l'esdeveniment"
#. tqnsA
#: sf_formcontrol.xhp
@@ -20264,7 +20264,7 @@ msgctxt ""
"par_id961612628879819\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. N4btE
#: sf_formcontrol.xhp
@@ -20273,7 +20273,7 @@ msgctxt ""
"par_id401612628879819\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. RXoDM
#: sf_formcontrol.xhp
@@ -20291,7 +20291,7 @@ msgctxt ""
"par_id91612707166532\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. HVTKN
#: sf_formcontrol.xhp
@@ -20309,7 +20309,7 @@ msgctxt ""
"par_id79161270716675\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. qs3LA
#: sf_formcontrol.xhp
@@ -20327,7 +20327,7 @@ msgctxt ""
"par_id301616948330694\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. PopWN
#: sf_formcontrol.xhp
@@ -20345,7 +20345,7 @@ msgctxt ""
"par_id821616948330888\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. rjQCJ
#: sf_formcontrol.xhp
@@ -20363,7 +20363,7 @@ msgctxt ""
"par_id271616948330553\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. D7yir
#: sf_formcontrol.xhp
@@ -20381,7 +20381,7 @@ msgctxt ""
"par_id71616948330769\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. pHG54
#: sf_formcontrol.xhp
@@ -20399,7 +20399,7 @@ msgctxt ""
"par_id121616948330654\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. tfW7M
#: sf_formcontrol.xhp
@@ -20417,7 +20417,7 @@ msgctxt ""
"par_id111612629836630\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. NN9FK
#: sf_formcontrol.xhp
@@ -20435,7 +20435,7 @@ msgctxt ""
"par_id291612629836294\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. DDcCF
#: sf_formcontrol.xhp
@@ -20453,7 +20453,7 @@ msgctxt ""
"par_id51612707354544\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. PLPUr
#: sf_formcontrol.xhp
@@ -20471,7 +20471,7 @@ msgctxt ""
"par_id81612629836634\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. vPrAA
#: sf_formcontrol.xhp
@@ -20489,7 +20489,7 @@ msgctxt ""
"par_id591612629836830\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 6rrBt
#: sf_formcontrol.xhp
@@ -20507,7 +20507,7 @@ msgctxt ""
"par_id891612629836630\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 2pMWG
#: sf_formcontrol.xhp
@@ -20525,7 +20525,7 @@ msgctxt ""
"par_id131612629836291\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. AJGQd
#: sf_formcontrol.xhp
@@ -20543,7 +20543,7 @@ msgctxt ""
"par_id211612629836725\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. tfmtf
#: sf_formcontrol.xhp
@@ -20561,7 +20561,7 @@ msgctxt ""
"par_id311612629836481\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. CeNku
#: sf_formcontrol.xhp
@@ -20579,7 +20579,7 @@ msgctxt ""
"par_id981612629836116\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. 9yirD
#: sf_formcontrol.xhp
@@ -20597,7 +20597,7 @@ msgctxt ""
"par_id711612629836704\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. D5vXU
#: sf_formcontrol.xhp
@@ -20615,7 +20615,7 @@ msgctxt ""
"par_id31616948666215\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. mdLSp
#: sf_formcontrol.xhp
@@ -20633,7 +20633,7 @@ msgctxt ""
"par_id811612707606330\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. m3Rb7
#: sf_formcontrol.xhp
@@ -20651,7 +20651,7 @@ msgctxt ""
"par_id41616948721642\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. imn6B
#: sf_formcontrol.xhp
@@ -20678,7 +20678,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the FormControl Service"
-msgstr ""
+msgstr "Llista de mètodes del servei FormControl"
#. CKZDf
#: sf_formcontrol.xhp
@@ -20768,7 +20768,7 @@ msgctxt ""
"hd_id141618777179310\n"
"help.text"
msgid "Additional examples"
-msgstr ""
+msgstr "Més exemples"
#. JopFS
#: sf_formcontrol.xhp
@@ -20840,7 +20840,7 @@ msgctxt ""
"pyc_id441622562080419\n"
"help.text"
msgid "bas.MsgBox('Selected option: ' + control.Caption)"
-msgstr ""
+msgstr "bas.MsgBox('Opció seleccionada: ' + control.Caption)"
#. czP76
#: sf_intro.xhp
@@ -20867,7 +20867,7 @@ msgctxt ""
"hd_id361623410405420\n"
"help.text"
msgid "Differences between Basic and Python"
-msgstr ""
+msgstr "Diferències entre BASIC i Python"
#. GwT9x
#: sf_intro.xhp
@@ -21218,7 +21218,7 @@ msgctxt ""
"par_id101623369005929\n"
"help.text"
msgid "Click <menuitem>Execute</menuitem>."
-msgstr ""
+msgstr "Feu clic a <menuitem>Executa</menuitem>."
#. ujB4e
#: sf_intro.xhp
@@ -21398,7 +21398,7 @@ msgctxt ""
"hd_id521585843652750\n"
"help.text"
msgid "<variable id=\"L10NService\"><link href=\"text/sbasic/shared/03/sf_l10n.xhp\"><literal>ScriptForge</literal>.<literal>L10N</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"L10NService\"><link href=\"text/sbasic/shared/03/sf_l10n.xhp\">Servei <literal>ScriptForge</literal>.<literal>L10N</literal></link></variable>"
#. FRAiJ
#: sf_l10n.xhp
@@ -21524,7 +21524,7 @@ msgctxt ""
"hd_id351585843652312\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. 2WXAQ
#: sf_l10n.xhp
@@ -21533,7 +21533,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>L10N</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>L10N</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. 9xE8t
#: sf_l10n.xhp
@@ -21659,7 +21659,7 @@ msgctxt ""
"par_id171585843652545\n"
"help.text"
msgid "It is recommended to free resources after use:"
-msgstr ""
+msgstr "Es recomana alliberar els recursos després de l'ús:"
#. CmhnJ
#: sf_l10n.xhp
@@ -21668,7 +21668,7 @@ msgctxt ""
"par_id281625854773330\n"
"help.text"
msgid "The examples above can be translated to Python as follows:"
-msgstr ""
+msgstr "Els exemples anteriors es poden traduir a Python d'aquesta manera:"
#. Z5Pb3
#: sf_l10n.xhp
@@ -21686,7 +21686,7 @@ msgctxt ""
"hd_id561585843652465\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. mJaFd
#: sf_l10n.xhp
@@ -21695,7 +21695,7 @@ msgctxt ""
"par_id181585843652958\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. FFbDK
#: sf_l10n.xhp
@@ -21704,7 +21704,7 @@ msgctxt ""
"par_id741585843652162\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. X3tJK
#: sf_l10n.xhp
@@ -21713,7 +21713,7 @@ msgctxt ""
"par_id291585843652823\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. 8ECBX
#: sf_l10n.xhp
@@ -21722,7 +21722,7 @@ msgctxt ""
"par_id351585843652638\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. j3wEj
#: sf_l10n.xhp
@@ -21731,7 +21731,7 @@ msgctxt ""
"par_id451585843652928\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. EMof8
#: sf_l10n.xhp
@@ -21749,7 +21749,7 @@ msgctxt ""
"par_id96158584365279\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. vdfiw
#: sf_l10n.xhp
@@ -21767,7 +21767,7 @@ msgctxt ""
"par_id961585843652589\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. LSNA3
#: sf_l10n.xhp
@@ -21785,7 +21785,7 @@ msgctxt ""
"par_id231614360519973\n"
"help.text"
msgid "List of Methods in the L10N Service"
-msgstr ""
+msgstr "Llista de mètodes del servei L10N"
#. Q24j9
#: sf_l10n.xhp
@@ -21866,7 +21866,7 @@ msgctxt ""
"par_id621637863440015\n"
"help.text"
msgid "The title of the dialog."
-msgstr ""
+msgstr "El títol del diàleg."
#. EBFAC
#: sf_l10n.xhp
@@ -22118,7 +22118,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFWidgets.Menu service"
-msgstr ""
+msgstr "Servei SFWidgets.Menu"
#. mZUG7
#: sf_menu.xhp
@@ -22181,7 +22181,7 @@ msgctxt ""
"hd_id281600788076359\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. o7QCg
#: sf_menu.xhp
@@ -22190,7 +22190,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Menu</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Menu</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. EYjA8
#: sf_menu.xhp
@@ -22361,7 +22361,7 @@ msgctxt ""
"pyc_id981636717957632\n"
"help.text"
msgid "msg = f\"Menu name: {s_args[0]}\\n\""
-msgstr ""
+msgstr "msg = f\"Nom de menú: {s_args[0]}\\n\""
#. GPKGe
#: sf_menu.xhp
@@ -22370,7 +22370,7 @@ msgctxt ""
"pyc_id851636718008427\n"
"help.text"
msgid "msg += f\"Menu item: {s_args[1]}\\n\""
-msgstr ""
+msgstr "msg += f\"Element de menú: {s_args[1]}\\n\""
#. EfEaE
#: sf_menu.xhp
@@ -22397,7 +22397,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. 98USM
#: sf_menu.xhp
@@ -22406,7 +22406,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. fT8mQ
#: sf_menu.xhp
@@ -22415,7 +22415,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. DGBgA
#: sf_menu.xhp
@@ -22424,7 +22424,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. 2EE9k
#: sf_menu.xhp
@@ -22433,7 +22433,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. qnRDA
#: sf_menu.xhp
@@ -22442,7 +22442,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. LE27e
#: sf_menu.xhp
@@ -22460,7 +22460,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. fb3iG
#: sf_menu.xhp
@@ -22505,7 +22505,7 @@ msgctxt ""
"par_id121636721243578\n"
"help.text"
msgid "The string <literal>---</literal> is used to define separator lines in menus or submenus."
-msgstr ""
+msgstr "La cadena <literal>---</literal> s'utilitza per a definir línies separadores als menús i submenús."
#. CYbLC
#: sf_menu.xhp
@@ -22514,7 +22514,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. Lofgb
#: sf_menu.xhp
@@ -22523,7 +22523,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Menu Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Menu"
#. aDqJH
#: sf_menu.xhp
@@ -22928,7 +22928,7 @@ msgctxt ""
"par_id441613838858931\n"
"help.text"
msgid "Syntax"
-msgstr ""
+msgstr "Sintaxi"
#. ENqPg
#: sf_methods.xhp
@@ -22937,7 +22937,7 @@ msgctxt ""
"par_id851613847558931\n"
"help.text"
msgid "Boolean"
-msgstr ""
+msgstr "Booleà"
#. vWABe
#: sf_methods.xhp
@@ -22946,7 +22946,7 @@ msgctxt ""
"par_id931623419595424\n"
"help.text"
msgid "UNO Object"
-msgstr ""
+msgstr "Objecte UNO"
#. 2q5Bk
#: sf_methods.xhp
@@ -22955,7 +22955,7 @@ msgctxt ""
"par_id951623419595631\n"
"help.text"
msgid "User Defined<br/>Type (UDT)"
-msgstr ""
+msgstr "Tipus definit<br/>per l'usuari (UDT)"
#. h4Tu4
#: sf_methods.xhp
@@ -22964,7 +22964,7 @@ msgctxt ""
"par_id451623419793734\n"
"help.text"
msgid "<literal>ScriptForge</literal><br/>service"
-msgstr ""
+msgstr "Servei<br/><literal>ScriptForge</literal>"
#. Ah5Gj
#: sf_platform.xhp
@@ -22973,7 +22973,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Platform service"
-msgstr ""
+msgstr "Servei ScriptForge.Platform"
#. GKXoF
#: sf_platform.xhp
@@ -23045,7 +23045,7 @@ msgctxt ""
"hd_id281600788076359\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. dogmo
#: sf_platform.xhp
@@ -23054,7 +23054,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Platform</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Platform</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. mHGZk
#: sf_platform.xhp
@@ -23072,7 +23072,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. VXJ8a
#: sf_platform.xhp
@@ -23081,7 +23081,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. JN68D
#: sf_platform.xhp
@@ -23090,7 +23090,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. ZndAt
#: sf_platform.xhp
@@ -23099,7 +23099,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. dAoKA
#: sf_platform.xhp
@@ -23108,7 +23108,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. XdLGG
#: sf_platform.xhp
@@ -23117,7 +23117,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. EEWuL
#: sf_platform.xhp
@@ -23135,7 +23135,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. iG4iH
#: sf_platform.xhp
@@ -23144,7 +23144,7 @@ msgctxt ""
"par_id81600788076419\n"
"help.text"
msgid "The computer's network name."
-msgstr ""
+msgstr "El nom que l'ordinador utilitza a les xarxes."
#. hvAeY
#: sf_platform.xhp
@@ -23153,7 +23153,7 @@ msgctxt ""
"par_id711600788076534\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. v3N6U
#: sf_platform.xhp
@@ -23171,7 +23171,7 @@ msgctxt ""
"par_id891600788076190\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. rmGRV
#: sf_platform.xhp
@@ -23189,7 +23189,7 @@ msgctxt ""
"par_id561633021747014\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. T2MVx
#: sf_platform.xhp
@@ -23198,7 +23198,7 @@ msgctxt ""
"par_id201633021748566\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. 5Fkqe
#: sf_platform.xhp
@@ -23216,7 +23216,7 @@ msgctxt ""
"par_id561633021747209\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. MgENM
#: sf_platform.xhp
@@ -23225,7 +23225,7 @@ msgctxt ""
"par_id201633021748322\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. bhBD2
#: sf_platform.xhp
@@ -23243,7 +23243,7 @@ msgctxt ""
"par_id561633021747903\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. yuuvA
#: sf_platform.xhp
@@ -23252,7 +23252,7 @@ msgctxt ""
"par_id201633021748455\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. BvYt3
#: sf_platform.xhp
@@ -23270,7 +23270,7 @@ msgctxt ""
"par_id561633021748013\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 9qBZR
#: sf_platform.xhp
@@ -23288,7 +23288,7 @@ msgctxt ""
"par_id561633021743188\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. sYrDn
#: sf_platform.xhp
@@ -23306,7 +23306,7 @@ msgctxt ""
"par_id391600788076253\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. LA6EN
#: sf_platform.xhp
@@ -23324,7 +23324,7 @@ msgctxt ""
"par_id561633021706513\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ZZcSc
#: sf_platform.xhp
@@ -23342,7 +23342,7 @@ msgctxt ""
"par_id211600788076138\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. WLRju
#: sf_platform.xhp
@@ -23360,7 +23360,7 @@ msgctxt ""
"par_id621614902220807\n"
"help.text"
msgid "Example: '<literal>LibreOffice 7.4.1.2 (The Document Foundation, Debian and Ubuntu)</literal>'"
-msgstr ""
+msgstr "Exemple: «<literal>LibreOffice 7.4.1.2 (The Document Foundation, Debian and Ubuntu)</literal>»"
#. 7WDer
#: sf_platform.xhp
@@ -23369,7 +23369,7 @@ msgctxt ""
"par_id21600788076758\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. NUSby
#: sf_platform.xhp
@@ -23387,7 +23387,7 @@ msgctxt ""
"par_id261600788076841\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. nepQ6
#: sf_platform.xhp
@@ -23414,7 +23414,7 @@ msgctxt ""
"par_id531600789141795\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 4iEvV
#: sf_platform.xhp
@@ -23432,7 +23432,7 @@ msgctxt ""
"par_id541600789286532\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. iukPq
#: sf_platform.xhp
@@ -23459,7 +23459,7 @@ msgctxt ""
"par_id941608709527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ArFcn
#: sf_platform.xhp
@@ -23486,7 +23486,7 @@ msgctxt ""
"par_id941600789527698\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. wkthE
#: sf_platform.xhp
@@ -23495,7 +23495,7 @@ msgctxt ""
"par_id631600789527859\n"
"help.text"
msgid "The real processor name. Example: '<literal>amdk6</literal>'."
-msgstr ""
+msgstr "El nom real del processador. Exemple: «<literal>amdk6</literal>»."
#. MYY9M
#: sf_platform.xhp
@@ -23513,7 +23513,7 @@ msgctxt ""
"par_id941608709527036\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Rw373
#: sf_platform.xhp
@@ -23531,7 +23531,7 @@ msgctxt ""
"par_id561633021708547\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Aue6E
#: sf_platform.xhp
@@ -23567,7 +23567,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFWidgets.PopupMenu service"
-msgstr ""
+msgstr "Servei SFWidgets.PopupMenu"
#. Vouog
#: sf_popupmenu.xhp
@@ -23612,7 +23612,7 @@ msgctxt ""
"hd_id281600788076359\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. wHrLq
#: sf_popupmenu.xhp
@@ -23621,7 +23621,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>PopupMenu</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>PopupMenu</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. aGukU
#: sf_popupmenu.xhp
@@ -23738,7 +23738,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. 7remQ
#: sf_popupmenu.xhp
@@ -23747,7 +23747,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. zWaD9
#: sf_popupmenu.xhp
@@ -23756,7 +23756,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. 3bRwD
#: sf_popupmenu.xhp
@@ -23765,7 +23765,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. yAUC9
#: sf_popupmenu.xhp
@@ -23774,7 +23774,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. qnMK2
#: sf_popupmenu.xhp
@@ -23783,7 +23783,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. uERBN
#: sf_popupmenu.xhp
@@ -23801,7 +23801,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. ScuiK
#: sf_popupmenu.xhp
@@ -23819,7 +23819,7 @@ msgctxt ""
"hd_id181636719707892\n"
"help.text"
msgid "Menu and Submenus"
-msgstr ""
+msgstr "Menús i submenús"
#. XGwV6
#: sf_popupmenu.xhp
@@ -23846,7 +23846,7 @@ msgctxt ""
"par_id121636721243578\n"
"help.text"
msgid "The string <literal>---</literal> is used to define separator lines in menus or submenus."
-msgstr ""
+msgstr "La cadena <literal>---</literal> s'utilitza per a definir línies separadores als menús i submenús."
#. nA7BW
#: sf_popupmenu.xhp
@@ -23855,7 +23855,7 @@ msgctxt ""
"hd_id211636723438558\n"
"help.text"
msgid "Using icons"
-msgstr ""
+msgstr "Utilització d'icones"
#. UKLV5
#: sf_popupmenu.xhp
@@ -23909,7 +23909,7 @@ msgctxt ""
"par_id691636725233961\n"
"help.text"
msgid "All icon sets have the same internal structure. The actual icon displayed depends on the icon set currently in use."
-msgstr ""
+msgstr "Tots els jocs d'icones tenen la mateixa estructura interna. La icona mostrada depèn del joc d'icones en ús actualment."
#. v6wRS
#: sf_popupmenu.xhp
@@ -23918,7 +23918,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. CWGtf
#: sf_popupmenu.xhp
@@ -23927,7 +23927,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the PopupMenu Service"
-msgstr ""
+msgstr "Llista de mètodes del servei PopupMenu"
#. RAcsN
#: sf_popupmenu.xhp
@@ -24035,7 +24035,7 @@ msgctxt ""
"bas_id41158919969106\n"
"help.text"
msgid "myPopup.AddItem(\"Item A\", Tooltip := \"A descriptive message\")"
-msgstr ""
+msgstr "myPopup.AddItem(\"Item A\", Tooltip := \"Un missatge descriptiu\")"
#. VDLFK
#: sf_popupmenu.xhp
@@ -24107,7 +24107,7 @@ msgctxt ""
"par_id93158919963279\n"
"help.text"
msgid "Displays the popup menu and waits for a user action. Returns the item clicked by the user."
-msgstr ""
+msgstr "Mostra el menú emergent i espera una acció de l'usuari. Retorna l'element en què ha fet clic l'usuari."
#. qwwKx
#: sf_popupmenu.xhp
@@ -24143,7 +24143,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Region service"
-msgstr ""
+msgstr "Servei ScriptForge.Region"
#. H7HZZ
#: sf_region.xhp
@@ -24152,7 +24152,7 @@ msgctxt ""
"bm_id681600788076499\n"
"help.text"
msgid "<variable id=\"RegionService\"><link href=\"text/sbasic/shared/03/sf_region.xhp\"><literal>ScriptForge</literal>.<literal>Region</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"RegionService\"><link href=\"text/sbasic/shared/03/sf_region.xhp\">Servei <literal>ScriptForge</literal>.<literal>Region</literal></link></variable>"
#. w3WgP
#: sf_region.xhp
@@ -24197,7 +24197,7 @@ msgctxt ""
"hd_id851656012844548\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. sGNu7
#: sf_region.xhp
@@ -24251,7 +24251,7 @@ msgctxt ""
"hd_id51656013825718\n"
"help.text"
msgid "Timezone"
-msgstr ""
+msgstr "Fus horari"
#. GGBdC
#: sf_region.xhp
@@ -24305,7 +24305,7 @@ msgctxt ""
"hd_id281600788076359\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. F9Wnj
#: sf_region.xhp
@@ -24332,7 +24332,7 @@ msgctxt ""
"bas_id791600788431935\n"
"help.text"
msgid "MsgBox oRegion.Country(\"en-US\") ' United States"
-msgstr ""
+msgstr "MsgBox oRegion.Country(\"en-US\") ' Estats Units"
#. FDNKL
#: sf_region.xhp
@@ -24341,7 +24341,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. VEB3D
#: sf_region.xhp
@@ -24368,7 +24368,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. rBUEm
#: sf_region.xhp
@@ -24377,7 +24377,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. FpD5h
#: sf_region.xhp
@@ -24386,7 +24386,7 @@ msgctxt ""
"par_id131656330679679\n"
"help.text"
msgid "Locale"
-msgstr ""
+msgstr "Configuració local"
#. FxnFK
#: sf_region.xhp
@@ -24395,7 +24395,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 4Ss2G
#: sf_region.xhp
@@ -24404,7 +24404,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ExbtG
#: sf_region.xhp
@@ -24413,7 +24413,7 @@ msgctxt ""
"par_id441600788076826\n"
"help.text"
msgid "Returns the country name in English corresponding to a given region."
-msgstr ""
+msgstr "Retorna el nom en anglés del país que correspon a una regió indicada."
#. FN4XC
#: sf_region.xhp
@@ -24422,7 +24422,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. vpDwN
#: sf_region.xhp
@@ -24440,7 +24440,7 @@ msgctxt ""
"par_id711600788076534\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 6cgk7
#: sf_region.xhp
@@ -24449,7 +24449,7 @@ msgctxt ""
"par_id911600788076842\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. Jhkc3
#: sf_region.xhp
@@ -24467,7 +24467,7 @@ msgctxt ""
"par_id891600788076190\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. vAJYH
#: sf_region.xhp
@@ -24485,7 +24485,7 @@ msgctxt ""
"par_id561633021747014\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. jSVY8
#: sf_region.xhp
@@ -24494,7 +24494,7 @@ msgctxt ""
"par_id201633021748566\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. CnTuU
#: sf_region.xhp
@@ -24512,7 +24512,7 @@ msgctxt ""
"par_id561633021747209\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CGeKU
#: sf_region.xhp
@@ -24521,7 +24521,7 @@ msgctxt ""
"par_id201633021748322\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. tjGhP
#: sf_region.xhp
@@ -24539,7 +24539,7 @@ msgctxt ""
"par_id561633021747903\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. hL4sb
#: sf_region.xhp
@@ -24548,7 +24548,7 @@ msgctxt ""
"par_id201633021748455\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. GHdGz
#: sf_region.xhp
@@ -24566,7 +24566,7 @@ msgctxt ""
"par_id561633021748013\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. CWLzi
#: sf_region.xhp
@@ -24584,7 +24584,7 @@ msgctxt ""
"par_id561633021743188\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. droDW
#: sf_region.xhp
@@ -24602,7 +24602,7 @@ msgctxt ""
"par_id391600788076253\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. a4SKv
#: sf_region.xhp
@@ -24620,7 +24620,7 @@ msgctxt ""
"par_id561633021706513\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 79WHE
#: sf_region.xhp
@@ -24629,7 +24629,7 @@ msgctxt ""
"par_id201633021746335\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. Dz2X6
#: sf_region.xhp
@@ -24647,7 +24647,7 @@ msgctxt ""
"par_id211600788076138\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. ZMsz8
#: sf_region.xhp
@@ -24656,7 +24656,7 @@ msgctxt ""
"par_id221600788076518\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. EbAXk
#: sf_region.xhp
@@ -24674,7 +24674,7 @@ msgctxt ""
"par_id21600788076758\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. wGD4y
#: sf_region.xhp
@@ -24683,7 +24683,7 @@ msgctxt ""
"par_id871600788076196\n"
"help.text"
msgid "String array"
-msgstr ""
+msgstr "Matriu de cadenes"
#. RisPb
#: sf_region.xhp
@@ -24701,7 +24701,7 @@ msgctxt ""
"par_id261600788076841\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. fLZD2
#: sf_region.xhp
@@ -24719,7 +24719,7 @@ msgctxt ""
"par_id531600789141795\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. MjrCr
#: sf_region.xhp
@@ -24737,7 +24737,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Methods in the Region Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Region"
#. szpDY
#: sf_region.xhp
@@ -25160,7 +25160,7 @@ msgctxt ""
"par_id491656078254442\n"
"help.text"
msgid "This method uses the current date and time of your operating system to calculate the UTC time."
-msgstr ""
+msgstr "Aquest mètode utilitza la data i l'hora actuals del sistema operatiu per a calcular l'hora UTC."
#. XxBE8
#: sf_region.xhp
@@ -25214,7 +25214,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Services service"
-msgstr ""
+msgstr "Servei ScriptForge.Services"
#. Q5KAY
#: sf_services.xhp
@@ -25223,7 +25223,7 @@ msgctxt ""
"hd_id471582710868716\n"
"help.text"
msgid "<variable id=\"ScriptForgeServices\"><link href=\"text/sbasic/shared/03/sf_services.xhp\"><literal>ScriptForge</literal>.<literal>Services</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ScriptForgeServices\"><link href=\"text/sbasic/shared/03/sf_services.xhp\">Servei <literal>ScriptForge</literal>.<literal>Services</literal></link></variable>"
#. SDbDJ
#: sf_services.xhp
@@ -25421,7 +25421,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.Session service"
-msgstr ""
+msgstr "Servei ScriptForge.Session"
#. yWao7
#: sf_session.xhp
@@ -25448,7 +25448,7 @@ msgctxt ""
"par_id34158281472051\n"
"help.text"
msgid "the installation or execution environment"
-msgstr ""
+msgstr "la instal·lació o l'entorn d'execució"
#. cf5WG
#: sf_session.xhp
@@ -25466,7 +25466,7 @@ msgctxt ""
"par_id321582814720863\n"
"help.text"
msgid "the invocation of external scripts or programs"
-msgstr ""
+msgstr "la invocació de scripts o programes externs"
#. 63uDb
#: sf_session.xhp
@@ -25475,7 +25475,7 @@ msgctxt ""
"hd_id91582814720116\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. XRvpV
#: sf_session.xhp
@@ -25484,7 +25484,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Session</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Session</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. 8BEnm
#: sf_session.xhp
@@ -25493,7 +25493,7 @@ msgctxt ""
"hd_id291582814720762\n"
"help.text"
msgid "Constants"
-msgstr ""
+msgstr "Constants"
#. zcRQu
#: sf_session.xhp
@@ -25511,7 +25511,7 @@ msgctxt ""
"par_id9158281472045\n"
"help.text"
msgid "Value"
-msgstr ""
+msgstr "Valor"
#. Wd88w
#: sf_session.xhp
@@ -25520,7 +25520,7 @@ msgctxt ""
"par_id241582814720636\n"
"help.text"
msgid "Where to find the library?"
-msgstr ""
+msgstr "On es troba la biblioteca?"
#. k58kN
#: sf_session.xhp
@@ -25529,7 +25529,7 @@ msgctxt ""
"par_id361582814720116\n"
"help.text"
msgid "Applicable"
-msgstr ""
+msgstr "S'aplica"
#. DJspw
#: sf_session.xhp
@@ -25538,7 +25538,7 @@ msgctxt ""
"par_id451582814720105\n"
"help.text"
msgid "in the document"
-msgstr ""
+msgstr "al document"
#. Q2KtM
#: sf_session.xhp
@@ -25547,7 +25547,7 @@ msgctxt ""
"par_id73158281472032\n"
"help.text"
msgid "in any shared library"
-msgstr ""
+msgstr "a qualsevol biblioteca compartida"
#. 2GN3X
#: sf_session.xhp
@@ -25556,7 +25556,7 @@ msgctxt ""
"par_id391582814720487\n"
"help.text"
msgid "in <emph>My Macros</emph>"
-msgstr ""
+msgstr "a <emph>Les meues macros</emph>"
#. MiuWT
#: sf_session.xhp
@@ -25574,7 +25574,7 @@ msgctxt ""
"par_id21582814720997\n"
"help.text"
msgid "in <emph>Application Macros</emph>"
-msgstr ""
+msgstr "a <emph>Macros de l'aplicació</emph>"
#. LnKrt
#: sf_session.xhp
@@ -25583,7 +25583,7 @@ msgctxt ""
"par_id981582814720125\n"
"help.text"
msgid "in an extension installed for all users"
-msgstr ""
+msgstr "en una extensió instal·lada per a tots els usuaris"
#. gCi9j
#: sf_session.xhp
@@ -25592,7 +25592,7 @@ msgctxt ""
"par_id93158281472047\n"
"help.text"
msgid "in an extension but the installation parameters are unknown"
-msgstr ""
+msgstr "en una extensió, però els paràmetres d'instal·lació de la qual són desconeguts"
#. mLURi
#: sf_session.xhp
@@ -25601,7 +25601,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Session Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Session"
#. JvBuZ
#: sf_session.xhp
@@ -25655,7 +25655,7 @@ msgctxt ""
"par_id741626828862265\n"
"help.text"
msgid "The library is loaded in memory if necessary."
-msgstr ""
+msgstr "Si cal, la biblioteca es carrega a la memòria."
#. D8AL6
#: sf_session.xhp
@@ -25745,7 +25745,7 @@ msgctxt ""
"bas_id881582816585185\n"
"help.text"
msgid "' Generates an error."
-msgstr ""
+msgstr "' Genera un error."
#. ygESx
#: sf_session.xhp
@@ -25952,7 +25952,7 @@ msgctxt ""
"par_id97160112964017\n"
"help.text"
msgid "Open a Uniform Resource Locator (<link href=\"text/shared/00/00000002.xhp#URL\">URL</link>) in the default browser."
-msgstr ""
+msgstr "Obri un localitzador uniforme de recursos (un <link href=\"text/shared/00/00000002.xhp#URL\">URL</link>, per les seues sigles en anglés) al navegador per defecte."
#. 4tFWV
#: sf_session.xhp
@@ -26015,7 +26015,7 @@ msgctxt ""
"par_id571601030349904\n"
"help.text"
msgid "<emph>cc</emph>: A comma-separated list of email addresses (the \"carbon copy\" recipients)."
-msgstr ""
+msgstr "<emph>cc</emph>: una llista d'adreces de correu electrònic separades per comes (els destinataris amb «còpia en carbó»)."
#. ADjaV
#: sf_session.xhp
@@ -26024,7 +26024,7 @@ msgctxt ""
"par_id961601031043346\n"
"help.text"
msgid "<emph>bcc</emph>: A comma-separated list of email addresses (the \"blind carbon copy\" recipients)."
-msgstr ""
+msgstr "<emph>bcc</emph>: una llista d'adreces de correu electrònic separades per comes (els destinataris amb «còpia en carbó oculta»)."
#. zAkWZ
#: sf_session.xhp
@@ -26150,7 +26150,7 @@ msgctxt ""
"par_id241587478343323\n"
"help.text"
msgid "<emph>unoobject</emph>: The object to inspect."
-msgstr ""
+msgstr "<emph>unoobject</emph>: l'objecte que s'inspeccionarà."
#. Cm4eK
#: sf_session.xhp
@@ -26195,7 +26195,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.String service (SF_String)"
-msgstr ""
+msgstr "Servei ScriptForge.String (SF_String)"
#. qHoPA
#: sf_string.xhp
@@ -26258,7 +26258,7 @@ msgctxt ""
"hd_id961579603699855\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. dQjPv
#: sf_string.xhp
@@ -26285,7 +26285,7 @@ msgctxt ""
"par_id151611947117831\n"
"help.text"
msgid "Symbolic name"
-msgstr ""
+msgstr "Nom simbòlic"
#. fEbm9
#: sf_string.xhp
@@ -26330,7 +26330,7 @@ msgctxt ""
"par_id151611947117893\n"
"help.text"
msgid "Symbolic name"
-msgstr ""
+msgstr "Nom simbòlic"
#. ZsSFF
#: sf_string.xhp
@@ -26357,7 +26357,7 @@ msgctxt ""
"hd_id191580480825160\n"
"help.text"
msgid "Escape sequences"
-msgstr ""
+msgstr "Seqüències d'escapament"
#. JD6CK
#: sf_string.xhp
@@ -26366,7 +26366,7 @@ msgctxt ""
"par_id971611949145057\n"
"help.text"
msgid "Below is a list of escape sequences that can be used in strings."
-msgstr ""
+msgstr "La següent és una llista de les seqüències d'escapament que es poden fer servir amb les cadenes."
#. D4DjE
#: sf_string.xhp
@@ -26375,7 +26375,7 @@ msgctxt ""
"par_id151611947117287\n"
"help.text"
msgid "Escape Sequence"
-msgstr ""
+msgstr "Seqüència d'escapament"
#. xzDai
#: sf_string.xhp
@@ -26384,7 +26384,7 @@ msgctxt ""
"par_id721611947117732\n"
"help.text"
msgid "Symbolic name"
-msgstr ""
+msgstr "Nom simbòlic"
#. rrxV4
#: sf_string.xhp
@@ -26483,7 +26483,7 @@ msgctxt ""
"hd_id201586594659135\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. 4WFve
#: sf_string.xhp
@@ -26528,7 +26528,7 @@ msgctxt ""
"hd_id651584978211886\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. qKhL4
#: sf_string.xhp
@@ -26546,7 +26546,7 @@ msgctxt ""
"par_id271584978211792\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. HGYbF
#: sf_string.xhp
@@ -26555,7 +26555,7 @@ msgctxt ""
"par_id241584978211550\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. 5qXzL
#: sf_string.xhp
@@ -26564,7 +26564,7 @@ msgctxt ""
"par_id621584978211403\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 6DG3u
#: sf_string.xhp
@@ -26573,7 +26573,7 @@ msgctxt ""
"par_id71584978715562\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. YJA6w
#: sf_string.xhp
@@ -26591,7 +26591,7 @@ msgctxt ""
"par_id211584978211383\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. xht7K
#: sf_string.xhp
@@ -26609,7 +26609,7 @@ msgctxt ""
"par_id671584978666689\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. pdykp
#: sf_string.xhp
@@ -26627,7 +26627,7 @@ msgctxt ""
"par_id421584978666327\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 9djV3
#: sf_string.xhp
@@ -26645,7 +26645,7 @@ msgctxt ""
"par_id541584978666991\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. VrjGQ
#: sf_string.xhp
@@ -26672,7 +26672,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the String Service"
-msgstr ""
+msgstr "Llista de mètodes del servei String"
#. TFfR3
#: sf_string.xhp
@@ -27275,7 +27275,7 @@ msgctxt ""
"par_id991612372824234\n"
"help.text"
msgid "The default value is the current operating system on which the script is running."
-msgstr ""
+msgstr "El valor per defecte és el sistema operatiu on s'executa l'script."
#. FPuAV
#: sf_string.xhp
@@ -27383,7 +27383,7 @@ msgctxt ""
"par_id181612441703306\n"
"help.text"
msgid "\"?\" represents any single character;"
-msgstr ""
+msgstr "«?» representa qualsevol caràcter individual;"
#. CFPcW
#: sf_string.xhp
@@ -27392,7 +27392,7 @@ msgctxt ""
"par_id861612377611438\n"
"help.text"
msgid "\"*\" represents zero, one, or multiple characters."
-msgstr ""
+msgstr "«*» representa zero, un o diversos caràcters."
#. eLYBF
#: sf_string.xhp
@@ -27518,7 +27518,7 @@ msgctxt ""
"par_id471580293142283\n"
"help.text"
msgid "<emph>inputstr</emph>: The string to be checked. If empty, the method returns <literal>False</literal>."
-msgstr ""
+msgstr "<emph>inputstr</emph>: la cadena que es comprovarà. Si és buida, el mètode retorna <literal>False</literal>."
#. 7Ryzp
#: sf_string.xhp
@@ -28076,7 +28076,7 @@ msgctxt ""
"bas_id551612386931680\n"
"help.text"
msgid "' An example with a ScriptForge Dictionary"
-msgstr ""
+msgstr "' Un exemple amb un diccionari de l'ScriptForge"
#. vvADG
#: sf_string.xhp
@@ -28148,7 +28148,7 @@ msgctxt ""
"par_id471580211762739\n"
"help.text"
msgid "Splits a string into an array of elements using a specified delimiter."
-msgstr ""
+msgstr "Divideix una cadena en una matriu d'elements fent servir un delimitador especificat."
#. zsADB
#: sf_string.xhp
@@ -28346,7 +28346,7 @@ msgctxt ""
"bas_id961612393917830\n"
"help.text"
msgid "' s = \"Some text\" (unchanged)"
-msgstr ""
+msgstr "' s = \"Algun text\" (sense cap modificació)"
#. ULtxx
#: sf_string.xhp
@@ -28445,7 +28445,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.TextStream service"
-msgstr ""
+msgstr "Servei ScriptForge.TextStream"
#. yCCia
#: sf_textstream.xhp
@@ -28454,7 +28454,7 @@ msgctxt ""
"bm_id351585330787295\n"
"help.text"
msgid "<variable id=\"TextStreamService\"><link href=\"text/sbasic/shared/03/sf_textstream.xhp\"><literal>ScriptForge</literal>.<literal>TextStream</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"TextStreamService\"><link href=\"text/sbasic/shared/03/sf_textstream.xhp\">Servei <literal>ScriptForge</literal>.<literal>TextStream</literal></link></variable>"
#. nBJsE
#: sf_textstream.xhp
@@ -28508,7 +28508,7 @@ msgctxt ""
"hd_id83158533078741\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. AuQX2
#: sf_textstream.xhp
@@ -28553,7 +28553,7 @@ msgctxt ""
"hd_id941585330787948\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. aN9zM
#: sf_textstream.xhp
@@ -28562,7 +28562,7 @@ msgctxt ""
"par_id631585330787267\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. vwGC5
#: sf_textstream.xhp
@@ -28571,7 +28571,7 @@ msgctxt ""
"par_id401585330787370\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. GpL38
#: sf_textstream.xhp
@@ -28580,7 +28580,7 @@ msgctxt ""
"par_id581585330787700\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. 6FDuM
#: sf_textstream.xhp
@@ -28589,7 +28589,7 @@ msgctxt ""
"par_id551585330787608\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. ECkTm
#: sf_textstream.xhp
@@ -28598,7 +28598,7 @@ msgctxt ""
"par_id181585330787752\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. YFkaY
#: sf_textstream.xhp
@@ -28616,7 +28616,7 @@ msgctxt ""
"par_id561585330787568\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. cVCoJ
#: sf_textstream.xhp
@@ -28634,7 +28634,7 @@ msgctxt ""
"par_id641585330787207\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. JjEqX
#: sf_textstream.xhp
@@ -28652,7 +28652,7 @@ msgctxt ""
"par_id111585330787410\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. MZS6Z
#: sf_textstream.xhp
@@ -28670,7 +28670,7 @@ msgctxt ""
"par_id87158533078795\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. j45gC
#: sf_textstream.xhp
@@ -28688,7 +28688,7 @@ msgctxt ""
"par_id531585330787157\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. rdA5M
#: sf_textstream.xhp
@@ -28715,7 +28715,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the TextStream Service"
-msgstr ""
+msgstr "Llista de mètodes del servei TextStream"
#. DBBKM
#: sf_textstream.xhp
@@ -29039,7 +29039,7 @@ msgctxt ""
"hd_id201582733781265\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. fYto9
#: sf_timer.xhp
@@ -29048,7 +29048,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Timer</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Timer</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. SCYEX
#: sf_timer.xhp
@@ -29075,7 +29075,7 @@ msgctxt ""
"par_id891582733781994\n"
"help.text"
msgid "It is recommended to free resources after use:"
-msgstr ""
+msgstr "Es recomana alliberar els recursos després de l'ús:"
#. 8h3fp
#: sf_timer.xhp
@@ -29084,7 +29084,7 @@ msgctxt ""
"hd_id521582733781450\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. dVncX
#: sf_timer.xhp
@@ -29093,7 +29093,7 @@ msgctxt ""
"par_id71582733781260\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. hFnkK
#: sf_timer.xhp
@@ -29102,7 +29102,7 @@ msgctxt ""
"par_id711582733781103\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. NvqK9
#: sf_timer.xhp
@@ -29111,7 +29111,7 @@ msgctxt ""
"par_id76158273378122\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. 7zFYh
#: sf_timer.xhp
@@ -29120,7 +29120,7 @@ msgctxt ""
"par_id751582733781926\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. T92or
#: sf_timer.xhp
@@ -29129,7 +29129,7 @@ msgctxt ""
"par_id621582733781588\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 9yDgM
#: sf_timer.xhp
@@ -29147,7 +29147,7 @@ msgctxt ""
"par_id301582733781498\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. tqpDU
#: sf_timer.xhp
@@ -29165,7 +29165,7 @@ msgctxt ""
"par_id181582733781551\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. SGyi4
#: sf_timer.xhp
@@ -29183,7 +29183,7 @@ msgctxt ""
"par_id651582733781874\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. E45MD
#: sf_timer.xhp
@@ -29201,7 +29201,7 @@ msgctxt ""
"par_id141582733781303\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. FeCob
#: sf_timer.xhp
@@ -29228,7 +29228,7 @@ msgctxt ""
"hd_id141582734141895\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. P8RQj
#: sf_timer.xhp
@@ -29255,7 +29255,7 @@ msgctxt ""
"par_id871582734180676\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 6oGwx
#: sf_timer.xhp
@@ -29264,7 +29264,7 @@ msgctxt ""
"par_id971582734180676\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. ZMfpe
#: sf_timer.xhp
@@ -29273,7 +29273,7 @@ msgctxt ""
"par_id911582734180676\n"
"help.text"
msgid "Returned value"
-msgstr ""
+msgstr "Valor retornat"
#. 6DJTP
#: sf_timer.xhp
@@ -29480,7 +29480,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "List of all ScriptForge methods and properties"
-msgstr ""
+msgstr "Llista de tots els mètodes i propietats de l'ScriptForge"
#. zxZFp
#: sf_toc.xhp
@@ -29489,7 +29489,7 @@ msgctxt ""
"hd_id461623364876507\n"
"help.text"
msgid "<variable id=\"title\"><link href=\"text/sbasic/shared/03/sf_toc.xhp\">List of all <literal>ScriptForge</literal> methods and properties</link></variable>"
-msgstr ""
+msgstr "<variable id=\"title\"><link href=\"text/sbasic/shared/03/sf_toc.xhp\">Llista de tots els mètodes i propietats de l'<literal>ScriptForge</literal></link></variable>"
#. 9cBCb
#: sf_toc.xhp
@@ -29516,7 +29516,7 @@ msgctxt ""
"hd_id101671192601663\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Array</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Array</literal>"
#. xA5NE
#: sf_toc.xhp
@@ -29525,7 +29525,7 @@ msgctxt ""
"hd_id101671192601553\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>Base</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>Base</literal>"
#. JFajQ
#: sf_toc.xhp
@@ -29543,7 +29543,7 @@ msgctxt ""
"hd_id101671192609363\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Basic</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Basic</literal>"
#. gRcDE
#: sf_toc.xhp
@@ -29552,7 +29552,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Properties in the Basic Service"
-msgstr ""
+msgstr "Llista de propietats del servei Basic"
#. LAgbN
#: sf_toc.xhp
@@ -29561,7 +29561,7 @@ msgctxt ""
"hd_id101671192601502\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>Calc</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>Calc</literal>"
#. uxhCu
#: sf_toc.xhp
@@ -29570,7 +29570,7 @@ msgctxt ""
"par_id651606319520654\n"
"help.text"
msgid "List of Properties in the Calc Service"
-msgstr ""
+msgstr "Llista de propietats del servei Calc"
#. 8B4AP
#: sf_toc.xhp
@@ -29579,7 +29579,7 @@ msgctxt ""
"hd_id101671192601677\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>Chart</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>Chart</literal>"
#. hNAmL
#: sf_toc.xhp
@@ -29588,7 +29588,7 @@ msgctxt ""
"par_id651606319523634\n"
"help.text"
msgid "List of Properties in the Chart Service"
-msgstr ""
+msgstr "Llista de propietats del servei Chart"
#. mbPs5
#: sf_toc.xhp
@@ -29597,7 +29597,7 @@ msgctxt ""
"hd_id101671192601147\n"
"help.text"
msgid "<literal>SFDatabases</literal>.<literal>Database</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDatabases</literal>.<literal>Database</literal>"
#. nEVNp
#: sf_toc.xhp
@@ -29606,7 +29606,7 @@ msgctxt ""
"par_id651606319520332\n"
"help.text"
msgid "List of Properties in the Database Service"
-msgstr ""
+msgstr "Llista de propietats del servei Database"
#. rGLDA
#: sf_toc.xhp
@@ -29615,7 +29615,7 @@ msgctxt ""
"hd_id101671192690807\n"
"help.text"
msgid "<literal>SFDatabases</literal>.<literal>Datasheet</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDatabases</literal>.<literal>Datasheet</literal>"
#. ZA8ZQ
#: sf_toc.xhp
@@ -29624,7 +29624,7 @@ msgctxt ""
"par_id651606319510928\n"
"help.text"
msgid "List of Properties in the Datasheet Service"
-msgstr ""
+msgstr "Llista de propietats del servei Datasheet"
#. Y5mr6
#: sf_toc.xhp
@@ -29633,7 +29633,7 @@ msgctxt ""
"hd_id101671192601308\n"
"help.text"
msgid "<literal>SFDialogs</literal>.<literal>Dialog</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDialogs</literal>.<literal>Dialog</literal>"
#. eqEbb
#: sf_toc.xhp
@@ -29642,7 +29642,7 @@ msgctxt ""
"par_id651606319527165\n"
"help.text"
msgid "List of Properties in the Dialog Service"
-msgstr ""
+msgstr "Llista de propietats del servei Dialog"
#. dCD6o
#: sf_toc.xhp
@@ -29651,7 +29651,7 @@ msgctxt ""
"hd_id101671192601688\n"
"help.text"
msgid "<literal>SFDialogs</literal>.<literal>DialogControl</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDialogs</literal>.<literal>DialogControl</literal>"
#. QBrji
#: sf_toc.xhp
@@ -29660,7 +29660,7 @@ msgctxt ""
"par_id651606319523433\n"
"help.text"
msgid "List of Properties in the DialogControl Service"
-msgstr ""
+msgstr "Llista de propietats del servei DialogControl"
#. CEN8p
#: sf_toc.xhp
@@ -29669,7 +29669,7 @@ msgctxt ""
"hd_id101671192601559\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Dictionary</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Dictionary</literal>"
#. V3dV2
#: sf_toc.xhp
@@ -29678,7 +29678,7 @@ msgctxt ""
"par_id651606319520328\n"
"help.text"
msgid "List of Properties in the Dictionary Service"
-msgstr ""
+msgstr "Llista de propietats del servei Dictionary"
#. kXRkE
#: sf_toc.xhp
@@ -29687,7 +29687,7 @@ msgctxt ""
"hd_id101671192601711\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>Document</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>Document</literal>"
#. uPiwD
#: sf_toc.xhp
@@ -29696,7 +29696,7 @@ msgctxt ""
"par_id651606319746528\n"
"help.text"
msgid "List of Properties in the Document Service"
-msgstr ""
+msgstr "Llista de propietats del servei Document"
#. Gk8EF
#: sf_toc.xhp
@@ -29705,7 +29705,7 @@ msgctxt ""
"hd_id101671192501339\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Exception</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Exception</literal>"
#. rGaFn
#: sf_toc.xhp
@@ -29714,7 +29714,7 @@ msgctxt ""
"par_id651606319500328\n"
"help.text"
msgid "List of Properties in the Exception Service"
-msgstr ""
+msgstr "Llista de propietats del servei Exception"
#. 7L6SK
#: sf_toc.xhp
@@ -29723,7 +29723,7 @@ msgctxt ""
"hd_id101671192505579\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>FileSystem</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>FileSystem</literal>"
#. i7nPm
#: sf_toc.xhp
@@ -29732,7 +29732,7 @@ msgctxt ""
"par_id651606319646328\n"
"help.text"
msgid "List of Properties in the FileSystem Service"
-msgstr ""
+msgstr "Llista de propietats del servei FileSystem"
#. kdN69
#: sf_toc.xhp
@@ -29741,7 +29741,7 @@ msgctxt ""
"hd_id101671192505441\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>Form</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>Form</literal>"
#. FkAkF
#: sf_toc.xhp
@@ -29750,7 +29750,7 @@ msgctxt ""
"par_id651606319525458\n"
"help.text"
msgid "List of Properties in the Form Service"
-msgstr ""
+msgstr "Llista de propietats del servei Form"
#. uZGQs
#: sf_toc.xhp
@@ -29759,7 +29759,7 @@ msgctxt ""
"hd_id101671192506636\n"
"help.text"
msgid "<literal>SFDocuments</literal>.<literal>FormControl</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFDocuments</literal>.<literal>FormControl</literal>"
#. ivRX2
#: sf_toc.xhp
@@ -29768,7 +29768,7 @@ msgctxt ""
"par_id651606319411328\n"
"help.text"
msgid "List of Properties in the FormControl Service"
-msgstr ""
+msgstr "Llista de propietats del servei FormControl"
#. DCwnN
#: sf_toc.xhp
@@ -29777,7 +29777,7 @@ msgctxt ""
"hd_id101671199996466\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>L10N</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>L10N</literal>"
#. CNrDo
#: sf_toc.xhp
@@ -29786,7 +29786,7 @@ msgctxt ""
"par_id651606319527168\n"
"help.text"
msgid "List of Properties in the L10N Service"
-msgstr ""
+msgstr "Llista de propietats del servei L10N"
#. kPEXF
#: sf_toc.xhp
@@ -29795,7 +29795,7 @@ msgctxt ""
"hd_id101671199996396\n"
"help.text"
msgid "<literal>SFWidgets</literal>.<literal>Menu</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFWidgets</literal>.<literal>Menu</literal>"
#. CAaoK
#: sf_toc.xhp
@@ -29804,7 +29804,7 @@ msgctxt ""
"par_id651606314140328\n"
"help.text"
msgid "List of Properties in the Menu Service"
-msgstr ""
+msgstr "Llista de propietats del servei Menu"
#. Nm9Ft
#: sf_toc.xhp
@@ -29813,7 +29813,7 @@ msgctxt ""
"hd_id101671199994016\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Platform</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Platform</literal>"
#. y2Hhd
#: sf_toc.xhp
@@ -29822,7 +29822,7 @@ msgctxt ""
"par_id651606319518728\n"
"help.text"
msgid "List of Properties in the Platform Service"
-msgstr ""
+msgstr "Llista de propietats del servei Platform"
#. JgPNJ
#: sf_toc.xhp
@@ -29831,7 +29831,7 @@ msgctxt ""
"hd_id101671199996417\n"
"help.text"
msgid "<literal>SFWidgets</literal>.<literal>PopupMenu</literal> service"
-msgstr ""
+msgstr "Servei <literal>SFWidgets</literal>.<literal>PopupMenu</literal>"
#. jPDs4
#: sf_toc.xhp
@@ -29840,7 +29840,7 @@ msgctxt ""
"par_id651606314130218\n"
"help.text"
msgid "List of Properties in the PopupMenu Service"
-msgstr ""
+msgstr "Llista de propietats del servei PopupMenu"
#. 5rfxS
#: sf_toc.xhp
@@ -29849,7 +29849,7 @@ msgctxt ""
"hd_id101671199993577\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Region</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Region</literal>"
#. 6P6YE
#: sf_toc.xhp
@@ -29858,7 +29858,7 @@ msgctxt ""
"par_id651606316032328\n"
"help.text"
msgid "List of Properties in the Region Service"
-msgstr ""
+msgstr "Llista de propietats del servei Region"
#. YjCc5
#: sf_toc.xhp
@@ -29867,7 +29867,7 @@ msgctxt ""
"hd_id101671199993654\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Session</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Session</literal>"
#. Ch9rH
#: sf_toc.xhp
@@ -29876,7 +29876,7 @@ msgctxt ""
"par_id651606319550408\n"
"help.text"
msgid "List of Properties in the Session Service"
-msgstr ""
+msgstr "Llista de propietats del servei Session"
#. FqDWZ
#: sf_toc.xhp
@@ -29885,7 +29885,7 @@ msgctxt ""
"hd_id1016711992514654\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>String</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>String</literal>"
#. 6vNEV
#: sf_toc.xhp
@@ -29894,7 +29894,7 @@ msgctxt ""
"par_id651606358900328\n"
"help.text"
msgid "List of Properties in the Dictionary Service"
-msgstr ""
+msgstr "Llista de propietats del servei Dictionary"
#. EGy6c
#: sf_toc.xhp
@@ -29903,7 +29903,7 @@ msgctxt ""
"hd_id1016711992512103\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>TextStream</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>TextStream</literal>"
#. sqgkG
#: sf_toc.xhp
@@ -29912,7 +29912,7 @@ msgctxt ""
"par_id651606305698328\n"
"help.text"
msgid "List of Properties in the TextStream Service"
-msgstr ""
+msgstr "Llista de propietats del servei TextStream"
#. rfA4y
#: sf_toc.xhp
@@ -29921,7 +29921,7 @@ msgctxt ""
"hd_id1016711992519543\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>Timer</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>Timer</literal>"
#. 7S2q8
#: sf_toc.xhp
@@ -29930,7 +29930,7 @@ msgctxt ""
"par_id651601219036328\n"
"help.text"
msgid "List of Methods in the Timer Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Timer"
#. BeSkR
#: sf_toc.xhp
@@ -29939,7 +29939,7 @@ msgctxt ""
"par_id651601219520328\n"
"help.text"
msgid "List of Properties in the Timer Service"
-msgstr ""
+msgstr "Llista de propietats del servei Timer"
#. MexL5
#: sf_toc.xhp
@@ -29948,7 +29948,7 @@ msgctxt ""
"hd_id1016711992512950\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>UI</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>UI</literal>"
#. jttmj
#: sf_toc.xhp
@@ -29957,7 +29957,7 @@ msgctxt ""
"par_id651606657520328\n"
"help.text"
msgid "List of Properties in the UI Service"
-msgstr ""
+msgstr "Llista de propietats del servei UI"
#. uY9cX
#: sf_toc.xhp
@@ -29966,7 +29966,7 @@ msgctxt ""
"hd_id1016711992512540\n"
"help.text"
msgid "<literal>ScriptForge</literal>.<literal>UnitTest</literal> service"
-msgstr ""
+msgstr "Servei <literal>ScriptForge</literal>.<literal>UnitTest</literal>"
#. MFG4G
#: sf_toc.xhp
@@ -29975,7 +29975,7 @@ msgctxt ""
"par_id651606313658328\n"
"help.text"
msgid "List of Properties in the UnitTest Service"
-msgstr ""
+msgstr "Llista de propietats del servei UnitTest"
#. dphFv
#: sf_ui.xhp
@@ -29984,7 +29984,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ScriptForge.UI service"
-msgstr ""
+msgstr "Servei ScriptForge.UI"
#. rJz4Z
#: sf_ui.xhp
@@ -30002,7 +30002,7 @@ msgctxt ""
"par_id31587913266153\n"
"help.text"
msgid "The UI (User Interface) service simplifies the identification and the manipulation of the different windows composing the whole %PRODUCTNAME application:"
-msgstr ""
+msgstr "El servei UI (de l'anglés, interfície d'usuari) simplifica la identificació i la manipulació de les diferents finestres que componen l'aplicació %PRODUCTNAME:"
#. nTqj5
#: sf_ui.xhp
@@ -30011,7 +30011,7 @@ msgctxt ""
"par_id591587913266547\n"
"help.text"
msgid "Windows selection"
-msgstr ""
+msgstr "Selecció de finestres"
#. 45jFA
#: sf_ui.xhp
@@ -30047,7 +30047,7 @@ msgctxt ""
"par_id761587913266388\n"
"help.text"
msgid "Creation of new windows"
-msgstr ""
+msgstr "Creació de finestres noves"
#. Dxuyy
#: sf_ui.xhp
@@ -30056,7 +30056,7 @@ msgctxt ""
"par_id591587913266489\n"
"help.text"
msgid "Access to the underlying \"documents\""
-msgstr ""
+msgstr "Accés als «documents» subjacents"
#. W5BL2
#: sf_ui.xhp
@@ -30074,7 +30074,7 @@ msgctxt ""
"hd_id881587913266307\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. L8Ate
#: sf_ui.xhp
@@ -30110,7 +30110,7 @@ msgctxt ""
"par_id541587914079744\n"
"help.text"
msgid "the title of the window"
-msgstr ""
+msgstr "el títol de la finestra"
#. rdSGt
#: sf_ui.xhp
@@ -30119,7 +30119,7 @@ msgctxt ""
"par_id191587914134221\n"
"help.text"
msgid "for new documents, something like \"Untitled 1\""
-msgstr ""
+msgstr "per als documents nous, com ara «Sense títol 1»"
#. GrAxe
#: sf_ui.xhp
@@ -30146,7 +30146,7 @@ msgctxt ""
"hd_id541588520711430\n"
"help.text"
msgid "Document object"
-msgstr ""
+msgstr "Objecte Document"
#. w8QcA
#: sf_ui.xhp
@@ -30182,7 +30182,7 @@ msgctxt ""
"hd_id91587913266988\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. WhLKN
#: sf_ui.xhp
@@ -30191,7 +30191,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>UI</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>UI</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. 2tFG6
#: sf_ui.xhp
@@ -30200,7 +30200,7 @@ msgctxt ""
"hd_id841587913266618\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. m8i6L
#: sf_ui.xhp
@@ -30209,7 +30209,7 @@ msgctxt ""
"par_id521587913266568\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 48SHW
#: sf_ui.xhp
@@ -30218,7 +30218,7 @@ msgctxt ""
"par_id421587913266368\n"
"help.text"
msgid "ReadOnly"
-msgstr ""
+msgstr "Només de lectura"
#. GpADs
#: sf_ui.xhp
@@ -30227,7 +30227,7 @@ msgctxt ""
"par_id631587914939732\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. nB9z5
#: sf_ui.xhp
@@ -30236,7 +30236,7 @@ msgctxt ""
"par_id951587913266220\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. c5EiC
#: sf_ui.xhp
@@ -30245,7 +30245,7 @@ msgctxt ""
"par_id651587913266754\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. vQ8TT
#: sf_ui.xhp
@@ -30263,7 +30263,7 @@ msgctxt ""
"par_id658517913266754\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. Bjyuv
#: sf_ui.xhp
@@ -30281,7 +30281,7 @@ msgctxt ""
"par_id651587913266945\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 2RdP5
#: sf_ui.xhp
@@ -30290,7 +30290,7 @@ msgctxt ""
"par_id351587913266211\n"
"help.text"
msgid "Returns the height of the active window in pixels."
-msgstr ""
+msgstr "Retorna l'alçària en píxels de la finestra activa."
#. AM4nR
#: sf_ui.xhp
@@ -30299,7 +30299,7 @@ msgctxt ""
"par_id651587913266645\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. MmDG7
#: sf_ui.xhp
@@ -30317,7 +30317,7 @@ msgctxt ""
"par_id651587913266312\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 9AKCg
#: sf_ui.xhp
@@ -30335,7 +30335,7 @@ msgctxt ""
"par_id651587913266670\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. 3DBVb
#: sf_ui.xhp
@@ -30353,7 +30353,7 @@ msgctxt ""
"hd_id511620762163390\n"
"help.text"
msgid "Constants"
-msgstr ""
+msgstr "Constants"
#. ziD2D
#: sf_ui.xhp
@@ -30362,7 +30362,7 @@ msgctxt ""
"par_id761620761856238\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. eBD6E
#: sf_ui.xhp
@@ -30371,7 +30371,7 @@ msgctxt ""
"par_id591620761856238\n"
"help.text"
msgid "Value"
-msgstr ""
+msgstr "Valor"
#. 2DU4R
#: sf_ui.xhp
@@ -30380,7 +30380,7 @@ msgctxt ""
"par_id711620761856238\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. adCUF
#: sf_ui.xhp
@@ -30425,7 +30425,7 @@ msgctxt ""
"par_id881608131596153\n"
"help.text"
msgid "List of Methods in the UI Service"
-msgstr ""
+msgstr "Llista de mètodes del servei UI"
#. 4fc2p
#: sf_ui.xhp
@@ -30821,7 +30821,7 @@ msgctxt ""
"par_id721611153068137\n"
"help.text"
msgid "The following example runs the <literal>.uno:About</literal> command in the current window."
-msgstr ""
+msgstr "L'exemple següent executa l'ordre <literal>.uno:About</literal> en la finestra actual."
#. cFYc9
#: sf_ui.xhp
@@ -30839,7 +30839,7 @@ msgctxt ""
"bas_id631644184414955\n"
"help.text"
msgid "' Arguments passed to the command:"
-msgstr ""
+msgstr "' Arguments passats a l'ordre:"
#. cyWLC
#: sf_ui.xhp
@@ -30902,7 +30902,7 @@ msgctxt ""
"bas_id651620332601083\n"
"help.text"
msgid "' Resets the statusbar"
-msgstr ""
+msgstr "' Reinicialitza la barra d'estat"
#. oQfWc
#: sf_ui.xhp
@@ -30947,7 +30947,7 @@ msgctxt ""
"bas_id651620333289753\n"
"help.text"
msgid "' Closes the Progress Bar window"
-msgstr ""
+msgstr "' Tanca la finestra de la barra de progrés"
#. u3gZ8
#: sf_ui.xhp
@@ -30956,7 +30956,7 @@ msgctxt ""
"pyc_id761620333269236\n"
"help.text"
msgid "# Closes the Progress Bar window"
-msgstr ""
+msgstr "# Tanca la finestra de la barra de progrés"
#. ZEG6t
#: sf_ui.xhp
@@ -30983,7 +30983,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFUnitTests.UnitTest service"
-msgstr ""
+msgstr "Servei SFUnitTests.UnitTest"
#. Yua3U
#: sf_unittest.xhp
@@ -30992,7 +30992,7 @@ msgctxt ""
"bm_id681600788076499\n"
"help.text"
msgid "<variable id=\"UnitTestService\"><link href=\"text/sbasic/shared/03/sf_unittest.xhp\"><literal>SFUnitTests</literal>.<literal>UnitTest</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"UnitTestService\"><link href=\"text/sbasic/shared/03/sf_unittest.xhp\">Servei <literal>SFUnitTests</literal>.<literal>UnitTest</literal></link></variable>"
#. iRNwD
#: sf_unittest.xhp
@@ -31055,7 +31055,7 @@ msgctxt ""
"hd_id491656351958796\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. kTZBz
#: sf_unittest.xhp
@@ -31136,7 +31136,7 @@ msgctxt ""
"hd_id351656352884283\n"
"help.text"
msgid "Unit Test"
-msgstr ""
+msgstr "Prova unitària"
#. xieZW
#: sf_unittest.xhp
@@ -31154,7 +31154,7 @@ msgctxt ""
"hd_id991656353328287\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. FVzhB
#: sf_unittest.xhp
@@ -31424,7 +31424,7 @@ msgctxt ""
"hd_id711600788076834\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. dUKA3
#: sf_unittest.xhp
@@ -31433,7 +31433,7 @@ msgctxt ""
"par_id461600788076917\n"
"help.text"
msgid "Name"
-msgstr ""
+msgstr "Nom"
#. 4CFLw
#: sf_unittest.xhp
@@ -31442,7 +31442,7 @@ msgctxt ""
"par_id221600788076591\n"
"help.text"
msgid "Readonly"
-msgstr ""
+msgstr "Només de lectura"
#. hmcQA
#: sf_unittest.xhp
@@ -31451,7 +31451,7 @@ msgctxt ""
"par_id761600788076328\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. qr48K
#: sf_unittest.xhp
@@ -31460,7 +31460,7 @@ msgctxt ""
"par_id67160078807636\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. BLCXX
#: sf_unittest.xhp
@@ -31469,7 +31469,7 @@ msgctxt ""
"par_id311600788076756\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. LwYBg
#: sf_unittest.xhp
@@ -31487,7 +31487,7 @@ msgctxt ""
"par_id49160078807654\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. diGQ4
#: sf_unittest.xhp
@@ -31514,7 +31514,7 @@ msgctxt ""
"par_id711600788076534\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. WG8MM
#: sf_unittest.xhp
@@ -31532,7 +31532,7 @@ msgctxt ""
"par_id891600788076190\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. H5D7L
#: sf_unittest.xhp
@@ -31559,7 +31559,7 @@ msgctxt ""
"par_id651606319520519\n"
"help.text"
msgid "List of Methods in the UnitTest Service"
-msgstr ""
+msgstr "Llista de mètodes del servei UnitTest"
#. d4CFS
#: sf_unittest.xhp
@@ -31568,7 +31568,7 @@ msgctxt ""
"hd_id201656428230690\n"
"help.text"
msgid "Arguments of the AssertX methods"
-msgstr ""
+msgstr "Arguments dels mètodes AssertX"
#. ArRiA
#: sf_unittest.xhp
@@ -31802,7 +31802,7 @@ msgctxt ""
"par_id211656428689774\n"
"help.text"
msgid "String comparisons are case-sensitive."
-msgstr ""
+msgstr "Les comparacions entre cadenes distingeixen entre majúscules i minúscules."
#. HtcFS
#: sf_unittest.xhp
@@ -31847,7 +31847,7 @@ msgctxt ""
"par_id211656428663284\n"
"help.text"
msgid "String comparisons are case-sensitive."
-msgstr ""
+msgstr "Les comparacions entre cadenes distingeixen entre majúscules i minúscules."
#. BcYoQ
#: sf_unittest.xhp
@@ -31901,7 +31901,7 @@ msgctxt ""
"par_id211656428663299\n"
"help.text"
msgid "String comparisons are case-sensitive."
-msgstr ""
+msgstr "Les comparacions entre cadenes distingeixen entre majúscules i minúscules."
#. pCSa8
#: sf_unittest.xhp
@@ -32018,7 +32018,7 @@ msgctxt ""
"par_id211656428660996\n"
"help.text"
msgid "String comparisons are case-sensitive."
-msgstr ""
+msgstr "Les comparacions entre cadenes distingeixen entre majúscules i minúscules."
#. wAvBZ
#: sf_unittest.xhp
@@ -32063,7 +32063,7 @@ msgctxt ""
"par_id211656428660176\n"
"help.text"
msgid "String comparisons are case-sensitive."
-msgstr ""
+msgstr "Les comparacions entre cadenes distingeixen entre majúscules i minúscules."
#. Zg5MZ
#: sf_unittest.xhp
@@ -32207,7 +32207,7 @@ msgctxt ""
"par_id271656446258396\n"
"help.text"
msgid "Read the instructions in <link href=\"text/sbasic/shared/03/sf_unittest.xhp#AssertLike\"><literal>AssertLike</literal></link> for more information on the assumptions of this method."
-msgstr ""
+msgstr "Llegiu les instruccions relatives a <link href=\"text/sbasic/shared/03/sf_unittest.xhp#AssertLike\"><literal>AssertLike</literal></link> per a conèixer més informació quant als supòsits d'aquest mètode."
#. C9GJn
#: sf_unittest.xhp
@@ -32468,7 +32468,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "SFDocuments.Writer service"
-msgstr ""
+msgstr "Servei SFDocuments.Writer"
#. FAFJi
#: sf_writer.xhp
@@ -32477,7 +32477,7 @@ msgctxt ""
"hd_id731582733781114\n"
"help.text"
msgid "<variable id=\"WriterService\"><link href=\"text/sbasic/shared/03/sf_writer.xhp\"><literal>SFDocuments</literal>.<literal>Writer</literal> service</link></variable>"
-msgstr ""
+msgstr "<variable id=\"WriterService\"><link href=\"text/sbasic/shared/03/sf_writer.xhp\">Servei <literal>SFDocuments</literal>.<literal>Writer</literal></link></variable>"
#. dUwYw
#: sf_writer.xhp
@@ -32504,7 +32504,7 @@ msgctxt ""
"hd_id581582885621841\n"
"help.text"
msgid "Service invocation"
-msgstr ""
+msgstr "Invocació del servei"
#. YFLf6
#: sf_writer.xhp
@@ -32513,7 +32513,7 @@ msgctxt ""
"par_id141609955500101\n"
"help.text"
msgid "Before using the <literal>Writer</literal> service the <literal>ScriptForge</literal> library needs to be loaded or imported:"
-msgstr ""
+msgstr "Abans d'utilitzar el servei <literal>Writer</literal>, cal carregar o importar la biblioteca <literal>ScriptForge</literal>:"
#. 3LPrN
#: sf_writer.xhp
@@ -32576,7 +32576,7 @@ msgctxt ""
"par_id71158288562139\n"
"help.text"
msgid "It is recommended to free resources after use:"
-msgstr ""
+msgstr "Es recomana alliberar els recursos després de l'ús:"
#. wPWMP
#: sf_writer.xhp
@@ -32603,7 +32603,7 @@ msgctxt ""
"hd_id291631196803182\n"
"help.text"
msgid "Definitions"
-msgstr ""
+msgstr "Definicions"
#. ausGU
#: sf_writer.xhp
@@ -32612,7 +32612,7 @@ msgctxt ""
"hd_id351582885195476\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. VB9Jj
#: sf_writer.xhp
@@ -32621,7 +32621,7 @@ msgctxt ""
"hd_id501582887473754\n"
"help.text"
msgid "Methods"
-msgstr ""
+msgstr "Mètodes"
#. ioXEB
#: sf_writer.xhp
@@ -32630,7 +32630,7 @@ msgctxt ""
"par_id891611613601554\n"
"help.text"
msgid "List of Methods in the Writer Service"
-msgstr ""
+msgstr "Llista de mètodes del servei Writer"
#. 3uC2J
#: sf_writer.xhp
@@ -32639,7 +32639,7 @@ msgctxt ""
"par_id501623063693649\n"
"help.text"
msgid "Depending on the parameters provided this method will return:"
-msgstr ""
+msgstr "En funció dels paràmetres fornits, aquest mètode retornarà:"
#. YpgWy
#: sf_writer.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc.po b/source/ca-valencia/helpcontent2/source/text/scalc.po
index 26e66f74330..d835f0b08f5 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:28+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1516022363.000000\n"
@@ -222,7 +222,7 @@ msgctxt ""
"hd_id10272015110909623\n"
"help.text"
msgid "View Grid lines"
-msgstr ""
+msgstr "Mostra les línies de graella"
#. TvxiA
#: main0103.xhp
@@ -258,7 +258,7 @@ msgctxt ""
"hd_id241636195404363\n"
"help.text"
msgid "Comments"
-msgstr ""
+msgstr "Comentaris"
#. 2QmH5
#: main0103.xhp
@@ -285,7 +285,7 @@ msgctxt ""
"hd_id102720151147488697\n"
"help.text"
msgid "<embedvar href=\"text/scalc/01/04080000.xhp#function_list_title\"/>"
-msgstr ""
+msgstr "<embedvar href=\"text/scalc/01/04080000.xhp#function_list_title\"/>"
#. oGJEy
#: main0103.xhp
@@ -654,7 +654,7 @@ msgctxt ""
"hd_id231633127579389\n"
"help.text"
msgid "<link href=\"text/scalc/01/live_data_stream.xhp\">Streams</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/live_data_stream.xhp\">Fluxos</link>"
#. efuyu
#: main0116.xhp
@@ -762,7 +762,7 @@ msgctxt ""
"par_id3148798\n"
"help.text"
msgid "This submenu lists the toolbars that are available in spreadsheets. This overview describes the default toolbar configuration for %PRODUCTNAME."
-msgstr ""
+msgstr "Aquest submenú llista les barres d'eines que estan disponibles als fulls de càlcul. Aquesta vista general descriu la configuració predeterminada de la barra d'eines per al %PRODUCTNAME."
#. XUCUB
#: main0202.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/00.po b/source/ca-valencia/helpcontent2/source/text/scalc/00.po
index fbdb3c194f4..00d46ace4ad 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/00.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/00.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-06-07 13:56+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc00/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1542196414.000000\n"
@@ -240,7 +240,7 @@ msgctxt ""
"par_id3148947\n"
"help.text"
msgid "<variable id=\"rechenleiste\">Choose <emph>View - Formula Bar</emph>.</variable>"
-msgstr ""
+msgstr "<variable id=\"rechenleiste\">Trieu <emph>Visualitza ▸ Barra de fórmules</emph>.</variable>"
#. G6udN
#: 00000403.xhp
@@ -834,7 +834,7 @@ msgctxt ""
"par_id141663543112100\n"
"help.text"
msgid "On the <emph>Formatting</emph> bar, click"
-msgstr ""
+msgstr "A la barra <emph>Formatació</emph>, feu clic a"
#. VqVh2
#: 00000405.xhp
@@ -852,7 +852,7 @@ msgctxt ""
"par_id151663540244134\n"
"help.text"
msgid "Conditional Format"
-msgstr ""
+msgstr "Formatació condicional"
#. GBExF
#: 00000405.xhp
@@ -870,7 +870,7 @@ msgctxt ""
"par_id211663543104186\n"
"help.text"
msgid "On the <emph>Formatting</emph> bar, click"
-msgstr ""
+msgstr "A la barra <emph>Formatació</emph>, feu clic a"
#. ZHE33
#: 00000405.xhp
@@ -888,7 +888,7 @@ msgctxt ""
"par_id841663540719717\n"
"help.text"
msgid "Color Scale"
-msgstr ""
+msgstr "Escala de colors"
#. BCKnF
#: 00000405.xhp
@@ -906,7 +906,7 @@ msgctxt ""
"par_id81663543094977\n"
"help.text"
msgid "On the <emph>Formatting</emph> bar, click"
-msgstr ""
+msgstr "A la barra <emph>Formatació</emph>, feu clic a"
#. qKAB8
#: 00000405.xhp
@@ -915,7 +915,7 @@ msgctxt ""
"par_id301663541161943\n"
"help.text"
msgid "<image src=\"cmd/lc_databarformatdialog.svg\" id=\"img_id601663541161944\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id21663541161945\">Icon Data Bar</alt></image>"
-msgstr ""
+msgstr "<image src=\"cmd/lc_databarformatdialog.svg\" id=\"img_id601663541161944\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id21663541161945\">Icona Barra de dades</alt></image>"
#. DhB6e
#: 00000405.xhp
@@ -924,7 +924,7 @@ msgctxt ""
"par_id101663541161947\n"
"help.text"
msgid "Data Bar"
-msgstr ""
+msgstr "Barra de dades"
#. AaxGU
#: 00000405.xhp
@@ -942,7 +942,7 @@ msgctxt ""
"par_id501663543087343\n"
"help.text"
msgid "On the <emph>Formatting</emph> bar, click"
-msgstr ""
+msgstr "A la barra <emph>Formatació</emph>, feu clic a"
#. BKDA9
#: 00000405.xhp
@@ -951,7 +951,7 @@ msgctxt ""
"par_id51663541228728\n"
"help.text"
msgid "<image src=\"cmd/lc_iconsetformatdialog.svg\" id=\"img_id511663541228729\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id261663541228730\">Icon Icon Set</alt></image>"
-msgstr ""
+msgstr "<image src=\"cmd/lc_iconsetformatdialog.svg\" id=\"img_id511663541228729\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id261663541228730\">Icona Joc d'icones</alt></image>"
#. xL9EB
#: 00000405.xhp
@@ -960,7 +960,7 @@ msgctxt ""
"par_id61663541228732\n"
"help.text"
msgid "Icon Set"
-msgstr ""
+msgstr "Joc d'icones"
#. t4dp2
#: 00000405.xhp
@@ -978,7 +978,7 @@ msgctxt ""
"par_id351663543077670\n"
"help.text"
msgid "On the <emph>Formatting</emph> bar, click"
-msgstr ""
+msgstr "A la barra <emph>Formatació</emph>, feu clic a"
#. dUBco
#: 00000405.xhp
@@ -987,7 +987,7 @@ msgctxt ""
"par_id371663541317147\n"
"help.text"
msgid "<image src=\"cmd/lc_conddateformatdialog.svg\" id=\"img_id61663541317148\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id641663541317149\">Icon Date</alt></image>"
-msgstr ""
+msgstr "<image src=\"cmd/lc_conddateformatdialog.svg\" id=\"img_id61663541317148\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id641663541317149\">Icona Data</alt></image>"
#. TPxGF
#: 00000405.xhp
@@ -996,7 +996,7 @@ msgctxt ""
"par_id121663541317151\n"
"help.text"
msgid "Date"
-msgstr ""
+msgstr "Data"
#. ZJawN
#: 00000405.xhp
@@ -1275,7 +1275,7 @@ msgctxt ""
"par_id3149257\n"
"help.text"
msgid "Press <keycode>F9</keycode>"
-msgstr ""
+msgstr "Premeu <keycode>F9</keycode>"
#. EA2vV
#: 00000406.xhp
@@ -2148,7 +2148,7 @@ msgctxt ""
"par_id651551401041667\n"
"help.text"
msgid "This function is available since %PRODUCTNAME 7.2."
-msgstr ""
+msgstr "Aquesta funció és disponible des de la versió 7.2 del %PRODUCTNAME."
#. TfLrE
#: avail_release.xhp
@@ -2157,7 +2157,7 @@ msgctxt ""
"par_id651551401041668\n"
"help.text"
msgid "This function is available since %PRODUCTNAME 7.3."
-msgstr ""
+msgstr "Aquesta funció és disponible des de la versió 7.3 del %PRODUCTNAME."
#. GLr9s
#: avail_release.xhp
@@ -2166,7 +2166,7 @@ msgctxt ""
"par_id651551401041669\n"
"help.text"
msgid "This function is available since %PRODUCTNAME 7.4."
-msgstr ""
+msgstr "Aquesta funció és disponible des de la versió 7.4 del %PRODUCTNAME."
#. B89AE
#: avail_release.xhp
@@ -2175,7 +2175,7 @@ msgctxt ""
"par_id651551401041670\n"
"help.text"
msgid "This function is available since %PRODUCTNAME 7.5."
-msgstr ""
+msgstr "Aquesta funció és disponible des de la versió 7.5 del %PRODUCTNAME."
#. LSPBz
#: sheet_menu.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/01.po b/source/ca-valencia/helpcontent2/source/text/scalc/01.po
index 976d6e9bd6f..1c61e3226aa 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/01.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/01.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-25 11:20+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc01/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1542028997.000000\n"
@@ -195,7 +195,7 @@ msgctxt ""
"par_id3159264\n"
"help.text"
msgid "<image id=\"img_id3147338\" src=\"cmd/lc_dataranges.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3147338\">Icon</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3147338\" src=\"cmd/lc_dataranges.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3147338\">Icona</alt></image>"
#. NpEWf
#: 02110000.xhp
@@ -231,7 +231,7 @@ msgctxt ""
"par_id3152994\n"
"help.text"
msgid "<image id=\"img_id3150515\" src=\"cmd/lc_prevrecord.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150515\">Icon Start</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3150515\" src=\"cmd/lc_prevrecord.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3150515\">Icona Inici</alt></image>"
#. JRnuj
#: 02110000.xhp
@@ -267,7 +267,7 @@ msgctxt ""
"par_id3159170\n"
"help.text"
msgid "<image id=\"img_id3148871\" src=\"cmd/lc_nextrecord.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3148871\">Icon End</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3148871\" src=\"cmd/lc_nextrecord.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3148871\">Icona Fi</alt></image>"
#. t3E2x
#: 02110000.xhp
@@ -303,7 +303,7 @@ msgctxt ""
"par_id3152869\n"
"help.text"
msgid "<image id=\"img_id3149126\" src=\"sw/res/sc20244.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3149126\">Icon Toggle</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3149126\" src=\"sw/res/sc20244.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3149126\">Icona Commuta</alt></image>"
#. neyie
#: 02110000.xhp
@@ -1005,7 +1005,7 @@ msgctxt ""
"par_id3145384\n"
"help.text"
msgid "Call the <link href=\"text/shared/00/00000005.xhp#contextmenu\">context menu</link> when positioned in a cell and choose <emph>Selection List</emph>."
-msgstr ""
+msgstr "Feu la crida a <link href=\"text/shared/00/00000005.xhp#contextmenu\">menú contextual</link> quan vos posicioneu en una cel·la i trieu <emph>Llista de selecció</emph>."
#. BzAsX
#: 02140000.xhp
@@ -2823,7 +2823,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Go to Sheet"
-msgstr ""
+msgstr "Ves al full"
#. 88YoD
#: 02220000.xhp
@@ -2832,7 +2832,7 @@ msgctxt ""
"bm_id781654171314500\n"
"help.text"
msgid "<bookmark_value>Go to sheet</bookmark_value> <bookmark_value>jump; to given sheet</bookmark_value> <bookmark_value>sheet; go to directly</bookmark_value> <bookmark_value>sheet; search and go to</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>ves a un full</bookmark_value><bookmark_value>salta; al full indicat</bookmark_value><bookmark_value>full; ves directament a</bookmark_value><bookmark_value>full; cerca i ves a</bookmark_value>"
#. Ky4LF
#: 02220000.xhp
@@ -2841,7 +2841,7 @@ msgctxt ""
"hd_id3156025\n"
"help.text"
msgid "<variable id=\"GotoSheeth1\"><link href=\"text/scalc/01/02220000.xhp\">Go to Sheet</link></variable>"
-msgstr ""
+msgstr "<variable id=\"GotoSheeth1\"><link href=\"text/scalc/01/02220000.xhp\">Ves al full</link></variable>"
#. UmffC
#: 02220000.xhp
@@ -2859,7 +2859,7 @@ msgctxt ""
"par_id231655657630178\n"
"help.text"
msgid "Choose <menuitem>Sheet - Navigate - Go To Sheet</menuitem>."
-msgstr ""
+msgstr "Trieu <menuitem>Full ▸ Navega ▸ Ves al full</menuitem>."
#. dPFgf
#: 02220000.xhp
@@ -2877,7 +2877,7 @@ msgctxt ""
"par_id3153975\n"
"help.text"
msgid "<ahelp hid=\"SC_HID_GOTOTABLEMASK\">Type some characters contained in the searched sheet name. List of sheets will be limited to the sheet names containing these characters. Search is case-sensitive. If empty, all visible sheets are listed.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"SC_HID_GOTOTABLEMASK\">Teclegeu alguns caràcters del nom del full que cerqueu. La llista de fulls es limitarà als noms amb aquests caràcters. La cerca no distingeix majúscules i minúscules. Si està buida, s'hi enumeraran tots els fulls visibles.</ahelp>"
#. aCw4F
#: 02220000.xhp
@@ -2886,7 +2886,7 @@ msgctxt ""
"hd_id3125866\n"
"help.text"
msgid "Sheets"
-msgstr ""
+msgstr "Fulls"
#. JEuum
#: 02220000.xhp
@@ -2895,7 +2895,7 @@ msgctxt ""
"par_id3153971\n"
"help.text"
msgid "<ahelp hid=\"SC_HID_GOTOTABLE\">Lists the sheets in the current document. Hidden sheets are not listed. To select a sheet, press the up or down arrow keys to move to a sheet in the list. Double-clicking on a name will directly jump to this sheet.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"SC_HID_GOTOTABLE\">Enumera els fulls del document actual. No s'hi inclouen els fulls amagats. Per a seleccionar-ne un, premeu les tecles de fletxa cap amunt o cap avall per a desplaçar-vos a un full de la llista. Feu doble clic en un nom per a anar directament al full corresponent.</ahelp>"
#. eomCF
#: 03070000.xhp
@@ -4029,7 +4029,7 @@ msgctxt ""
"par_id3145587\n"
"help.text"
msgid "When you double-click a function, the argument input field(s) appear on the right side of the dialog. To select a cell reference as an argument, click directly into the cell, or drag across the required range on the sheet while holding down the mouse button. You can also enter numerical and other values or references directly into the corresponding fields in the dialog. When using <link href=\"text/scalc/01/04060102.xhp\"><emph>date entries</emph></link>, make sure you use the correct format. Click <emph>OK</emph> to insert the result into the spreadsheet."
-msgstr ""
+msgstr "Quan feu doble clic en una funció, el camp d'entrada d'arguments apareixerà al costat dret del diàleg. Per seleccionar com argument la referència a una cel·la, feu clic directament a la cel·la, o arrossegueu l'interval requerit mentre manteniu premut el botó del ratolí a través del full. També podeu introduir valors numèrics i altres valors o referències directament als camps corresponents del diàleg. Quan utilitzeu <link href=\"text/scalc/01/04060102.xhp\"><emph>entrades data</emph></link> assegureu-vos d'utilitzar el format correcte. Feu clic a <emph>D'acord</emph> per inserir el resultat al full de càlcul."
#. QwFQQ
#: 04060000.xhp
@@ -4047,7 +4047,7 @@ msgctxt ""
"par_id3155809\n"
"help.text"
msgid "As soon you enter arguments in the function, the result is calculated. This preview informs you if the calculation can be carried out with the arguments given. If the arguments result in an error, the corresponding <link href=\"text/scalc/05/02140000.xhp\"><emph>error code</emph></link> is displayed."
-msgstr ""
+msgstr "Tan prompte introduïu arguments a la funció, es calcula el resultat. Aquesta previsualització vos informa si el càlcul es pot dur a terme amb els arguments donats. Si com a resultat es produeix un error, es mostrarà el <link href=\"text/scalc/05/02140000.xhp\"><emph>codi d'error</emph></link>."
#. S2CCy
#: 04060000.xhp
@@ -4569,7 +4569,7 @@ msgctxt ""
"par_id521615889152497\n"
"help.text"
msgid "One way of defining the range of cells is to enter the cell reference for the upper left-hand cell, followed by a colon (:), and then the lower right-hand cell reference. An example might be A1:E10."
-msgstr ""
+msgstr "Una manera de definir un interval de cel·les, és introduir la referència de la cel·la superior esquerra seguida de dos punts (:) i, a continuació, la referència de cel·la inferior dreta. Un exemple podria ser A1: E10."
#. WD55p
#: 04060101.xhp
@@ -4578,7 +4578,7 @@ msgctxt ""
"par_id761615889163416\n"
"help.text"
msgid "The <emph>Database</emph> argument may also be specified by passing the name of a named range or database range. Using a meaningful name to define the cell range can enhance formula readability and document maintenance. If the name does not match the name of a defined range, Calc reports a #NAME? error."
-msgstr ""
+msgstr "L'argument <emph>Base de dades</emph> també es pot especificar passant el nom d'un interval amb nom o el rang d'una base de dades. L’ús d’un nom significatiu per definir un interval de cel·les pot millorar la llegibilitat de les fórmules i el manteniment dels documents. Si el nom no coincideix amb el nom d'un interval definit, Calc informa d'un error #NOM?."
#. 7L4XM
#: 04060101.xhp
@@ -4587,7 +4587,7 @@ msgctxt ""
"par_id601615889176137\n"
"help.text"
msgid "Other errors that might be reported as a result of an invalid <emph>Database</emph> argument are #VALUE! and Err:504 (error in parameter list)."
-msgstr ""
+msgstr "Altres errors que es podrien reportar a conseqüència d’un argument invàlid per a una <emph>Base de dades</emph> són #VALUE! i Err:504 (error a la llista de paràmetres)."
#. rsj3e
#: 04060101.xhp
@@ -4596,7 +4596,7 @@ msgctxt ""
"par_id201615889390777\n"
"help.text"
msgid "<emph>DatabaseField argument</emph>"
-msgstr ""
+msgstr "<emph>argument DatabaseField</emph>"
#. 7Eorp
#: 04060101.xhp
@@ -4605,7 +4605,7 @@ msgctxt ""
"par_id431615889426480\n"
"help.text"
msgid "<emph>DatabaseField</emph> specifies the column which the function will use for its calculations after the search criteria have been applied and the data rows have been selected. It is not related to the search criteria."
-msgstr ""
+msgstr "<emph>DatabaseField</emph> especifica la columna que utilitzarà la funció per als seus càlculs un cop aplicats els criteris de cerca i seleccionades les files de dades. No està relacionat amb els criteris de cerca."
#. Z9Qfp
#: 04060101.xhp
@@ -4614,7 +4614,7 @@ msgctxt ""
"par_id661615889458032\n"
"help.text"
msgid "Specify the <emph>DatabaseField</emph> argument in any of the following ways:"
-msgstr ""
+msgstr "Especifica l'argument <emph>DatabaseField</emph> en qualsevol de les següents maneres:"
#. RMwzE
#: 04060101.xhp
@@ -4623,7 +4623,7 @@ msgctxt ""
"par_id981615889517841\n"
"help.text"
msgid "By entering a reference to a header cell within the <emph>Database</emph> area. Alternatively, if the cell has been given a meaningful name as a named range or database range, enter that name. If the name does not match the name of a defined range, Calc reports a #NAME? error. If the name is valid but does not correspond to one cell only, Calc reports Err:504 (error in parameter list)."
-msgstr ""
+msgstr "Introduint la referència a una cel·la de capçalera dins una àrea de <emph>Base de dades</emph>. Com a alternativa, si a la cel·la se li ha donat un nom significatiu com a interval amb nom o interval de base de dades, introduïu-lo. Si el nom no coincideix amb el nom d'un interval definit, Calc informa d'un error #NOM?. Si el nom és vàlid, però no correspon a una sola cel·la, Calc informa amb Err: 504 (error a la llista de paràmetres)."
#. 6EGoq
#: 04060101.xhp
@@ -4632,7 +4632,7 @@ msgctxt ""
"par_id551615889661457\n"
"help.text"
msgid "By entering a number to specify the column within the <emph>Database</emph> area, starting with 1. For example, if a <emph>Database</emph> occupied the cell range D6:H123, then enter 3 to indicate the header cell at F6. Calc expects an integer value that lies between 1 and the number of columns defined within <emph>Database</emph> and ignores any digits after a decimal point. If the value is less than 1, Calc reports Err:504 (error in parameter list). If the value is greater than the number of columns in <emph>Database</emph>, Calc reports a #VALUE! error."
-msgstr ""
+msgstr "Introduint un número per especificar la columna dins de l'àrea d'una <emph>Base de dades</emph>, començant amb 1. Per exemple, si una <emph>Base de dades</emph> ocupa el rang de cel·les D6:H123, aleshores poseu 3 per indicar la cel·la de capçalera F6. Calc espera un valor enter entre 1 i el nombre de columnes definit dins de la <emph>Base de dades</emph> i ignora els dígits després del punt decimal. Si el valor és menor que 1, Calc informa amb l'error Err:504 (error a la llista de paràmetres). Si el valor és superior al nombre de columnesa la <emph>Base de dades</emph>, Calc informa amb l'error #VALU.."
#. qSkvo
#: 04060101.xhp
@@ -4704,7 +4704,7 @@ msgctxt ""
"hd_id481615892281210\n"
"help.text"
msgid "Defining Search Criteria"
-msgstr ""
+msgstr "Definició de criteris per a cercar"
#. zTQX5
#: 04060101.xhp
@@ -4713,7 +4713,7 @@ msgctxt ""
"par_id691615892329680\n"
"help.text"
msgid "The number of columns occupied by the <emph>SearchCriteria</emph> area need not be the same as the width of the <emph>Database</emph> area. All headings that appear in the first row of <emph>SearchCriteria</emph> must be identical to headings in the first row of <emph>Database</emph>. However, not all headings in <emph>Database</emph> need appear in the first row of <emph>SearchCriteria</emph>, while a heading in <emph>Database</emph> can appear multiple times in the first row of <emph>SearchCriteria</emph>."
-msgstr ""
+msgstr "El nombre de columnes ocupades per l'àrea <emph>SearchCriteria</emph> no ha de ser el mateix que l'amplària de l'àrea de la <emph>Base de dades</emph>. Tots els encapçalaments que apareixen a la primera fila de <emph>SearchCriteria</emph> han de ser idèntics als encapçalaments de la primera fila de la <emph>Base de dades</emph>. Tot i això, no tots els encapçalaments de la <emph>Base de dades</emph> necessiten aparèixer a la primera fila de la <emph> SearchCriteria </emph>, mentre que un encapçalament de <emph> Base de dades </emph> pot aparèixer diverses vegades a la primera fila del <emph>SearchCriteria</emph>."
#. AeGHn
#: 04060101.xhp
@@ -4722,7 +4722,7 @@ msgctxt ""
"par_id541615892358897\n"
"help.text"
msgid "Search criteria are entered into the cells of the second and subsequent rows of the <emph>SearchCriteria</emph> area, below the row containing headings. Blank cells within the <emph>SearchCriteria</emph> area are ignored."
-msgstr ""
+msgstr "Els criteris de cerca s'introdueixen a les cel·les de la segona i posteriors files de l'àrea <emph>SearchCriteria</emph>, a sota de la fila que conté els encapçalaments. Les cel·les en blanc de l'àrea <emph>SearchCriteria</emph> s'ignoren."
#. MddCQ
#: 04060101.xhp
@@ -4776,7 +4776,7 @@ msgctxt ""
"hd_id3150329\n"
"help.text"
msgid "Examples of Database Function Use"
-msgstr ""
+msgstr "Exemples d'ús de les funcions de base de dades"
#. hyFuY
#: 04060101.xhp
@@ -4794,7 +4794,7 @@ msgctxt ""
"par_id3152992\n"
"help.text"
msgid "<emph>Name</emph>"
-msgstr ""
+msgstr "<emph>Nom</emph>"
#. ChBDv
#: 04060101.xhp
@@ -4803,7 +4803,7 @@ msgctxt ""
"par_id3155532\n"
"help.text"
msgid "<emph>Grade</emph>"
-msgstr ""
+msgstr "<emph>Grau</emph>"
#. mt5xM
#: 04060101.xhp
@@ -4812,7 +4812,7 @@ msgctxt ""
"par_id3156448\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. Svp8Q
#: 04060101.xhp
@@ -4821,7 +4821,7 @@ msgctxt ""
"par_id3154486\n"
"help.text"
msgid "<emph>Distance</emph>"
-msgstr ""
+msgstr "<emph>Distància</emph>"
#. BShmH
#: 04060101.xhp
@@ -4830,7 +4830,7 @@ msgctxt ""
"par_id3152899\n"
"help.text"
msgid "<emph>Weight</emph>"
-msgstr ""
+msgstr "<emph>Pes</emph>"
#. FUGeA
#: 04060101.xhp
@@ -4839,7 +4839,7 @@ msgctxt ""
"par_id3151240\n"
"help.text"
msgid "Andy"
-msgstr ""
+msgstr "Abel"
#. eQx2T
#: 04060101.xhp
@@ -4848,7 +4848,7 @@ msgctxt ""
"par_id3152870\n"
"help.text"
msgid "Betty"
-msgstr ""
+msgstr "Bàrbara"
#. HKBAA
#: 04060101.xhp
@@ -4857,7 +4857,7 @@ msgctxt ""
"par_id3155596\n"
"help.text"
msgid "Charles"
-msgstr ""
+msgstr "Cebrià"
#. WCaYH
#: 04060101.xhp
@@ -4866,7 +4866,7 @@ msgctxt ""
"par_id3147296\n"
"help.text"
msgid "Daniel"
-msgstr ""
+msgstr "Damià"
#. L3gMx
#: 04060101.xhp
@@ -4875,7 +4875,7 @@ msgctxt ""
"par_id3150456\n"
"help.text"
msgid "Eva"
-msgstr ""
+msgstr "Elisabet"
#. bwR2v
#: 04060101.xhp
@@ -4884,7 +4884,7 @@ msgctxt ""
"par_id3145826\n"
"help.text"
msgid "Frank"
-msgstr ""
+msgstr "Ferran"
#. TwrgJ
#: 04060101.xhp
@@ -4893,7 +4893,7 @@ msgctxt ""
"par_id3146137\n"
"help.text"
msgid "Greta"
-msgstr ""
+msgstr "Gemma"
#. TmomQ
#: 04060101.xhp
@@ -4902,7 +4902,7 @@ msgctxt ""
"par_id3153078\n"
"help.text"
msgid "Harry"
-msgstr ""
+msgstr "Hel·ladi"
#. qBHps
#: 04060101.xhp
@@ -4911,7 +4911,7 @@ msgctxt ""
"par_id3148761\n"
"help.text"
msgid "Irene"
-msgstr ""
+msgstr "Imma"
#. UDuZW
#: 04060101.xhp
@@ -4920,7 +4920,7 @@ msgctxt ""
"par_id221616245476190\n"
"help.text"
msgid "The following six examples use the database table above, combined with different search criteria areas."
-msgstr ""
+msgstr "Els sis exemples següents utilitzen la taula de base de dades anterior, en combinació amb diferents àrees de criteris de cerca."
#. sPtvb
#: 04060101.xhp
@@ -4929,7 +4929,7 @@ msgctxt ""
"hd_id861616245631924\n"
"help.text"
msgid "Example 1"
-msgstr ""
+msgstr "Exemple 1"
#. cEWAG
#: 04060101.xhp
@@ -4938,7 +4938,7 @@ msgctxt ""
"par_id891616245640933\n"
"help.text"
msgid "<emph>Name</emph>"
-msgstr ""
+msgstr "<emph>Nom</emph>"
#. AsoFd
#: 04060101.xhp
@@ -4947,7 +4947,7 @@ msgctxt ""
"par_id451616245640933\n"
"help.text"
msgid "<emph>Grade</emph>"
-msgstr ""
+msgstr "<emph>Grau</emph>"
#. Dw3a2
#: 04060101.xhp
@@ -4956,7 +4956,7 @@ msgctxt ""
"par_id151616245818988\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. TdY66
#: 04060101.xhp
@@ -4965,7 +4965,7 @@ msgctxt ""
"par_id481616245878460\n"
"help.text"
msgid "<emph>Distance</emph>"
-msgstr ""
+msgstr "<emph>Distància</emph>"
#. ggUUj
#: 04060101.xhp
@@ -4974,7 +4974,7 @@ msgctxt ""
"par_id741616245891772\n"
"help.text"
msgid "<emph>Weight</emph>"
-msgstr ""
+msgstr "<emph>Pes</emph>"
#. 4SkNQ
#: 04060101.xhp
@@ -5001,7 +5001,7 @@ msgctxt ""
"hd_id191616246773750\n"
"help.text"
msgid "Example 2"
-msgstr ""
+msgstr "Exemple 2"
#. V4PCC
#: 04060101.xhp
@@ -5010,7 +5010,7 @@ msgctxt ""
"par_id71616246804093\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. KjH3p
#: 04060101.xhp
@@ -5019,7 +5019,7 @@ msgctxt ""
"par_id41616250394431\n"
"help.text"
msgid "<emph>Grade</emph>"
-msgstr ""
+msgstr "<emph>Grau</emph>"
#. hfPeb
#: 04060101.xhp
@@ -5037,7 +5037,7 @@ msgctxt ""
"hd_id221616251986854\n"
"help.text"
msgid "Example 3"
-msgstr ""
+msgstr "Exemple 3"
#. kAXbc
#: 04060101.xhp
@@ -5046,7 +5046,7 @@ msgctxt ""
"par_id141616251871487\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. CQA2G
#: 04060101.xhp
@@ -5064,7 +5064,7 @@ msgctxt ""
"hd_id71616252395407\n"
"help.text"
msgid "Example 4"
-msgstr ""
+msgstr "Exemple 4"
#. kNw3F
#: 04060101.xhp
@@ -5073,7 +5073,7 @@ msgctxt ""
"par_id451616252413665\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. QPqDb
#: 04060101.xhp
@@ -5082,7 +5082,7 @@ msgctxt ""
"par_id431616252540783\n"
"help.text"
msgid "<emph>Age</emph>"
-msgstr ""
+msgstr "<emph>Edat</emph>"
#. 6Dk9D
#: 04060101.xhp
@@ -5100,7 +5100,7 @@ msgctxt ""
"hd_id561616253067881\n"
"help.text"
msgid "Example 5"
-msgstr ""
+msgstr "Exemple 5"
#. yvXQo
#: 04060101.xhp
@@ -5109,7 +5109,7 @@ msgctxt ""
"par_id301616253073598\n"
"help.text"
msgid "<emph>Name</emph>"
-msgstr ""
+msgstr "<emph>Nom</emph>"
#. VWsGS
#: 04060101.xhp
@@ -5127,7 +5127,7 @@ msgctxt ""
"hd_id121616253593255\n"
"help.text"
msgid "Example 6"
-msgstr ""
+msgstr "Exemple 6"
#. 3RcET
#: 04060101.xhp
@@ -5136,7 +5136,7 @@ msgctxt ""
"par_id731616253599063\n"
"help.text"
msgid "<emph>Name</emph>"
-msgstr ""
+msgstr "<emph>Nom</emph>"
#. uLJQe
#: 04060101.xhp
@@ -5955,7 +5955,7 @@ msgctxt ""
"hd_id3154536\n"
"help.text"
msgid "<variable id=\"h1\">Date & Time Functions</variable>"
-msgstr ""
+msgstr "<variable id=\"h1\">Funcions de data i hora</variable>"
#. MJ2GD
#: 04060102.xhp
@@ -6216,7 +6216,7 @@ msgctxt ""
"par_id3147427\n"
"help.text"
msgid "AMORDEGRC(Cost; DatePurchased; FirstPeriod; Salvage; Period; Rate [; Basis])"
-msgstr ""
+msgstr "CDECRAMOR(Cost; DataCompra; PrimerPeriode; ValorResidual; Període; Tipus[; Base])"
#. bA2pT
#: 04060103.xhp
@@ -6288,7 +6288,7 @@ msgctxt ""
"par_id901612299089478\n"
"help.text"
msgid "<input>=AMORDEGRC(2000; \"2020-02-01\"; \"2020-12-31\"; 10; 4; 0.1; 0)</input> returns a depreciation amount of 163 currency units."
-msgstr ""
+msgstr "<input>=CDECRAMOR(2000; \"2020-02-01\"; \"2020-12-31\"; 10; 4; 0.1; 0)</input> retorna una depreciació de 163 unitats monetàries."
#. aG2TT
#: 04060103.xhp
@@ -6333,7 +6333,7 @@ msgctxt ""
"par_id3147363\n"
"help.text"
msgid "AMORLINC(Cost; DatePurchased; FirstPeriod; Salvage; Period; Rate [; Basis])"
-msgstr ""
+msgstr "CLINAMOR(Cost; DataCompra; PrimerPeriode; ValorResidual; Període; Tipus[; Base])"
#. PsFjE
#: 04060103.xhp
@@ -6396,7 +6396,7 @@ msgctxt ""
"par_id641612299092454\n"
"help.text"
msgid "An asset was acquired on 2020-02-01 at a cost of 2000 currency units. The end date of the first settlement period was 2020-12-31. The salvage value of the asset at the end of its depreciable life will be 10 currency units. The rate of depreciation is 0.1 (10%) and the year is calculated using the US method (Basis 0). Assuming linear depreciation, what is the amount of depreciation in the fourth depreciation period?"
-msgstr ""
+msgstr "Es va adquirir un actiu el 01-02-2020 amb un cost de 2.000 unitats monetàries. La data de finalització del primer període de liquidació va ser el 31/12/2020. El valor de recuperació de l’actiu al final de la seua vida amortitzable serà de 10 unitats monetàries. El tipus de deprecació és de 0,1 (10%) i l’any es calcula mitjançant el mètode nord-americà (base 0). Suposant una depreciació lineal, quina és l’amortització del quart període d’amortització?"
#. zcGNo
#: 04060103.xhp
@@ -6405,7 +6405,7 @@ msgctxt ""
"par_id391612299096511\n"
"help.text"
msgid "<input>=AMORLINC(2000; \"2020-02-01\"; \"2020-12-31\"; 10; 4; 0.1; 0)</input> returns a depreciation amount of 200 currency units."
-msgstr ""
+msgstr "<input>=CLINAMOR(2000; \"2020-02-01\"; \"2020-12-31\"; 10; 4; 0.1; 0)</input> retorna una depreciació de 200 unitats monetàries."
#. DHKDL
#: 04060103.xhp
@@ -6504,7 +6504,7 @@ msgctxt ""
"par_id961591171682507\n"
"help.text"
msgid "We recommend that you always specify the value that you require for ACCRINT’s <emph>Par</emph> argument, rather than allowing Calc to apply an arbitrary default. This will make your formula easier to understand and easier to maintain."
-msgstr ""
+msgstr "Recomanem que sempre especifiqueu el valor que necessiteu per a l'argument <emph>Par</emph> d'INTCOMP en lloc de permetre que el Calc apliqui un valor per defecte arbitrari. Això farà que la vostra fórmula siga més fàcil d'entendre i de mantindre."
#. Vobjm
#: 04060103.xhp
@@ -6603,7 +6603,7 @@ msgctxt ""
"par_id3159204\n"
"help.text"
msgid "<emph>Par</emph> (optional) is the par value of the security. If omitted, a default value of 1000 is used."
-msgstr ""
+msgstr "<emph>Paritat</emph> (opcional) és el valor a la par del títol. Si s'omet, s'empra un valor per defecte de 1000."
#. EJaKm
#: 04060103.xhp
@@ -6666,7 +6666,7 @@ msgctxt ""
"par_id3145362\n"
"help.text"
msgid "RECEIVED(Settlement; Maturity; Investment; Discount [; Basis])"
-msgstr ""
+msgstr "REBUT(Liquidació; Venciment; Inversió; Descompte [; Base])"
#. oHAVz
#: 04060103.xhp
@@ -6783,7 +6783,7 @@ msgctxt ""
"par_id3150395\n"
"help.text"
msgid "PV(Rate; NPer; Pmt [; FV [; Type]])"
-msgstr ""
+msgstr "VA(Taxa; NPer; Pmt [; VF [; Tipus]])"
#. JrCA6
#: 04060103.xhp
@@ -7458,7 +7458,7 @@ msgctxt ""
"par_id3149756\n"
"help.text"
msgid "DISC(Settlement; Maturity; Price; Redemption [; Basis])"
-msgstr ""
+msgstr "DESC(Liquidació; Venciment; Preu; Estalvi[; Base])"
#. Uyj29
#: 04060103.xhp
@@ -7521,7 +7521,7 @@ msgctxt ""
"bm_id3154695\n"
"help.text"
msgid "<bookmark_value>DURATION function</bookmark_value> <bookmark_value>durations;fixed interest securities</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funció DURADA</bookmark_value> <bookmark_value>durades;valors de renda fixa</bookmark_value>"
#. coRDF
#: 04060103.xhp
@@ -7530,7 +7530,7 @@ msgctxt ""
"hd_id3154695\n"
"help.text"
msgid "DURATION"
-msgstr ""
+msgstr "DURADA"
#. oA2tj
#: 04060103.xhp
@@ -7548,7 +7548,7 @@ msgctxt ""
"par_id3153373\n"
"help.text"
msgid "DURATION(Settlement; Maturity; Coupon; Yield; Frequency [; Basis])"
-msgstr ""
+msgstr "DURADA(Liquidació; Venciment; Cupó; Rendiment; Freqüència [; Base])"
#. JeeVp
#: 04060103.xhp
@@ -7611,7 +7611,7 @@ msgctxt ""
"par_id3154902\n"
"help.text"
msgid "<input>=DURATION(\"2001-01-01\";\"2006-01-01\";0.08;0.09;2;3)</input> returns 4.2 years."
-msgstr ""
+msgstr "<input>=DURADA(\"2001-01-01\";\"2006-01-01\";0.08;0.09;2;3)</input> retorna 4,2 anys."
#. TjeEJ
#: 04060103.xhp
@@ -7620,7 +7620,7 @@ msgctxt ""
"bm_id3159147\n"
"help.text"
msgid "<bookmark_value>annual net interest rates</bookmark_value> <bookmark_value>calculating; annual net interest rates</bookmark_value> <bookmark_value>net annual interest rates</bookmark_value> <bookmark_value>EFFECT function</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>Taxa d'interés net anual </bookmark_value><bookmark_value>càlcul de; Taxa d'interés net anual</bookmark_value><bookmark_value>Taxa d'interés anual</bookmark_value><bookmark_value> funció D'EFECTE</bookmark_value>"
#. J9TTW
#: 04060103.xhp
@@ -7629,7 +7629,7 @@ msgctxt ""
"hd_id3159147\n"
"help.text"
msgid "EFFECT"
-msgstr ""
+msgstr "EFECTIU"
#. SPbLD
#: 04060103.xhp
@@ -7656,7 +7656,7 @@ msgctxt ""
"par_id3148805\n"
"help.text"
msgid "EFFECT(Nom; P)"
-msgstr ""
+msgstr "EFECTIU (Nom; P)"
#. CSHR5
#: 04060103.xhp
@@ -7692,7 +7692,7 @@ msgctxt ""
"par_id3150772\n"
"help.text"
msgid "<item type=\"input\">=EFFECT(9.75%;4)</item> = 10.11% The annual effective rate is therefore 10.11%."
-msgstr ""
+msgstr "<item type=\"input\">=EFECTIU (9.75%;4)</item> = 10,11% Per tant, la taxa efectiva anual és del 10,11%."
#. AW6uV
#: 04060103.xhp
@@ -7809,7 +7809,7 @@ msgctxt ""
"par_id3166452\n"
"help.text"
msgid "DDB(Cost; Salvage; Life; Period [; Factor])"
-msgstr ""
+msgstr "BDD(Cost; Rescat; Vida; Període [; Factor])"
#. VKnDB
#: 04060103.xhp
@@ -7917,7 +7917,7 @@ msgctxt ""
"par_id3153349\n"
"help.text"
msgid "DB(Cost; Salvage; Life; Period [; Month])"
-msgstr ""
+msgstr "BD(Cost; Rescat; Vida; Període [; Mes])"
#. caSta
#: 04060103.xhp
@@ -7971,7 +7971,7 @@ msgctxt ""
"par_id3156147\n"
"help.text"
msgid "A computer system with an initial cost of 25,000 currency units is to be depreciated over a three-year period. The salvage value is to be 1,000 currency units. The first period of depreciation comprises 6 months. What is the fixed-declining balance depreciation of the computer system in the second period, which is a full year starting from the end of the first six-month period?"
-msgstr ""
+msgstr "Un sistema informàtic amb un cost inicial de 25.000 unitats monetàries s’ha d’amortitzar en un període de tres anys. El valor de recuperació serà de 1.000 unitats monetàries. El primer període d'amortització comprèn 6 mesos. Quina és la depreciació fixa decreixent del sistema informàtic en el segon període, que és un any complet a partir del final del primer període de sis mesos?"
#. 4CQGc
#: 04060103.xhp
@@ -7980,7 +7980,7 @@ msgctxt ""
"par_id3149513\n"
"help.text"
msgid "<input>=DB(25000; 1000; 3; 2; 6)</input> returns 11,037.95 currency units."
-msgstr ""
+msgstr "<input>=BD(25000; 1000; 3; 2; 6)</input> retorna 11.037,95 unitats monetàries."
#. fWK6h
#: 04060103.xhp
@@ -8025,7 +8025,7 @@ msgctxt ""
"par_id3155427\n"
"help.text"
msgid "IRR(Values [; Guess])"
-msgstr ""
+msgstr "TIR(Valors [; Estimació])"
#. o9R77
#: 04060103.xhp
@@ -8061,7 +8061,7 @@ msgctxt ""
"par_id461513468030965\n"
"help.text"
msgid "Because of the iterative method used, it is possible for IRR to fail and return <link href=\"text/scalc/05/02140000.xhp\">Error 523</link>, with \"Error: Calculation does not converge\" in the status bar. In that case, try another value for Guess."
-msgstr ""
+msgstr "A causa del mètode iteratiu utilitzat, és possible que el TIR falli i retorne <link href=\"text/scalc/05/02140000.xhp\">Error 523</link> amb \"Error: El càlcul no convergeix\" a la barra d'estat. En aquest cas, proveu un altre valor per l'estimació."
#. PxBBB
#: 04060103.xhp
@@ -8430,7 +8430,7 @@ msgctxt ""
"par_id5863826\n"
"help.text"
msgid "<input>=A2+B2+STYLE(IF(CURRENT()>10;\"Red\";\"Default\"))</input>"
-msgstr ""
+msgstr "<input>=A2+B2+ESTIL(SI(ACTUAL()>10;\"Red\";\"Default\"))</input>"
#. fNamE
#: 04060104.xhp
@@ -9330,7 +9330,7 @@ msgctxt ""
"par_id31537481\n"
"help.text"
msgid "IFNA(Value; Alternate_value)"
-msgstr ""
+msgstr "SI ND(Valor; Valoralternatiu)"
#. 6oj7E
#: 04060104.xhp
@@ -9888,7 +9888,7 @@ msgctxt ""
"par_id3147355\n"
"help.text"
msgid "CELL(\"InfoType\" [; Reference])"
-msgstr ""
+msgstr "CEL·LA(\"InfoType\" [; Referència])"
#. wjBKt
#: 04060104.xhp
@@ -10419,7 +10419,7 @@ msgctxt ""
"par_id3149312\n"
"help.text"
msgid "<variable id=\"logicaltext\">This category contains the <emph>Logical</emph> functions.</variable>"
-msgstr ""
+msgstr "<variable id=\"logicaltext\">Aquesta categoria conté les funcions <emph>Lògiques</emph>.</variable>"
#. ADKTB
#: 04060105.xhp
@@ -10518,7 +10518,7 @@ msgctxt ""
"par_id3159123\n"
"help.text"
msgid "AND(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "I(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
#. 3exzA
#: 04060105.xhp
@@ -10635,7 +10635,7 @@ msgctxt ""
"par_id3154558\n"
"help.text"
msgid "IF(Test [; [ThenValue] [; [OtherwiseValue]]])"
-msgstr ""
+msgstr "SI(Criteri [; [AleshoresValor] [; [EnAltreCasValor]]])"
#. JnjcT
#: 04060105.xhp
@@ -10671,7 +10671,7 @@ msgctxt ""
"par_id3150867\n"
"help.text"
msgid "<input>=IF(A1>5;100;\"too small\")</input> If the value in <literal>A1</literal> is greater than <literal>5</literal>, the value <literal>100</literal> is returned; otherwise, the text <literal>too small</literal> is returned."
-msgstr ""
+msgstr "<input>=SI(A1>5;100;\"massa petit\")</input> si el valor a <literal>A1</literal> és major que <literal>5</literal>, es retorna el valor <literal>100</literal>; en altre cas, es retorna el text <literal>massa petit</literal>."
#. jvk3H
#: 04060105.xhp
@@ -10788,7 +10788,7 @@ msgctxt ""
"par_id3150468\n"
"help.text"
msgid "OR(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "O(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
#. oFKWj
#: 04060105.xhp
@@ -10932,7 +10932,7 @@ msgctxt ""
"par_id3150469\n"
"help.text"
msgid "XOR(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "OEX(<embedvar href=\"text/scalc/01/ful_func.xhp#logical255_1\" markup=\"keep\"/>)"
#. 2QMxz
#: 04060105.xhp
@@ -10986,7 +10986,7 @@ msgctxt ""
"hd_id3147124\n"
"help.text"
msgid "<variable id=\"math_functions_h1\"><link href=\"text/scalc/01/04060106.xhp\">Mathematical Functions</link></variable>"
-msgstr ""
+msgstr "<variable id=\"math_functions_h1\"><link href=\"text/scalc/01/04060106.xhp\">Funcions matemàtiques</link></variable>"
#. UNxJE
#: 04060106.xhp
@@ -11589,7 +11589,7 @@ msgctxt ""
"par_id3154297\n"
"help.text"
msgid "<ahelp hid=\"HID_FUNC_ARCTAN2\">Returns the angle (in radians) between the x-axis and a line from the origin to the point (NumberX|NumberY).</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"HID_FUNC_ARCTAN2\">retorna l'angle (en radians) entre l'eix X i una línia des de l'origen fins al punt (NombreX|NombreY).</ahelp>"
#. 9E6pr
#: 04060106.xhp
@@ -11607,7 +11607,7 @@ msgctxt ""
"par_id3001800\n"
"help.text"
msgid "<emph>NumberX</emph> is the value of the x coordinate."
-msgstr ""
+msgstr "<emph>NumberX</emph> és el valor de la coordenada x."
#. zoAbN
#: 04060106.xhp
@@ -11643,7 +11643,7 @@ msgctxt ""
"par_id3154692\n"
"help.text"
msgid "<item type=\"input\">=ATAN2(-5;9)</item> returns 2.07789 radians."
-msgstr ""
+msgstr "<item type=\"input\">=ATAN2(-5;9)</item> retorna 2.07789 radians."
#. tPPGL
#: 04060106.xhp
@@ -11661,7 +11661,7 @@ msgctxt ""
"par_id1477095\n"
"help.text"
msgid "<input>=DEGREES(ATAN2(12.3;12.3))</input> returns 45. The tangent of 45 degrees is 1."
-msgstr ""
+msgstr "<input>=GRAUS(ATAN2(12,3;12,3))</input> retorna 45. La tangent de 45 graus és 1."
#. FhesC
#: 04060106.xhp
@@ -11670,7 +11670,7 @@ msgctxt ""
"par_id5036167\n"
"help.text"
msgid "%PRODUCTNAME results 0 for ATAN2(0;0)."
-msgstr ""
+msgstr "El %PRODUCTNAME produeix 0 per a ATAN2(0;0)."
#. BCKQE
#: 04060106.xhp
@@ -12237,7 +12237,7 @@ msgctxt ""
"par_id3150592\n"
"help.text"
msgid "<ahelp hid=\"HID_FUNC_EXP\">Returns <literal>e</literal> raised to the power of a number.</ahelp> The constant <literal>e</literal> has a value of approximately 2.71828182845904."
-msgstr ""
+msgstr "<ahelp hid=\"HID_FUNC_EXP\">etorna <literal>e</literal> elevat a la potència d'un nombre.</ahelp> La constant <literal>e</literal> té un valor aproximat de 271828182845904."
#. KxMFL
#: 04060106.xhp
@@ -12264,7 +12264,7 @@ msgctxt ""
"par_id3156340\n"
"help.text"
msgid "<item type=\"input\">=EXP(1)</item> returns 2.71828182845904, the mathematical constant <literal>e</literal> to Calc's accuracy."
-msgstr ""
+msgstr "<item type=\"input\">=EXP(1)</item> retorna 271828182845904 la constant matemàtica <literal>e</literal> a la precisió del Calc."
#. MSQJQ
#: 04060106.xhp
@@ -12543,7 +12543,7 @@ msgctxt ""
"par_id3154524\n"
"help.text"
msgid "GCD(<embedvar href=\"text/scalc/01/ful_func.xhp#integer255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "GCD(<embedvar href=\"text/scalc/01/ful_func.xhp#integer255_1\" markup=\"keep\"/>)"
#. EeAKi
#: 04060106.xhp
@@ -12597,7 +12597,7 @@ msgctxt ""
"par_id3156205\n"
"help.text"
msgid "GCD_EXCEL2003(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "GCDEXCEL2003(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. wNE9S
#: 04060106.xhp
@@ -12642,7 +12642,7 @@ msgctxt ""
"par_id3147279\n"
"help.text"
msgid "LCM(<embedvar href=\"text/scalc/01/ful_func.xhp#integer255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "LCM(<embedvar href=\"text/scalc/01/ful_func.xhp#integer255_1\" markup=\"keep\"/>)"
#. gzLdr
#: 04060106.xhp
@@ -12687,7 +12687,7 @@ msgctxt ""
"par_id3154395\n"
"help.text"
msgid "LCM_EXCEL2003(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "LCMEXCEL2003(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. dNCeM
#: 04060106.xhp
@@ -13137,7 +13137,7 @@ msgctxt ""
"par_id3155660\n"
"help.text"
msgid "MULTINOMIAL(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MULTINOMIAL(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. YLFwC
#: 04060106.xhp
@@ -13218,7 +13218,7 @@ msgctxt ""
"par_id241599040594931\n"
"help.text"
msgid "<literal>=POWER(0,0)</literal> returns 1."
-msgstr ""
+msgstr "<literal>=POWER(00)</literal> retorna 1."
#. D3Ghv
#: 04060106.xhp
@@ -13371,7 +13371,7 @@ msgctxt ""
"par_id3144446\n"
"help.text"
msgid "PRODUCT(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "<unk>(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. D5DEG
#: 04060106.xhp
@@ -13416,7 +13416,7 @@ msgctxt ""
"par_id3160402\n"
"help.text"
msgid "SUMSQ(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "SUMSQ(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. ANvo3
#: 04060106.xhp
@@ -15594,7 +15594,7 @@ msgctxt ""
"hd_id651668200191409\n"
"help.text"
msgid "Implicit intersection of array formulas"
-msgstr ""
+msgstr "Intersecció implícita de fórmules matricials"
#. M2BM4
#: 04060107.xhp
@@ -15891,7 +15891,7 @@ msgctxt ""
"hd_id541633516074226\n"
"help.text"
msgid "Deleting Array Formulae"
-msgstr ""
+msgstr "Supressió de fórmules matricials"
#. adAax
#: 04060107.xhp
@@ -15909,7 +15909,7 @@ msgctxt ""
"par_id61633516164519\n"
"help.text"
msgid "Press <keycode>Delete</keycode> to delete the array contents, including the array formula, or press <keycode>Backspace</keycode> and this brings up the <link href=\"text/scalc/01/02150000.xhp\">Delete Contents</link> dialog box. Select <emph>Formula</emph> or <emph>Delete All</emph> and click <emph>OK</emph>."
-msgstr ""
+msgstr "Premeu <keycode>Supr</keycode> per a suprimir el contingut de la matriu, inclosa la fórmula matricial, o bé, premeu <keycode>Retrocés</keycode> perquè aparega el diàleg <link href=\"text/scalc/01/02150000.xhp\">Suprimeix el contingut</link>. Seleccioneu <emph>Fórmula</emph> o <emph>Suprimeix-ho tot</emph> i feu clic a <emph>D'acord</emph>."
#. dEcVJ
#: 04060107.xhp
@@ -17232,7 +17232,7 @@ msgctxt ""
"par_idN11B19\n"
"help.text"
msgid "At least one array must be part of the argument list. If only one array is given, all array elements are summed. If more than one array is given, they must all be the same size."
-msgstr ""
+msgstr "Almenys una matriu ha de formar part de la llista d'arguments. Si només es dona una matriu se sumen tots els elements de la matriu. Si es dona més d'una matriu, totes han de ser de la mateixa mida."
#. DgsMB
#: 04060107.xhp
@@ -17475,7 +17475,7 @@ msgctxt ""
"par_id3166122\n"
"help.text"
msgid "TREND(DataY [; DataX [; NewDataX [; LinearType]]])"
-msgstr ""
+msgstr "TENDENCIA(DadesY [; DadesX [; NovesDadesX [; TipusLineal]]])"
#. qeK4r
#: 04060107.xhp
@@ -17556,7 +17556,7 @@ msgctxt ""
"par_id3166377\n"
"help.text"
msgid "GROWTH(DataY [; [ DataX ] [; [ NewDataX ] [; FunctionType ] ] ])"
-msgstr ""
+msgstr "CREIXEMENT(DadesY [; [DadesX ] [; [NovesDadesX ] [;; TipusDeFunció ] ] ]))"
#. CA3qD
#: 04060107.xhp
@@ -17826,7 +17826,7 @@ msgctxt ""
"par_id3154707\n"
"help.text"
msgid "ADDRESS(Row; Column [; Abs [; A1 [; \"Sheet\"]]])"
-msgstr ""
+msgstr "ADREÇA(Fila; Columna [; Abs [; A1 [; \"Full\"]]])"
#. FyoLc
#: 04060109.xhp
@@ -18096,7 +18096,7 @@ msgctxt ""
"par_id3145146\n"
"help.text"
msgid "Effect"
-msgstr ""
+msgstr "Efecte"
#. GLZVP
#: 04060109.xhp
@@ -18420,7 +18420,7 @@ msgctxt ""
"par_id3149824\n"
"help.text"
msgid "INDIRECT(Ref [; A1])"
-msgstr ""
+msgstr "INDIRECTE(Ref [; A1])"
#. cZG9F
#: 04060109.xhp
@@ -18501,7 +18501,7 @@ msgctxt ""
"par_id3149447\n"
"help.text"
msgid "COLUMN([Reference])"
-msgstr ""
+msgstr "COLUMNA([Referència])"
#. CAB6L
#: 04060109.xhp
@@ -19329,7 +19329,7 @@ msgctxt ""
"par_id151612978320063\n"
"help.text"
msgid "Element"
-msgstr ""
+msgstr "Element"
#. BcKD5
#: 04060109.xhp
@@ -19338,7 +19338,7 @@ msgctxt ""
"par_id711612450364379\n"
"help.text"
msgid "Hydrogen"
-msgstr ""
+msgstr "Hidrogen"
#. ACHPj
#: 04060109.xhp
@@ -19347,7 +19347,7 @@ msgctxt ""
"par_id681612450364379\n"
"help.text"
msgid "Helium"
-msgstr ""
+msgstr "Heli"
#. 7YEmL
#: 04060109.xhp
@@ -19356,7 +19356,7 @@ msgctxt ""
"par_id531612453345232\n"
"help.text"
msgid "Lithium"
-msgstr ""
+msgstr "Liti"
#. Y3c6z
#: 04060109.xhp
@@ -19365,7 +19365,7 @@ msgctxt ""
"par_id571612453039430\n"
"help.text"
msgid "Oganesson"
-msgstr ""
+msgstr "Oganessó"
#. 4H4fa
#: 04060109.xhp
@@ -19374,7 +19374,7 @@ msgctxt ""
"par_id341612978329327\n"
"help.text"
msgid "Symbol"
-msgstr ""
+msgstr "Símbol"
#. jVBoy
#: 04060109.xhp
@@ -19383,7 +19383,7 @@ msgctxt ""
"par_id601612978601591\n"
"help.text"
msgid "Atomic Number"
-msgstr ""
+msgstr "Nombre atòmic"
#. WjrrE
#: 04060109.xhp
@@ -19392,7 +19392,7 @@ msgctxt ""
"par_id751612978603374\n"
"help.text"
msgid "Relative Atomic Mass"
-msgstr ""
+msgstr "Massa atòmica relativa"
#. Cb3HA
#: 04060109.xhp
@@ -20445,7 +20445,7 @@ msgctxt ""
"par_id3155954\n"
"help.text"
msgid "CONCATENATE(<embedvar href=\"text/scalc/01/ful_func.xhp#string255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "CONCATENATE(<embedvar href=\"text/scalc/01/ful_func.xhp#string255_1\" markup=\"keep\"/>)"
#. GCUtY
#: 04060110.xhp
@@ -20517,7 +20517,7 @@ msgctxt ""
"par_id3150128\n"
"help.text"
msgid "<emph>Text</emph> is the text to be converted."
-msgstr ""
+msgstr "<emph>Text</emph> és el text a convertir."
#. yDDho
#: 04060110.xhp
@@ -22182,7 +22182,7 @@ msgctxt ""
"par_id3674124\n"
"help.text"
msgid "<item type=\"input\">=TEXT(\"xyz\";\"=== @ ===\")</item> returns the text === xyz ==="
-msgstr ""
+msgstr "<item type=\"input\">=TEXT(\"xyz\";\"=== @ ===\")</item> retorna el text === xyz ==="
#. YAD8g
#: 04060110.xhp
@@ -22776,7 +22776,7 @@ msgctxt ""
"par_id151626469224135\n"
"help.text"
msgid "<input>=ROT13(\"Gur Qbphzrag Sbhaqngvba jnf sbhaqrq va Frcgrzore 2010.\")</input> returns the string \"The Document Foundation was founded in September 2010.\". Notice how spaces, digits, and full stops are unaffected by ROT13."
-msgstr ""
+msgstr "<input>=ROT13(\"Gur Qbphzrag Sbhaqngvba un rfgng shaqnqn ry frgrzoer qry 2010.\")</input> retorna la cadena de caràcters «The Document Foundation ha estat fundada el setembre del 2010.». Observeu que el ROT13 no canvia els espais, els dígits o els punts."
#. Hzbcx
#: 04060111.xhp
@@ -22983,7 +22983,7 @@ msgctxt ""
"par_id81641990941192\n"
"help.text"
msgid "If <emph>Type = 0</emph> the function will assume that 7 days is equivalent to one week without considering any specific day to mark the beginning of a week."
-msgstr ""
+msgstr "Si <emph>Tipus = 0</emph>, la funció suposarà que 7 dies equivalen a una setmana sense tindre en compte cap dia específic per a marcar l'inici d'una setmana."
#. geCV7
#: 04060111.xhp
@@ -26403,7 +26403,7 @@ msgctxt ""
"par_id3149027\n"
"help.text"
msgid "IMPRODUCT(<embedvar href=\"text/scalc/01/ful_func.xhp#complex255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "IMPRODUCT(<embedvar href=\"text/scalc/01/ful_func.xhp#complex255_1\" markup=\"keep\"/>)"
#. x58Ur
#: 04060116.xhp
@@ -26583,7 +26583,7 @@ msgctxt ""
"par_id3152930\n"
"help.text"
msgid "IMSUM(<embedvar href=\"text/scalc/01/ful_func.xhp#complex255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "IMSUM(<embedvar href=\"text/scalc/01/ful_func.xhp#complex255_1\" markup=\"keep\"/>)"
#. CNtPR
#: 04060116.xhp
@@ -30210,7 +30210,7 @@ msgctxt ""
"par_id3153321\n"
"help.text"
msgid "NPV(Rate; <embedvar href=\"text/scalc/01/ful_func.xhp#number254_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "NPV(Taxa; <embedvar href=\"text/scalc/01/ful_func.xhp#number254_1\" markup=\"keep\"/>)"
#. EEL34
#: 04060119.xhp
@@ -31722,7 +31722,7 @@ msgctxt ""
"par_id3148585\n"
"help.text"
msgid "COUNT(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "<unk>(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. VBCGA
#: 04060181.xhp
@@ -31776,7 +31776,7 @@ msgctxt ""
"par_id3153111\n"
"help.text"
msgid "COUNTA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "COMPTAA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. QKY5C
#: 04060181.xhp
@@ -35016,7 +35016,7 @@ msgctxt ""
"par_id3153720\n"
"help.text"
msgid "GEOMEAN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "GEOMEAN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. EGwom
#: 04060182.xhp
@@ -35268,7 +35268,7 @@ msgctxt ""
"par_id3149287\n"
"help.text"
msgid "HARMEAN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "HARMEAN( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. DMCH7
#: 04060182.xhp
@@ -36204,7 +36204,7 @@ msgctxt ""
"par_id3154508\n"
"help.text"
msgid "KURT(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "KURT( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. qFqj4
#: 04060183.xhp
@@ -36600,7 +36600,7 @@ msgctxt ""
"par_id3147340\n"
"help.text"
msgid "MAX(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MAX(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. giyJK
#: 04060184.xhp
@@ -36663,7 +36663,7 @@ msgctxt ""
"par_id3166431\n"
"help.text"
msgid "MAXA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MAXA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. ZxXLp
#: 04060184.xhp
@@ -36717,7 +36717,7 @@ msgctxt ""
"par_id3155264\n"
"help.text"
msgid "MEDIAN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MEDIAN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. bDCXJ
#: 04060184.xhp
@@ -36780,7 +36780,7 @@ msgctxt ""
"par_id3146964\n"
"help.text"
msgid "MIN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MIN(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. yutoe
#: 04060184.xhp
@@ -36834,7 +36834,7 @@ msgctxt ""
"par_id3153336\n"
"help.text"
msgid "MINA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MINA( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. TrF9C
#: 04060184.xhp
@@ -36888,7 +36888,7 @@ msgctxt ""
"par_id3145636\n"
"help.text"
msgid "AVEDEV(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "AVEDEV(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. UA5P6
#: 04060184.xhp
@@ -36933,7 +36933,7 @@ msgctxt ""
"par_id3154679\n"
"help.text"
msgid "AVERAGE(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "AVERAGE(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. AjUyH
#: 04060184.xhp
@@ -36978,7 +36978,7 @@ msgctxt ""
"par_id3149734\n"
"help.text"
msgid "AVERAGEA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "AVERAGEA( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. sxYNi
#: 04060184.xhp
@@ -37041,7 +37041,7 @@ msgctxt ""
"par_id3155950\n"
"help.text"
msgid "MODE(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MODE(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. VYNy2
#: 04060184.xhp
@@ -37086,7 +37086,7 @@ msgctxt ""
"par_id2955950\n"
"help.text"
msgid "MODE.SNGL(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MODE.SNGL(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. BGawC
#: 04060184.xhp
@@ -37140,7 +37140,7 @@ msgctxt ""
"par_id2855950\n"
"help.text"
msgid "MODE.MULT(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "MODE.MULT(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. nrjtV
#: 04060184.xhp
@@ -38931,7 +38931,7 @@ msgctxt ""
"par_id3151191\n"
"help.text"
msgid "SKEW(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "SKEW(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. BmsyE
#: 04060185.xhp
@@ -39129,7 +39129,7 @@ msgctxt ""
"par_id3149946\n"
"help.text"
msgid "STDEV(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "STDEV(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. H3V9F
#: 04060185.xhp
@@ -39183,7 +39183,7 @@ msgctxt ""
"par_id3147422\n"
"help.text"
msgid "STDEVA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "STDEVA( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. iK7Ch
#: 04060185.xhp
@@ -39237,7 +39237,7 @@ msgctxt ""
"par_id3154392\n"
"help.text"
msgid "STDEVP(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "STDEVP( <embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. ADXhB
#: 04060185.xhp
@@ -39282,7 +39282,7 @@ msgctxt ""
"par_id2954392\n"
"help.text"
msgid "STDEV.P(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "DESVEST.P(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. 9PAi8
#: 04060185.xhp
@@ -39327,7 +39327,7 @@ msgctxt ""
"par_id2854392\n"
"help.text"
msgid "STDEV.S(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "STDEV.S(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. fPUck
#: 04060185.xhp
@@ -39381,7 +39381,7 @@ msgctxt ""
"par_id3146851\n"
"help.text"
msgid "STDEVPA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "STDEVPA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. DL6D2
#: 04060185.xhp
@@ -39390,7 +39390,7 @@ msgctxt ""
"par_id961585163990543\n"
"help.text"
msgid "Text has the value 0."
-msgstr ""
+msgstr "El text té el valor 0."
#. avUGE
#: 04060185.xhp
@@ -39876,7 +39876,7 @@ msgctxt ""
"par_id3146790\n"
"help.text"
msgid "DEVSQ(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "DEVSQ(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. tETcx
#: 04060185.xhp
@@ -40542,7 +40542,7 @@ msgctxt ""
"par_id3153054\n"
"help.text"
msgid "VAR(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VAR(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. qsPg5
#: 04060185.xhp
@@ -40596,7 +40596,7 @@ msgctxt ""
"par_id2953054\n"
"help.text"
msgid "VAR.S(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VAR.S(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. GGJFX
#: 04060185.xhp
@@ -40650,7 +40650,7 @@ msgctxt ""
"par_id3149999\n"
"help.text"
msgid "VARA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VARA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. KSAnB
#: 04060185.xhp
@@ -40704,7 +40704,7 @@ msgctxt ""
"par_id3147282\n"
"help.text"
msgid "VARP(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VARP(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. PGCgC
#: 04060185.xhp
@@ -40749,7 +40749,7 @@ msgctxt ""
"par_id2947282\n"
"help.text"
msgid "VAR.P(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VAR.P(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. zF5Ys
#: 04060185.xhp
@@ -40794,7 +40794,7 @@ msgctxt ""
"par_id3149967\n"
"help.text"
msgid "VARPA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "VARPA(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. Fa9Jj
#: 04060185.xhp
@@ -41343,7 +41343,7 @@ msgctxt ""
"par_id401599494815994\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. PcMRq
#: 04060199.xhp
@@ -41478,7 +41478,7 @@ msgctxt ""
"par_id881623862728559\n"
"help.text"
msgid "Prefix \"-\" (negation) has a higher precedence than \"^\" (exponentiation). For example -3^2 equals 9, which is the square of a negative number."
-msgstr ""
+msgstr "El prefix «-» (negació) té més prioritat que «^» (exponenciació). Per exemple, -3^2 és igual a 9, que és el quadrat d'un nombre negatiu."
#. 77TDi
#: 04060199.xhp
@@ -41523,7 +41523,7 @@ msgctxt ""
"par_id201599495083374\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. AdNBV
#: 04060199.xhp
@@ -41676,7 +41676,7 @@ msgctxt ""
"par_id201599494708332\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. s2CGS
#: 04060199.xhp
@@ -41766,7 +41766,7 @@ msgctxt ""
"par_id521599494740206\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. 52L2C
#: 04060199.xhp
@@ -42675,7 +42675,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "External Links"
-msgstr ""
+msgstr "Enllaços externs"
#. Fnwpz
#: 04090000.xhp
@@ -42693,7 +42693,7 @@ msgctxt ""
"hd_id3145785\n"
"help.text"
msgid "<link href=\"text/scalc/01/04090000.xhp\">External Links</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/04090000.xhp\">Enllaços externs</link>"
#. SaAut
#: 04090000.xhp
@@ -43089,7 +43089,7 @@ msgctxt ""
"par_id3156281\n"
"help.text"
msgid "<ahelp hid=\".\">Hides selected rows, columns or individual sheets.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\".\">Amaga les files, columnes o fulls individuals que s'hagen seleccionat.</ahelp>"
#. MJRUG
#: 05030300.xhp
@@ -43602,7 +43602,7 @@ msgctxt ""
"par_id441632808439621\n"
"help.text"
msgid "Do one of the following:"
-msgstr ""
+msgstr "Feu una de les accions següents:"
#. bnEwD
#: 05060000.xhp
@@ -43611,7 +43611,7 @@ msgctxt ""
"par_id691632803588118\n"
"help.text"
msgid "In the <emph>Formatting</emph> toolbar, click:"
-msgstr ""
+msgstr "A la barra d'eines <emph>Formatació</emph>, feu clic a:"
#. BCsAA
#: 05060000.xhp
@@ -43629,7 +43629,7 @@ msgctxt ""
"par_id491632804983642\n"
"help.text"
msgid "Merge and Center Cells"
-msgstr ""
+msgstr "Fusiona i centra les cel·les"
#. ZRQSQ
#: 05060000.xhp
@@ -43755,7 +43755,7 @@ msgctxt ""
"hd_id3157910\n"
"help.text"
msgid "<link href=\"text/scalc/01/05070000.xhp\">Page Style</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/05070000.xhp\">Estil de la pàgina</link>"
#. 4vJrN
#: 05070000.xhp
@@ -44034,7 +44034,7 @@ msgctxt ""
"par_id3155378\n"
"help.text"
msgid "<ahelp hid=\"modules/scalc/ui/sheetprintpage/checkBTN_PAGENO\">Select this option if you want this style to restart page numbering.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"modules/scalc/ui/sheetprintpage/checkBTN_PAGENO\">Seleccioneu aquesta opció si voleu que aquest estil reinicie la numeració de les pàgines.</ahelp>"
#. gVwLk
#: 05070500.xhp
@@ -45060,7 +45060,7 @@ msgctxt ""
"hd_id51665407876959\n"
"help.text"
msgid "<variable id=\"ConditionalFormattingh1\"><link href=\"text/scalc/01/05120000.xhp\">Conditional Formatting</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ConditionalFormattingh1\"><link href=\"text/scalc/01/05120000.xhp\">Formatació condicional</link></variable>"
#. VzSfF
#: 05120000.xhp
@@ -45078,7 +45078,7 @@ msgctxt ""
"par_id3163711\n"
"help.text"
msgid "You can enter several conditions that query the cell values or results of formulas. The conditions are evaluated from first to the last. If <emph>Condition 1</emph> is true based on the current cell contents, the corresponding cell style is applied. Otherwise, <emph>Condition 2</emph> is evaluated to determine if its corresponding style will be applied. If none of the conditions match cell contents, then no changes are made to the cell format."
-msgstr ""
+msgstr "Podeu introduir diverses condicions que consultin els valors de les cel·les o els resultats de les fórmules. Les condicions es calculen de la primera a l'última. Si la <emph>condició 1</emph> és certa segons el contingut actual d'una cel·la, s'hi aplica l'estil de cel·la corresponent. Si no, s'executa la <emph>condició 2</emph> per a determinar si s'ha d'aplicar l'estil corresponent. Si cap de les condicions concorda amb el contingut de la cel·la, no se'n fa cap canvi en la formatació."
#. 9vjYD
#: 05120000.xhp
@@ -45105,7 +45105,7 @@ msgctxt ""
"hd_id961662926287139\n"
"help.text"
msgid "Cell range"
-msgstr ""
+msgstr "Interval de cel·les"
#. Gv4oU
#: 05120000.xhp
@@ -45114,7 +45114,7 @@ msgctxt ""
"hd_id431662926282555\n"
"help.text"
msgid "Range"
-msgstr ""
+msgstr "Interval"
#. BoUXF
#: 05120000.xhp
@@ -45141,7 +45141,7 @@ msgctxt ""
"hd_id71624649758112\n"
"help.text"
msgid "Condition list"
-msgstr ""
+msgstr "Llista de condicions"
#. aX6Li
#: 05120000.xhp
@@ -45195,7 +45195,7 @@ msgctxt ""
"hd_id71662926011736\n"
"help.text"
msgid "Add"
-msgstr ""
+msgstr "Afig"
#. NiRqU
#: 05120000.xhp
@@ -45204,7 +45204,7 @@ msgctxt ""
"par_id721662926016039\n"
"help.text"
msgid "Adds the condition to the condition list."
-msgstr ""
+msgstr "Afig la condició a la llista de condicions."
#. EXu3U
#: 05120000.xhp
@@ -45213,7 +45213,7 @@ msgctxt ""
"hd_id401662926020291\n"
"help.text"
msgid "Delete"
-msgstr ""
+msgstr "Suprimeix"
#. njCNL
#: 05120000.xhp
@@ -45222,7 +45222,7 @@ msgctxt ""
"par_id301662926026944\n"
"help.text"
msgid "Deletes the condition from the condition list."
-msgstr ""
+msgstr "Suprimeix la condició de la llista de condicions."
#. ZSEod
#: 05120000.xhp
@@ -45231,7 +45231,7 @@ msgctxt ""
"hd_id31531891\n"
"help.text"
msgid "Condition list entries"
-msgstr ""
+msgstr "Entrades de la llista de condicions"
#. udAbc
#: 05120000.xhp
@@ -45249,7 +45249,7 @@ msgctxt ""
"hd_id431662938949798\n"
"help.text"
msgid "Apply Style"
-msgstr ""
+msgstr "Aplica l'estil"
#. ZEYCC
#: 05120000.xhp
@@ -45267,7 +45267,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Conditional Formatting - Cell value is"
-msgstr ""
+msgstr "Formatació condicional ▸ El valor de la cel·la és"
#. YBgJ6
#: 05120100.xhp
@@ -45303,7 +45303,7 @@ msgctxt ""
"par_id181662913907279\n"
"help.text"
msgid "Condition"
-msgstr ""
+msgstr "Condició"
#. Yd3xQ
#: 05120100.xhp
@@ -45312,7 +45312,7 @@ msgctxt ""
"par_id941662913907280\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. nP5Ym
#: 05120100.xhp
@@ -45393,7 +45393,7 @@ msgctxt ""
"par_id151662922939292\n"
"help.text"
msgid "contains"
-msgstr ""
+msgstr "conté"
#. b4MWb
#: 05120100.xhp
@@ -45411,7 +45411,7 @@ msgctxt ""
"par_id291662923021542\n"
"help.text"
msgid "does not contain"
-msgstr ""
+msgstr "no conté"
#. 6uyxD
#: 05120100.xhp
@@ -45447,7 +45447,7 @@ msgctxt ""
"par_id991665406132471\n"
"help.text"
msgid "Condition"
-msgstr ""
+msgstr "Condició"
#. EeCxc
#: 05120100.xhp
@@ -45456,7 +45456,7 @@ msgctxt ""
"par_id191665406132471\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. ziYCE
#: 05120100.xhp
@@ -45735,7 +45735,7 @@ msgctxt ""
"par_id71662919693475\n"
"help.text"
msgid "The cell value is greater or equal than the average of the cell range values."
-msgstr ""
+msgstr "El valor de la cel·la és igual a o major que la mitjana dels valors de l'interval de cel·les."
#. HuZ9i
#: 05120100.xhp
@@ -45771,7 +45771,7 @@ msgctxt ""
"par_id451665406273943\n"
"help.text"
msgid "Condition"
-msgstr ""
+msgstr "Condició"
#. 3BdfG
#: 05120100.xhp
@@ -45780,7 +45780,7 @@ msgctxt ""
"par_id71665406273943\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. vFFDn
#: 05120100.xhp
@@ -45834,7 +45834,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Conditional Formatting - Formula is"
-msgstr ""
+msgstr "Formatació condicional ▸ La fórmula és"
#. go5b8
#: 05120200.xhp
@@ -45879,7 +45879,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Conditional Formatting - Date is"
-msgstr ""
+msgstr "Formatació condicional ▸ La data és"
#. 5GUiU
#: 05120300.xhp
@@ -46014,7 +46014,7 @@ msgctxt ""
"hd_id541663598275609\n"
"help.text"
msgid "Conditions"
-msgstr ""
+msgstr "Condicions"
#. zip59
#: 05120400.xhp
@@ -46077,7 +46077,7 @@ msgctxt ""
"par_id991609782427459\n"
"help.text"
msgid "<link href=\"text/scalc/01/05120400.xhp#databar\">Data Bar</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/05120400.xhp#databar\">Barra de dades</link>"
#. 94FyT
#: 05120400.xhp
@@ -46095,7 +46095,7 @@ msgctxt ""
"hd_id631663449553346\n"
"help.text"
msgid "Conditions"
-msgstr ""
+msgstr "Condicions"
#. CENjM
#: 05120400.xhp
@@ -46131,7 +46131,7 @@ msgctxt ""
"par_id281609781729359\n"
"help.text"
msgid "More Options"
-msgstr ""
+msgstr "Més opcions"
#. wB7B5
#: 05120400.xhp
@@ -46176,7 +46176,7 @@ msgctxt ""
"par_id371663453564807\n"
"help.text"
msgid "Choose the color for positive and negative values."
-msgstr ""
+msgstr "Trieu el color dels valors positius i negatius."
#. F7ADR
#: 05120400.xhp
@@ -46185,7 +46185,7 @@ msgctxt ""
"hd_id891663453607961\n"
"help.text"
msgid "Fill"
-msgstr ""
+msgstr "Emplenament"
#. NK7yv
#: 05120400.xhp
@@ -46212,7 +46212,7 @@ msgctxt ""
"hd_id701663453750779\n"
"help.text"
msgid "Axis"
-msgstr ""
+msgstr "Eix"
#. SCFQf
#: 05120400.xhp
@@ -46248,7 +46248,7 @@ msgctxt ""
"par_id461663453808288\n"
"help.text"
msgid "<emph>None:</emph> do not display a vertical axis."
-msgstr ""
+msgstr "<emph>Cap</emph>: l'eix vertical no és visible."
#. MbcW9
#: 05120400.xhp
@@ -46257,7 +46257,7 @@ msgctxt ""
"hd_id511663453851599\n"
"help.text"
msgid "Bar Lengths"
-msgstr ""
+msgstr "Longituds de les barres"
#. EcZWp
#: 05120400.xhp
@@ -46293,7 +46293,7 @@ msgctxt ""
"hd_id3153709\n"
"help.text"
msgid "<link href=\"text/scalc/01/05120400.xhp#iconset\">Icon Set</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/05120400.xhp#iconset\">Joc d'icones</link>"
#. RjnfG
#: 05120400.xhp
@@ -46311,7 +46311,7 @@ msgctxt ""
"hd_id191663440362309\n"
"help.text"
msgid "Available Icon Sets"
-msgstr ""
+msgstr "Jocs d'icones disponibles"
#. 8cgd9
#: 05120400.xhp
@@ -46581,7 +46581,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Conditional Formatting - Manage Conditions"
-msgstr ""
+msgstr "Formatació condicional. Gestió de les condicions"
#. a66Es
#: 05120500.xhp
@@ -46590,7 +46590,7 @@ msgctxt ""
"hd_id391662937414401\n"
"help.text"
msgid "<variable id=\"h1\"><link href=\"text/scalc/01/05120500.xhp\">Manage Conditions</link></variable>"
-msgstr ""
+msgstr "<variable id=\"h1\"><link href=\"text/scalc/01/05120500.xhp\">Gestió de les condicions</link></variable>"
#. SdPis
#: 05120500.xhp
@@ -47598,7 +47598,7 @@ msgctxt ""
"par_id3148664\n"
"help.text"
msgid "<variable id=\"tabelletext\"><ahelp hid=\".uno:Protect\">Protects the cells in the current sheet from being modified.</ahelp></variable>"
-msgstr ""
+msgstr "<variable id=\"tabelletext\"><ahelp hid=\".uno:Protect\">Protegeix les cel·les del full actual de ser modificades.</ahelp></variable>"
#. YZ3HB
#: 06060100.xhp
@@ -47661,7 +47661,7 @@ msgctxt ""
"hd_id711619431316966\n"
"help.text"
msgid "Allow users of this sheet to"
-msgstr ""
+msgstr "Permet els usuaris d'aquest full de"
#. skcWB
#: 06060100.xhp
@@ -48237,7 +48237,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Freeze Cells"
-msgstr ""
+msgstr "Congela les cel·les"
#. U6FYG
#: 07090100.xhp
@@ -48264,7 +48264,7 @@ msgctxt ""
"par_id481612313262514\n"
"help.text"
msgid "Freezes the first column or the first row of the current spreadsheet."
-msgstr ""
+msgstr "Immobilitza la primera columna o fila del full de càlcul actual."
#. ozNTG
#: 12010000.xhp
@@ -48282,7 +48282,7 @@ msgctxt ""
"hd_id3157909\n"
"help.text"
msgid "<link href=\"text/scalc/01/12010000.xhp\">Define Range</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/12010000.xhp\">Defineix l'interval</link>"
#. 8zFH5
#: 12010000.xhp
@@ -49110,7 +49110,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "More Filters"
-msgstr ""
+msgstr "Més filtres"
#. BYmkL
#: 12040000.xhp
@@ -49119,7 +49119,7 @@ msgctxt ""
"hd_id3150767\n"
"help.text"
msgid "<link href=\"text/scalc/01/12040000.xhp\">More Filters</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/12040000.xhp\">Més filtres</link>"
#. PgpNB
#: 12040000.xhp
@@ -49137,7 +49137,7 @@ msgctxt ""
"par_id911633127394220\n"
"help.text"
msgid "%PRODUCTNAME automatically recognizes predefined database ranges."
-msgstr ""
+msgstr "El %PRODUCTNAME reconeix automàticament els intervals predefinits de la base de dades."
#. 7khnq
#: 12040000.xhp
@@ -49182,7 +49182,7 @@ msgctxt ""
"hd_id3153541\n"
"help.text"
msgid "<variable id=\"autofilterh1\"><link href=\"text/scalc/01/12040100.xhp\">AutoFilter</link></variable>"
-msgstr ""
+msgstr "<variable id=\"autofilterh1\"><link href=\"text/scalc/01/12040100.xhp\">Filtre automàtic</link></variable>"
#. cTu3x
#: 12040100.xhp
@@ -49308,7 +49308,7 @@ msgctxt ""
"hd_id821621534116893\n"
"help.text"
msgid "Not Empty"
-msgstr ""
+msgstr "No buit"
#. GCBF5
#: 12040100.xhp
@@ -49326,7 +49326,7 @@ msgctxt ""
"hd_id401621534105620\n"
"help.text"
msgid "Top 10"
-msgstr ""
+msgstr "Els 10 superiors"
#. onMjn
#: 12040100.xhp
@@ -49452,7 +49452,7 @@ msgctxt ""
"hd_id621621534155662\n"
"help.text"
msgid "Values"
-msgstr ""
+msgstr "Valors"
#. AzWUy
#: 12040100.xhp
@@ -49695,7 +49695,7 @@ msgctxt ""
"hd_id331625165680452\n"
"help.text"
msgid "Options"
-msgstr ""
+msgstr "Opcions"
#. oYCwG
#: 12040400.xhp
@@ -53043,7 +53043,7 @@ msgctxt ""
"hd_id3156347\n"
"help.text"
msgid "<link href=\"text/scalc/01/12120000.xhp\">Validity</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/12120000.xhp\">Validesa</link>"
#. EGFSj
#: 12120000.xhp
@@ -53286,7 +53286,7 @@ msgctxt ""
"par_id221603980244052\n"
"help.text"
msgid "Only up to 255 characters are saved, when using Excel format."
-msgstr ""
+msgstr "Només es guarden fins a 255 caràcters quan s'utilitza el format de l'Excel."
#. pfATZ
#: 12120100.xhp
@@ -53313,7 +53313,7 @@ msgctxt ""
"par_id551607384650484\n"
"help.text"
msgid "Custom"
-msgstr ""
+msgstr "Personalitzat"
#. Eejrc
#: 12120100.xhp
@@ -53619,7 +53619,7 @@ msgctxt ""
"par_id3153379\n"
"help.text"
msgid "<ahelp hid=\"modules/scalc/ui/erroralerttabpage/ErrorAlertTabPage\">Defines the error message that is displayed when invalid data is entered in a cell.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"modules/scalc/ui/erroralerttabpage/ErrorAlertTabPage\">Defineix el missatge d'error que es mostra quan s'introdueixen dades no vàlides a una cel·la.</ahelp>"
#. CqYXY
#: 12120300.xhp
@@ -53862,7 +53862,7 @@ msgctxt ""
"hd_id621584668179317\n"
"help.text"
msgid "<link href=\"text/scalc/01/calculate.xhp\">Calculate</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/calculate.xhp\">Calcula</link>"
#. 8YGcD
#: calculate.xhp
@@ -53871,7 +53871,7 @@ msgctxt ""
"par_id241584668179318\n"
"help.text"
msgid "Commands to calculate formula cells."
-msgstr ""
+msgstr "Ordres per a calcular cel·les amb fórmules."
#. f2aRJ
#: calculate.xhp
@@ -53880,7 +53880,7 @@ msgctxt ""
"par_id251645222672072\n"
"help.text"
msgid "Choose <menuitem>Data - Calculate</menuitem>"
-msgstr ""
+msgstr "Trieu <menuitem>Dades ▸ Calcula</menuitem>"
#. 9AbDs
#: calculation_accuracy.xhp
@@ -53889,7 +53889,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Calculation Accuracy"
-msgstr ""
+msgstr "Precisió del càlcul"
#. 8Bv3f
#: calculation_accuracy.xhp
@@ -53907,7 +53907,7 @@ msgctxt ""
"hd_id961642017927878\n"
"help.text"
msgid "<link href=\"text/scalc/01/calculation_accuracy.xhp\">%PRODUCTNAME Calculation Accuracy</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/01/calculation_accuracy.xhp\">Precisió dels càlculs al %PRODUCTNAME</link>"
#. sW5fH
#: calculation_accuracy.xhp
@@ -53952,7 +53952,7 @@ msgctxt ""
"par_id801642019531438\n"
"help.text"
msgid "An example with numbers:"
-msgstr ""
+msgstr "Un exemple numèric:"
#. BpnPy
#: calculation_accuracy.xhp
@@ -53970,7 +53970,7 @@ msgctxt ""
"par_id221642020132399\n"
"help.text"
msgid "An example with dates and times:"
-msgstr ""
+msgstr "Un exemple amb dates i hores:"
#. aWCYz
#: calculation_accuracy.xhp
@@ -54033,7 +54033,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Common Syntax and example"
-msgstr ""
+msgstr "Sintaxi comú i exemples"
#. GSbiK
#: common_func.xhp
@@ -54060,7 +54060,7 @@ msgctxt ""
"hd_id281996\n"
"help.text"
msgid "Examples"
-msgstr ""
+msgstr "Exemples"
#. XAFa7
#: common_func.xhp
@@ -54069,7 +54069,7 @@ msgctxt ""
"hd_id301640873452726\n"
"help.text"
msgid "Technical information"
-msgstr ""
+msgstr "Informació tècnica"
#. RAbtL
#: common_func.xhp
@@ -54078,7 +54078,7 @@ msgctxt ""
"hd_id371655560095924\n"
"help.text"
msgid "See also"
-msgstr ""
+msgstr "Vegeu també"
#. 7AVhU
#: common_func.xhp
@@ -54780,7 +54780,7 @@ msgctxt ""
"hd_id711610558701623\n"
"help.text"
msgid "Axis"
-msgstr ""
+msgstr "Eix"
#. F9wz2
#: databar_more_options.xhp
@@ -54852,7 +54852,7 @@ msgctxt ""
"hd_id631610560675220\n"
"help.text"
msgid "Bar Lengths"
-msgstr ""
+msgstr "Longituds de les barres"
#. V2bCh
#: databar_more_options.xhp
@@ -56328,7 +56328,7 @@ msgctxt ""
"par_id631556228511025\n"
"help.text"
msgid "Yes"
-msgstr ""
+msgstr "Sí"
#. qKsBn
#: ful_func.xhp
@@ -56337,7 +56337,7 @@ msgctxt ""
"par_id631556228544875\n"
"help.text"
msgid "No"
-msgstr ""
+msgstr "No"
#. RGGDw
#: ful_func.xhp
@@ -57129,7 +57129,7 @@ msgctxt ""
"par_id151634221012221\n"
"help.text"
msgid "The largest Roman number that can be converted is MMMCMXCIX (or one of its simplified versions), which is equivalent to 3999."
-msgstr ""
+msgstr "El nombre romà més gran que es pot convertir és MMMCMXCIX (o una de les seues versions simplificades), que equival a 3999."
#. AueXr
#: func_arabic.xhp
@@ -58236,7 +58236,7 @@ msgctxt ""
"par_id811586214136666\n"
"help.text"
msgid "<input>=CEILING.XCL(-45.67; -2)</input> returns -46."
-msgstr ""
+msgstr "<input>=ARRODMULTSUP.XCL(-45,67; -2)</input> retorna -46."
#. GMzhD
#: func_ceiling.xhp
@@ -58470,7 +58470,7 @@ msgctxt ""
"par_id891556226436781\n"
"help.text"
msgid "<variable id=\"concatfunction\"><ahelp hid=\".\">Concatenates one or more strings</ahelp></variable>"
-msgstr ""
+msgstr "<variable id=\"concatfunction\"><ahelp hid=\".\">Concatena una o més cadenes</ahelp></variable>"
#. JPUiF
#: func_concat.xhp
@@ -58497,7 +58497,7 @@ msgctxt ""
"par_id911556226813412\n"
"help.text"
msgid "CONCAT( <embedvar href=\"text/scalc/01/ful_func.xhp#string255_1\" markup=\"keep\"/> )"
-msgstr ""
+msgstr "CONCAT( <embedvar href=\"text/scalc/01/ful_func.xhp#string255_1\" markup=\"keep\"/>)"
#. aTwgH
#: func_concat.xhp
@@ -58587,7 +58587,7 @@ msgctxt ""
"par_id601621101375988\n"
"help.text"
msgid "This function may not be compatible with other spreadsheet software."
-msgstr ""
+msgstr "Potser aquesta funció no siga compatible amb altres programes de full de càlcul."
#. wfq9t
#: func_convert.xhp
@@ -58758,7 +58758,7 @@ msgctxt ""
"par_id831620415562967\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. HMAmG
#: func_convert.xhp
@@ -58767,7 +58767,7 @@ msgctxt ""
"par_id251620415562967\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. tpUMy
#: func_convert.xhp
@@ -58776,7 +58776,7 @@ msgctxt ""
"par_id151620415562967\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. GfiJV
#: func_convert.xhp
@@ -58857,7 +58857,7 @@ msgctxt ""
"par_id621620416250948\n"
"help.text"
msgid "Morgen"
-msgstr ""
+msgstr "Morgen"
#. HF5iU
#: func_convert.xhp
@@ -58929,7 +58929,7 @@ msgctxt ""
"par_id133389281727763\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. 2YCm2
#: func_convert.xhp
@@ -58938,7 +58938,7 @@ msgctxt ""
"par_id215779983443756\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. wERLT
#: func_convert.xhp
@@ -58947,7 +58947,7 @@ msgctxt ""
"par_id986783687128923\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. GLvVT
#: func_convert.xhp
@@ -59046,7 +59046,7 @@ msgctxt ""
"par_id474271648545953\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. DCC5e
#: func_convert.xhp
@@ -59055,7 +59055,7 @@ msgctxt ""
"par_id747764511138273\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. dvVVc
#: func_convert.xhp
@@ -59064,7 +59064,7 @@ msgctxt ""
"par_id689379352231556\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. nHMaJ
#: func_convert.xhp
@@ -59091,7 +59091,7 @@ msgctxt ""
"hd_id511620419033332\n"
"help.text"
msgid "Force"
-msgstr ""
+msgstr "Força"
#. CcWkm
#: func_convert.xhp
@@ -59100,7 +59100,7 @@ msgctxt ""
"par_id786326578562174\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. MAju2
#: func_convert.xhp
@@ -59109,7 +59109,7 @@ msgctxt ""
"par_id613697367784781\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 3ZxxK
#: func_convert.xhp
@@ -59118,7 +59118,7 @@ msgctxt ""
"par_id338735929142246\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. uaZZL
#: func_convert.xhp
@@ -59154,7 +59154,7 @@ msgctxt ""
"par_id472715992174398\n"
"help.text"
msgid "Pond"
-msgstr ""
+msgstr "Pond"
#. Z8snf
#: func_convert.xhp
@@ -59163,7 +59163,7 @@ msgctxt ""
"hd_id61620419155285\n"
"help.text"
msgid "Information"
-msgstr ""
+msgstr "Informació"
#. A3brF
#: func_convert.xhp
@@ -59172,7 +59172,7 @@ msgctxt ""
"par_id426724696915849\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. ABpR9
#: func_convert.xhp
@@ -59181,7 +59181,7 @@ msgctxt ""
"par_id612374956817974\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. kNxR2
#: func_convert.xhp
@@ -59190,7 +59190,7 @@ msgctxt ""
"par_id538681812985912\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. uXtLh
#: func_convert.xhp
@@ -59199,7 +59199,7 @@ msgctxt ""
"par_id287396172896473\n"
"help.text"
msgid "Bit"
-msgstr ""
+msgstr "Bit"
#. CQcQ9
#: func_convert.xhp
@@ -59208,7 +59208,7 @@ msgctxt ""
"par_id288619461492324\n"
"help.text"
msgid "Byte"
-msgstr ""
+msgstr "Byte"
#. B3c96
#: func_convert.xhp
@@ -59217,7 +59217,7 @@ msgctxt ""
"hd_id21620419214852\n"
"help.text"
msgid "Length and distance"
-msgstr ""
+msgstr "Longitud i distància"
#. rfDue
#: func_convert.xhp
@@ -59226,7 +59226,7 @@ msgctxt ""
"par_id939442657661828\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. t8B7a
#: func_convert.xhp
@@ -59235,7 +59235,7 @@ msgctxt ""
"par_id385965635167839\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. qBet6
#: func_convert.xhp
@@ -59244,7 +59244,7 @@ msgctxt ""
"par_id783715738435884\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. ED5CD
#: func_convert.xhp
@@ -59262,7 +59262,7 @@ msgctxt ""
"par_id667871614381886\n"
"help.text"
msgid "Ell"
-msgstr ""
+msgstr "Alna"
#. FxCjJ
#: func_convert.xhp
@@ -59271,7 +59271,7 @@ msgctxt ""
"par_id116286449743311\n"
"help.text"
msgid "Foot"
-msgstr ""
+msgstr "Peu"
#. VswTE
#: func_convert.xhp
@@ -59280,7 +59280,7 @@ msgctxt ""
"par_id174995614358222\n"
"help.text"
msgid "Inch"
-msgstr ""
+msgstr "Polzada"
#. YFTAf
#: func_convert.xhp
@@ -59289,7 +59289,7 @@ msgctxt ""
"par_id597477613742668\n"
"help.text"
msgid "Light-year"
-msgstr ""
+msgstr "Any de llum"
#. aqqG6
#: func_convert.xhp
@@ -59298,7 +59298,7 @@ msgctxt ""
"par_id414782652978666\n"
"help.text"
msgid "Meter"
-msgstr ""
+msgstr "Metre"
#. kREck
#: func_convert.xhp
@@ -59307,7 +59307,7 @@ msgctxt ""
"par_id246972715165395\n"
"help.text"
msgid "International mile"
-msgstr ""
+msgstr "Milla internacional"
#. 6TCBR
#: func_convert.xhp
@@ -59316,7 +59316,7 @@ msgctxt ""
"par_id664674443288268\n"
"help.text"
msgid "Nautical mile"
-msgstr ""
+msgstr "Milla nàutica"
#. rUVPA
#: func_convert.xhp
@@ -59370,7 +59370,7 @@ msgctxt ""
"hd_id101620426269258\n"
"help.text"
msgid "Mass and weight"
-msgstr ""
+msgstr "Massa i pes"
#. sshNo
#: func_convert.xhp
@@ -59379,7 +59379,7 @@ msgctxt ""
"par_id662733781297324\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. 23Fz6
#: func_convert.xhp
@@ -59388,7 +59388,7 @@ msgctxt ""
"par_id314237495552874\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. YXvAc
#: func_convert.xhp
@@ -59397,7 +59397,7 @@ msgctxt ""
"par_id543131496247122\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. yS2GB
#: func_convert.xhp
@@ -59415,7 +59415,7 @@ msgctxt ""
"par_id219736221925573\n"
"help.text"
msgid "Gram"
-msgstr ""
+msgstr "Gram"
#. Pcwzj
#: func_convert.xhp
@@ -59424,7 +59424,7 @@ msgctxt ""
"par_id613363919875679\n"
"help.text"
msgid "Grain"
-msgstr ""
+msgstr "Gra"
#. HfoFq
#: func_convert.xhp
@@ -59433,7 +59433,7 @@ msgctxt ""
"par_id961199633533431\n"
"help.text"
msgid "Pound"
-msgstr ""
+msgstr "Lliura"
#. TtiGk
#: func_convert.xhp
@@ -59442,7 +59442,7 @@ msgctxt ""
"par_id655456352143671\n"
"help.text"
msgid "Ounce"
-msgstr ""
+msgstr "Unça"
#. pmsEB
#: func_convert.xhp
@@ -59487,7 +59487,7 @@ msgctxt ""
"par_id556166667325333\n"
"help.text"
msgid "Unified atomic mass unit"
-msgstr ""
+msgstr "Unitat de massa atòmica unificada"
#. nA8vE
#: func_convert.xhp
@@ -59514,7 +59514,7 @@ msgctxt ""
"hd_id1001620426284123\n"
"help.text"
msgid "Power"
-msgstr ""
+msgstr "Potència"
#. HvGBm
#: func_convert.xhp
@@ -59523,7 +59523,7 @@ msgctxt ""
"par_id765457372987543\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. DGPtJ
#: func_convert.xhp
@@ -59532,7 +59532,7 @@ msgctxt ""
"par_id222988613874967\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 6DsPs
#: func_convert.xhp
@@ -59541,7 +59541,7 @@ msgctxt ""
"par_id954629589584711\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. 7PLLh
#: func_convert.xhp
@@ -59577,7 +59577,7 @@ msgctxt ""
"hd_id541620426359069\n"
"help.text"
msgid "Pressure"
-msgstr ""
+msgstr "Pressió"
#. tnByU
#: func_convert.xhp
@@ -59586,7 +59586,7 @@ msgctxt ""
"par_id843387541961981\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. Gsj88
#: func_convert.xhp
@@ -59595,7 +59595,7 @@ msgctxt ""
"par_id385992865555923\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. geMDd
#: func_convert.xhp
@@ -59604,7 +59604,7 @@ msgctxt ""
"par_id513642579177244\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. tZH3f
#: func_convert.xhp
@@ -59613,7 +59613,7 @@ msgctxt ""
"par_id888153229712212\n"
"help.text"
msgid "Standard atmosphere"
-msgstr ""
+msgstr "Atmosfera estàndard"
#. EBaTw
#: func_convert.xhp
@@ -59622,7 +59622,7 @@ msgctxt ""
"par_id849582553771429\n"
"help.text"
msgid "Millimeter of mercury"
-msgstr ""
+msgstr "Mil·límetre de mercuri"
#. AsDNh
#: func_convert.xhp
@@ -59631,7 +59631,7 @@ msgctxt ""
"par_id477235647442515\n"
"help.text"
msgid "Pascal"
-msgstr ""
+msgstr "Pascal"
#. yyvEQ
#: func_convert.xhp
@@ -59667,7 +59667,7 @@ msgctxt ""
"hd_id61620426438099\n"
"help.text"
msgid "Speed"
-msgstr ""
+msgstr "Velocitat"
#. AXQxd
#: func_convert.xhp
@@ -59676,7 +59676,7 @@ msgctxt ""
"par_id589222947765948\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. HvMee
#: func_convert.xhp
@@ -59685,7 +59685,7 @@ msgctxt ""
"par_id886677898259849\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. PWNGi
#: func_convert.xhp
@@ -59694,7 +59694,7 @@ msgctxt ""
"par_id439227432319741\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. QLETi
#: func_convert.xhp
@@ -59703,7 +59703,7 @@ msgctxt ""
"par_id391572877557741\n"
"help.text"
msgid "Admiralty knot"
-msgstr ""
+msgstr "Nus de l'Almirallat"
#. X3yym
#: func_convert.xhp
@@ -59712,7 +59712,7 @@ msgctxt ""
"par_id152721538362456\n"
"help.text"
msgid "International knot"
-msgstr ""
+msgstr "Nus internacional"
#. KAWp4
#: func_convert.xhp
@@ -59721,7 +59721,7 @@ msgctxt ""
"par_id117898736774311\n"
"help.text"
msgid "Meters per hour"
-msgstr ""
+msgstr "Metres per hora"
#. pctXg
#: func_convert.xhp
@@ -59730,7 +59730,7 @@ msgctxt ""
"par_id145334267535329\n"
"help.text"
msgid "Meters per second"
-msgstr ""
+msgstr "Metres per segon"
#. 6yYRz
#: func_convert.xhp
@@ -59739,7 +59739,7 @@ msgctxt ""
"par_id233825548718154\n"
"help.text"
msgid "Miles per hour"
-msgstr ""
+msgstr "Milles per hora"
#. FyEd2
#: func_convert.xhp
@@ -59748,7 +59748,7 @@ msgctxt ""
"hd_id351620426496272\n"
"help.text"
msgid "Temperature"
-msgstr ""
+msgstr "Temperatura"
#. C5MHQ
#: func_convert.xhp
@@ -59757,7 +59757,7 @@ msgctxt ""
"par_id916682468647914\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. kqAGM
#: func_convert.xhp
@@ -59766,7 +59766,7 @@ msgctxt ""
"par_id828222863857386\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. sGE7h
#: func_convert.xhp
@@ -59775,7 +59775,7 @@ msgctxt ""
"par_id131675777393493\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. do3zs
#: func_convert.xhp
@@ -59784,7 +59784,7 @@ msgctxt ""
"par_id611894272236225\n"
"help.text"
msgid "Degree Celsius"
-msgstr ""
+msgstr "Grau Celsius"
#. 3Ng23
#: func_convert.xhp
@@ -59793,7 +59793,7 @@ msgctxt ""
"par_id446899599712639\n"
"help.text"
msgid "Degree Fahrenheit"
-msgstr ""
+msgstr "Grau Fahrenheit"
#. JQDwV
#: func_convert.xhp
@@ -59802,7 +59802,7 @@ msgctxt ""
"par_id452842161272274\n"
"help.text"
msgid "Kelvin"
-msgstr ""
+msgstr "Kelvin"
#. kDHfB
#: func_convert.xhp
@@ -59811,7 +59811,7 @@ msgctxt ""
"par_id946395673872875\n"
"help.text"
msgid "Degree Rankine"
-msgstr ""
+msgstr "Grau Rankine"
#. mUNBn
#: func_convert.xhp
@@ -59820,7 +59820,7 @@ msgctxt ""
"par_id718454351326149\n"
"help.text"
msgid "Degree Réaumur"
-msgstr ""
+msgstr "Grau Réaumur"
#. BfAJv
#: func_convert.xhp
@@ -59829,7 +59829,7 @@ msgctxt ""
"hd_id291620426558219\n"
"help.text"
msgid "Time"
-msgstr ""
+msgstr "Temps"
#. kFeSN
#: func_convert.xhp
@@ -59838,7 +59838,7 @@ msgctxt ""
"par_id935221689591996\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. U8RGh
#: func_convert.xhp
@@ -59847,7 +59847,7 @@ msgctxt ""
"par_id664526138752768\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. 8X7qR
#: func_convert.xhp
@@ -59856,7 +59856,7 @@ msgctxt ""
"par_id889226439751962\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. iXcGB
#: func_convert.xhp
@@ -59865,7 +59865,7 @@ msgctxt ""
"par_id246817386878489\n"
"help.text"
msgid "Day"
-msgstr ""
+msgstr "Dia"
#. KCEUt
#: func_convert.xhp
@@ -59874,7 +59874,7 @@ msgctxt ""
"par_id464925665919665\n"
"help.text"
msgid "Hour"
-msgstr ""
+msgstr "Hora"
#. Bf2jf
#: func_convert.xhp
@@ -59883,7 +59883,7 @@ msgctxt ""
"par_id134873473826283\n"
"help.text"
msgid "Minute"
-msgstr ""
+msgstr "Minut"
#. RB2UJ
#: func_convert.xhp
@@ -59892,7 +59892,7 @@ msgctxt ""
"par_id424852859961766\n"
"help.text"
msgid "Second"
-msgstr ""
+msgstr "Segon"
#. CKQZz
#: func_convert.xhp
@@ -59901,7 +59901,7 @@ msgctxt ""
"par_id546198897664738\n"
"help.text"
msgid "Year"
-msgstr ""
+msgstr "Any"
#. CCupk
#: func_convert.xhp
@@ -59910,7 +59910,7 @@ msgctxt ""
"hd_id151620426617693\n"
"help.text"
msgid "Volume"
-msgstr ""
+msgstr "Volum"
#. YGVzt
#: func_convert.xhp
@@ -59919,7 +59919,7 @@ msgctxt ""
"par_id245659124219512\n"
"help.text"
msgid "Unit symbol"
-msgstr ""
+msgstr "Símbol de la unitat"
#. jvV7i
#: func_convert.xhp
@@ -59928,7 +59928,7 @@ msgctxt ""
"par_id954441838321316\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. QnLHF
#: func_convert.xhp
@@ -59937,7 +59937,7 @@ msgctxt ""
"par_id487448753979859\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. oFBFc
#: func_convert.xhp
@@ -59955,7 +59955,7 @@ msgctxt ""
"par_id545825775819166\n"
"help.text"
msgid "Oil barrel"
-msgstr ""
+msgstr "Barril de petroli"
#. a3nDk
#: func_convert.xhp
@@ -59982,7 +59982,7 @@ msgctxt ""
"par_id278184952564879\n"
"help.text"
msgid "Cubic foot"
-msgstr ""
+msgstr "Peu cúbic"
#. Be5Nc
#: func_convert.xhp
@@ -60009,7 +60009,7 @@ msgctxt ""
"par_id471177863127144\n"
"help.text"
msgid "Gross register tonnage"
-msgstr ""
+msgstr "Tonatge d'arqueig brut"
#. tM2GH
#: func_convert.xhp
@@ -60027,7 +60027,7 @@ msgctxt ""
"par_id995576717914988\n"
"help.text"
msgid "Cubic inch"
-msgstr ""
+msgstr "Polzada cúbica"
#. t8skx
#: func_convert.xhp
@@ -60036,7 +60036,7 @@ msgctxt ""
"par_id842329689485738\n"
"help.text"
msgid "Liter"
-msgstr ""
+msgstr "Litre"
#. ZgERp
#: func_convert.xhp
@@ -60045,7 +60045,7 @@ msgctxt ""
"par_id236636296681258\n"
"help.text"
msgid "Cubic light-year"
-msgstr ""
+msgstr "Any de llum cúbic"
#. xbjLF
#: func_convert.xhp
@@ -60054,7 +60054,7 @@ msgctxt ""
"par_id538319527687728\n"
"help.text"
msgid "Cubic meter"
-msgstr ""
+msgstr "Metre cúbic"
#. GG8ep
#: func_convert.xhp
@@ -60063,7 +60063,7 @@ msgctxt ""
"par_id463843338576911\n"
"help.text"
msgid "Cubic international mile"
-msgstr ""
+msgstr "Milla internacional cúbica"
#. apJka
#: func_convert.xhp
@@ -60144,7 +60144,7 @@ msgctxt ""
"par_id912821548196546\n"
"help.text"
msgid "Six pack (2 liters)"
-msgstr ""
+msgstr "Paquet de sis (2 litres)"
#. GNQxR
#: func_convert.xhp
@@ -60225,7 +60225,7 @@ msgctxt ""
"hd_id21620415408286\n"
"help.text"
msgid "Prefixes"
-msgstr ""
+msgstr "Prefixos"
#. TSaMK
#: func_convert.xhp
@@ -60234,7 +60234,7 @@ msgctxt ""
"hd_id731620426688645\n"
"help.text"
msgid "Decimal prefixes"
-msgstr ""
+msgstr "Prefixos decimals"
#. cjDA7
#: func_convert.xhp
@@ -60243,7 +60243,7 @@ msgctxt ""
"par_id772395422122114\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. yHdoH
#: func_convert.xhp
@@ -60252,7 +60252,7 @@ msgctxt ""
"par_id448471762246791\n"
"help.text"
msgid "Multiplier"
-msgstr ""
+msgstr "Multiplicador"
#. zByEE
#: func_convert.xhp
@@ -60261,7 +60261,7 @@ msgctxt ""
"hd_id91620427193950\n"
"help.text"
msgid "Binary prefixes"
-msgstr ""
+msgstr "Prefixos binaris"
#. X7TD3
#: func_convert.xhp
@@ -60270,7 +60270,7 @@ msgctxt ""
"par_id422991712375461\n"
"help.text"
msgid "Prefix"
-msgstr ""
+msgstr "Prefix"
#. mAcRr
#: func_convert.xhp
@@ -60279,7 +60279,7 @@ msgctxt ""
"par_id553637738674151\n"
"help.text"
msgid "Multiplier"
-msgstr ""
+msgstr "Multiplicador"
#. gc56z
#: func_convert.xhp
@@ -62574,7 +62574,7 @@ msgctxt ""
"par_id0403201618595150\n"
"help.text"
msgid "For ETS, Calc uses an approximation based on 1000 calculations with random variations within the standard deviation of the observation data set (the historical values)."
-msgstr ""
+msgstr "Per a l'ETS, el Calc utilitza una aproximació basada en 1.000 càlculs amb variacions aleatòries dins de la desviació tipus del conjunt de dades d'observació (els valors històrics)."
#. KTjG5
#: func_forecastetspiadd.xhp
@@ -62709,7 +62709,7 @@ msgctxt ""
"par_id0403201618595150\n"
"help.text"
msgid "For ETS, Calc uses an approximation based on 1000 calculations with random variations within the standard deviation of the observation data set (the historical values)."
-msgstr ""
+msgstr "Per a l'ETS, el Calc utilitza una aproximació basada en 1.000 càlculs amb variacions aleatòries dins de la desviació tipus del conjunt de dades d'observació (els valors històrics)."
#. wtJsd
#: func_forecastetspimult.xhp
@@ -63492,7 +63492,7 @@ msgctxt ""
"par_id25412646522614\n"
"help.text"
msgid "<item type=\"input\">=IMCOS(2)</item><br/>returns -0.416146836547142 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMCOS(2)</item><br/> retorna -0416146836547142 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. 6zE9Y
#: func_imcos.xhp
@@ -63582,7 +63582,7 @@ msgctxt ""
"par_id152561887112896\n"
"help.text"
msgid "<item type=\"input\">=IMCOSH(2)</item><br/>returns 3.76219569108363 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">IMCOSH(2)</item><br/> retorna 3.76219569108363 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. N8Goo
#: func_imcosh.xhp
@@ -63672,7 +63672,7 @@ msgctxt ""
"par_id18472284929530\n"
"help.text"
msgid "<item type=\"input\">=IMCOT(2)</item><br/>returns -0.457657554360286 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMCOT(2)</item><br/> retorna -157657554360286 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. AZMcM
#: func_imcot.xhp
@@ -63762,7 +63762,7 @@ msgctxt ""
"par_id32572967420710\n"
"help.text"
msgid "<item type=\"input\">=IMCSC(2)</item><br/>returns 1.09975017029462 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">IMCSC(2)</item><br/> retorna 1.9975017029462 com a cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. ZXuen
#: func_imcsc.xhp
@@ -63852,7 +63852,7 @@ msgctxt ""
"par_id2395211576789\n"
"help.text"
msgid "<item type=\"input\">=IMCSCH(2)</item><br/>returns 0.275720564771783 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMCSCH(2)</item><br/> retorna 0275720564771783 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. q3RAD
#: func_imcsch.xhp
@@ -63942,7 +63942,7 @@ msgctxt ""
"par_id2395211576789\n"
"help.text"
msgid "<item type=\"input\">=IMSEC(2)</item><br/>returns -2.40299796172238 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMSEC(2)</item><br/> retorna -2.40299796172238 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. tFMiP
#: func_imsec.xhp
@@ -64032,7 +64032,7 @@ msgctxt ""
"par_id247492030016627\n"
"help.text"
msgid "<item type=\"input\">=IMSECH(2)</item><br/>returns 0.26580222883408 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMSECH(2)</item><br/> retorna 02658022883408 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. zy4tC
#: func_imsech.xhp
@@ -64122,7 +64122,7 @@ msgctxt ""
"par_id1527387141125\n"
"help.text"
msgid "<item type=\"input\">=IMSIN(2)</item><br/>returns 0.909297426825682 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMSIN(2)</item><br/> retorna 0.9992974268256882 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. 4Y55R
#: func_imsin.xhp
@@ -64212,7 +64212,7 @@ msgctxt ""
"par_id1527387141125\n"
"help.text"
msgid "<item type=\"input\">=IMSINH(2)</item><br/>returns 3.62686040784702 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=SINH(2)</item><br/> retorna 3.62686040784702 com una cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. svBun
#: func_imsinh.xhp
@@ -64302,7 +64302,7 @@ msgctxt ""
"par_id1527387141125\n"
"help.text"
msgid "<item type=\"input\">=IMTAN(2)</item><br/>returns -2.18503986326152 as a string. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
-msgstr ""
+msgstr "<item type=\"input\">=IMTAN(2)</item><br/> retorna -2.18503986326152 com a cadena. <embedvar href=\"text/scalc/01/ful_func.xhp#func_imag_zero\"/>"
#. mqq7R
#: func_imtan.xhp
@@ -65058,7 +65058,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "NETWORKDAYS.INTL"
-msgstr ""
+msgstr "DIESFEINERSNETS.INTL"
#. H92rh
#: func_networkdays.intl.xhp
@@ -65220,7 +65220,7 @@ msgctxt ""
"par_id3153788\n"
"help.text"
msgid "<ahelp hid=\"HID_AAI_FUNC_NETWORKDAYS\">Returns the number of workdays between a <emph>start date</emph> and an <emph>end date</emph>. Holidays can be deducted.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"HID_AAI_FUNC_NETWORKDAYS\">Retorna el nombre de dies laborables entre una <emph>data d'inici</emph> i una <emph>data de finalització</emph>. Es poden deduir els dies festius.</ahelp>"
#. AME9S
#: func_networkdays.xhp
@@ -65436,7 +65436,7 @@ msgctxt ""
"par_id381625600941159\n"
"help.text"
msgid "The output number is formatted as a valid floating point value and shown using the current cell's number format."
-msgstr ""
+msgstr "El nombre d'eixida rep el format d'un valor de coma flotant vàlid i es mostra amb el format numèric de la cel·la actual."
#. pCZWD
#: func_numbervalue.xhp
@@ -65463,7 +65463,7 @@ msgctxt ""
"par_id3154819\n"
"help.text"
msgid "<emph>Text</emph> is a string that contains the number to be converted."
-msgstr ""
+msgstr "<emph>Text</emph> és una cadena que conté el nombre que s'ha de convertir."
#. gwZ7A
#: func_numbervalue.xhp
@@ -65607,7 +65607,7 @@ msgctxt ""
"par_id651575073773761\n"
"help.text"
msgid "<input>=OPT_BARRIER(30;0.2;0.06;0;1;40;25;0;0;\"c\";\"o\";\"c\")</input> returns the value 0.4243."
-msgstr ""
+msgstr "<input>=OPT_BARRIER(30;0,2;0,06;0;1;40;25;0;0;\"c\";\"o\";\"c\")</input> retorna el valor 0,4243."
#. ABVQH
#: func_opt_barrier.xhp
@@ -66417,7 +66417,7 @@ msgctxt ""
"par_id431542233650614\n"
"help.text"
msgid "<link href=\"https://unicode-org.github.io/icu/userguide/strings/regexp.html\">ICU regular expressions</link>"
-msgstr ""
+msgstr "<link href=\"https://unicode-org.github.io/icu/userguide/strings/regexp.html\">Expressions regulars de l'ICU (en anglés)</link>"
#. B64FM
#: func_replaceb.xhp
@@ -66453,7 +66453,7 @@ msgctxt ""
"par_id831573508637970\n"
"help.text"
msgid "<variable id=\"variable name\"><ahelp hid=\".\">Returns text where an old text is replaced with a new text, using byte positions.</ahelp></variable>"
-msgstr ""
+msgstr "<variable id=\"variable name\"><ahelp hid=\".\">Retorna text on una cadena s'ha substituït amb una de nova mitjançant posicions de bytes.</ahelp></variable>"
#. Fd4SC
#: func_replaceb.xhp
@@ -66525,7 +66525,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "ROMAN Function"
-msgstr ""
+msgstr "Funció ROMA"
#. JqcvP
#: func_roman.xhp
@@ -66534,7 +66534,7 @@ msgctxt ""
"bm_id831542233029549\n"
"help.text"
msgid "<bookmark_value>ROMAN function</bookmark_value> <bookmark_value>text functions;convert to roman numbers</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>funció ROMA</bookmark_value><bookmark_value>funcions de text;conversió a nombres romans</bookmark_value>"
#. aXrXe
#: func_roman.xhp
@@ -66543,7 +66543,7 @@ msgctxt ""
"hd_id881628776094597\n"
"help.text"
msgid "<variable id=\"Roman_h1\"><link href=\"text/scalc/01/func_roman.xhp\">ROMAN</link></variable>"
-msgstr ""
+msgstr "<variable id=\"Roman_h1\"><link href=\"text/scalc/01/func_roman.xhp\">ROMA</link></variable>"
#. pdMgk
#: func_roman.xhp
@@ -66552,7 +66552,7 @@ msgctxt ""
"par_id541542230672101\n"
"help.text"
msgid "<variable id=\"func_roman_desc\"><ahelp hid=\".\">Converts a number into a Roman numeral. The value range must be between 0 and 3999. A simplification mode can be specified in the range from 0 to 4.</ahelp></variable>"
-msgstr ""
+msgstr "<variable id=\"func_roman_desc\"><ahelp hid=\".\">Converteix un nombre en xifres romanes. L'interval de valors ha de ser entre 0 i 3999. És possible especificar un mode de simplificació en un interval de 0 a 4.</ahelp></variable>"
#. tRsoC
#: func_roman.xhp
@@ -66561,7 +66561,7 @@ msgctxt ""
"par_id701542231253817\n"
"help.text"
msgid "<input>ROMAN(Number [; Mode])</input>"
-msgstr ""
+msgstr "<input>ROMA(Nombre [; Mode])</input>"
#. rz4bH
#: func_roman.xhp
@@ -66570,7 +66570,7 @@ msgctxt ""
"par_id621542232197446\n"
"help.text"
msgid "<emph>Number</emph>: the number that is to be converted into a Roman numeral."
-msgstr ""
+msgstr "<emph>Nombre</emph>: el nombre que s'ha de convertir en xifres romanes."
#. bfvWL
#: func_roman.xhp
@@ -66588,7 +66588,7 @@ msgctxt ""
"par_id451628776707264\n"
"help.text"
msgid "<input>=ROMAN(999)</input> returns \"CMXCIX\" (uses simplification mode equal to zero, which is the default)."
-msgstr ""
+msgstr "<input>=ROMA(999)</input> retorna «CMXCIX» (utilitza el mode de simplificació equivalent a zero, el mode per defecte)."
#. mBktA
#: func_roman.xhp
@@ -66597,7 +66597,7 @@ msgctxt ""
"par_id101628778036375\n"
"help.text"
msgid "<input>=ROMAN(999;0)</input> returns \"CMXCIX\"."
-msgstr ""
+msgstr "<input>=ROMA(999;0)</input> retorna «CMXCIX»."
#. fGqPj
#: func_roman.xhp
@@ -66606,7 +66606,7 @@ msgctxt ""
"par_id101628778036134\n"
"help.text"
msgid "<input>=ROMAN(999;1)</input> returns \"LMVLIV\"."
-msgstr ""
+msgstr "<input>=ROMA(999;1)</input> retorna «LMVLIV»."
#. qBbFo
#: func_roman.xhp
@@ -66615,7 +66615,7 @@ msgctxt ""
"par_id101628778036278\n"
"help.text"
msgid "<input>=ROMAN(999;2)</input> returns \"XMIX\"."
-msgstr ""
+msgstr "<input>=ROMA(999;2)</input> retorna «XMIX»."
#. AY5jP
#: func_roman.xhp
@@ -66624,7 +66624,7 @@ msgctxt ""
"par_id101628778036364\n"
"help.text"
msgid "<input>=ROMAN(999;3)</input> returns \"VMIV\"."
-msgstr ""
+msgstr "<input>=ROMA(999;3)</input> retorna «VMIV»."
#. B2aqT
#: func_roman.xhp
@@ -66633,7 +66633,7 @@ msgctxt ""
"par_id101628778036008\n"
"help.text"
msgid "<input>=ROMAN(999;4)</input> returns \"IM\"."
-msgstr ""
+msgstr "<input>=ROMA(999;4)</input> retorna «IM»."
#. CBuwx
#: func_roman.xhp
@@ -66642,7 +66642,7 @@ msgctxt ""
"par_id101628778036019\n"
"help.text"
msgid "<input>=ROMAN(0)</input> returns \"\" (empty text)."
-msgstr ""
+msgstr "<input>=ROMA(0)</input> retorna «» (text buit)."
#. 5UDBp
#: func_roman.xhp
@@ -66741,7 +66741,7 @@ msgctxt ""
"par_id181641929609906\n"
"help.text"
msgid "In %PRODUCTNAME, the <emph>Count</emph> parameter is optional, whereas in Microsoft Excel this parameter is mandatory. When an ODS file contains a call to ROUNDDOWN without the <emph>Count</emph> parameter and the file is exported to XLS or XLSX formats, the missing argument will automatically be added with value zero to maintain compatibility."
-msgstr ""
+msgstr "Al %PRODUCTNAME, el paràmetre <emph>Recompte</emph> és opcional, mentre que al Microsoft Excel n'és obligatori. Quan un fitxer ODS conté un ús d'ARRODAVALL sense el paràmetre <emph>Recompte</emph> i el fitxer s'exporta als formats XLS o XLSX, s'afegirà l'argument automàticament, amb un valor de zero, per a mantindre'n la compatibilitat."
#. BCmT8
#: func_rounddown.xhp
@@ -67128,7 +67128,7 @@ msgctxt ""
"par_id27421466710275\n"
"help.text"
msgid "SKEWP(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
-msgstr ""
+msgstr "SKEWP(<embedvar href=\"text/scalc/01/ful_func.xhp#number255_1\" markup=\"keep\"/>)"
#. Af6Mq
#: func_skewp.xhp
@@ -67209,7 +67209,7 @@ msgctxt ""
"par_id441673375101757\n"
"help.text"
msgid "<ahelp hid=\"HID_FUNC_VORLAGE\"><variable id=\"func_style_desc\">Applies a style to the cell containing the formula.</variable></ahelp> After a set amount of time, another style can be applied."
-msgstr ""
+msgstr "<ahelp hid=\"HID_FUNC_VORLAGE\"><variable id=\"func_style_desc\">Aplica un estil a la cel·la que conté la fórmula.</variable></ahelp> Després d'un temps definit, s'hi pot aplicar un altre estil."
#. GswPt
#: func_style.xhp
@@ -67344,7 +67344,7 @@ msgctxt ""
"par_id151673379420755\n"
"help.text"
msgid "<link href=\"text/scalc/guide/cellstyle_by_formula.xhp\">Assigning Formats by Formula</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/guide/cellstyle_by_formula.xhp\">Assignació de formats mitjançant una fórmula</link>"
#. YADMA
#: func_style.xhp
@@ -68460,7 +68460,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "URI Functions"
-msgstr ""
+msgstr "Funcions d'URI"
#. xmV2h
#: func_webservice.xhp
@@ -68478,7 +68478,7 @@ msgctxt ""
"par_id141677019419921\n"
"help.text"
msgid "These spreadsheet functions are used for inserting data from Universal Resource Identifiers (URI)."
-msgstr ""
+msgstr "Aquestes funcions de full de càlcul s'usen per a inserir dades a partir d'identificadors de recursos universals (URI)."
#. 8sQry
#: func_webservice.xhp
@@ -70125,7 +70125,7 @@ msgctxt ""
"par_id240920171007389295\n"
"help.text"
msgid "Choose <menuitem>Data – Streams</menuitem>"
-msgstr ""
+msgstr "Trieu <menuitem>Dades ▸ Fluxos</menuitem>"
#. aV8Lc
#: live_data_stream.xhp
@@ -70161,7 +70161,7 @@ msgctxt ""
"hd_id931641998122172\n"
"help.text"
msgid "URL"
-msgstr ""
+msgstr "URL"
#. oYvgF
#: live_data_stream.xhp
@@ -70197,7 +70197,7 @@ msgctxt ""
"par_id441641996322078\n"
"help.text"
msgid "<emph>address,value</emph>:"
-msgstr ""
+msgstr "<emph>adreça,valor</emph>"
#. JYyrF
#: live_data_stream.xhp
@@ -70278,7 +70278,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Recalculate hard"
-msgstr ""
+msgstr "Recalcula incondicionalment"
#. EB6vW
#: recalculate_hard.xhp
@@ -70296,7 +70296,7 @@ msgctxt ""
"hd_id611645217532285\n"
"help.text"
msgid "<variable id=\"recalculatehardh1\"><link href=\"text/scalc/01/recalculate_hard.xhp\">Recalculate Hard</link></variable>"
-msgstr ""
+msgstr "<variable id=\"recalculatehardh1\"><link href=\"text/scalc/01/recalculate_hard.xhp\">Recalcula incondicionalment</link></variable>"
#. gCAFM
#: recalculate_hard.xhp
@@ -70323,7 +70323,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Sharing Spreadsheets"
-msgstr ""
+msgstr "Compartició dels fulls de càlcul"
#. nGSyy
#: shared_spreadsheet.xhp
@@ -70368,7 +70368,7 @@ msgctxt ""
"par_id621647275321672\n"
"help.text"
msgid "The shared file needs to reside in a location which is accessible by all collaborators."
-msgstr ""
+msgstr "El fitxer compartit ha de residir en una ubicació on tots els col·laboradors hi puguen accedir."
#. 6hGDF
#: shared_spreadsheet.xhp
@@ -70386,7 +70386,7 @@ msgctxt ""
"par_id631647275500217\n"
"help.text"
msgid "In order to correctly identify the changes, each collaborator should enter their name in <switchinline select=\"sys\"><caseinline select=\"MAC\"><menuitem>%PRODUCTNAME - Preferences</menuitem></caseinline><defaultinline><menuitem>Tools - Options</menuitem></defaultinline></switchinline><menuitem> - %PRODUCTNAME - User Data</menuitem> on the Menu bar."
-msgstr ""
+msgstr "Perquè tots els canvis puguen identificar-se correctament, cada persona col·laboradora ha d'introduir el seu nom a <switchinline select=\"sys\"><caseinline select=\"MAC\"><menuitem>%PRODUCTNAME ▸ Preferències</menuitem></caseinline><defaultinline><menuitem>Eines ▸ Opcions</menuitem></defaultinline></switchinline><menuitem> ▸ %PRODUCTNAME ▸ Dades de l'usuari</menuitem>."
#. Fjipz
#: sheet_tab_color.xhp
@@ -70638,7 +70638,7 @@ msgctxt ""
"par_id221589917833431\n"
"help.text"
msgid "The <emph>Solver Options</emph> dialog let you select the different solver algorithms for either linear and non-linear problems and set their solving parameters."
-msgstr ""
+msgstr "El diàleg <emph>Opcions del solucionador</emph> permet seleccionar els diferents algoritmes de solucionador per a problemes lineals i no lineals i establir-ne els paràmetres de resolució."
#. 8YGDA
#: solver.xhp
@@ -70647,7 +70647,7 @@ msgctxt ""
"hd_id771589917064147\n"
"help.text"
msgid "Solve"
-msgstr ""
+msgstr "Resol"
#. jFwTt
#: solver.xhp
@@ -70791,7 +70791,7 @@ msgctxt ""
"hd_id581589922716672\n"
"help.text"
msgid "Solver engine"
-msgstr ""
+msgstr "Motor del solucionador"
#. A7MrG
#: solver_options.xhp
@@ -70809,7 +70809,7 @@ msgctxt ""
"par_id221589959855748\n"
"help.text"
msgid "You can install more solver engines as extensions, if available. Open <menuitem>Tools - Extensions</menuitem> and browse to the Extensions web site to search for extensions."
-msgstr ""
+msgstr "Podeu instal·lar més motors del solucionador com a extensions, si n'hi ha. Obriu <menuitem>Eines ▸ Extensions</menuitem> i navegueu fins al lloc web d'extensions per a cercar-ne."
#. QtDyE
#: solver_options.xhp
@@ -70818,7 +70818,7 @@ msgctxt ""
"hd_id711589922750833\n"
"help.text"
msgid "Settings"
-msgstr ""
+msgstr "Paràmetres"
#. ncgjf
#: solver_options.xhp
@@ -70971,7 +70971,7 @@ msgctxt ""
"par_id360320091039424\n"
"help.text"
msgid "During crossover, the scaling factor decides about the “speed” of movement."
-msgstr ""
+msgstr "Durant el creuament, el factor d'escalat decideix la «velocitat» del moviment."
#. HPPHg
#: solver_options_algo.xhp
@@ -71223,7 +71223,7 @@ msgctxt ""
"par_id0503200917103710\n"
"help.text"
msgid "<variable id=\"variablethresdesc\">When guessing variable bounds, this threshold specifies, how the initial values are shifted to build the bounds. For an example how these values are calculated, please refer to the Manual in the Wiki.</variable>"
-msgstr ""
+msgstr "<variable id=\"variablethresdesc\">En deduir els límits de variable, aquest llindar especifica com es canvien els valors inicials per construir els límits. Per un exemple sobre com es calculen aquests valors, consulteu el manual en la wiki.</variable>"
#. g7v8S
#: solver_options_algo.xhp
@@ -71268,7 +71268,7 @@ msgctxt ""
"par_id0603200910401382\n"
"help.text"
msgid "Size of Library"
-msgstr ""
+msgstr "Mida de la biblioteca"
#. 4PmLg
#: solver_options_algo.xhp
@@ -71313,7 +71313,7 @@ msgctxt ""
"par_id731589925837981\n"
"help.text"
msgid "<variable id=\"settingshead\">Setting</variable>"
-msgstr ""
+msgstr "<variable id=\"settingshead\">Paràmetre</variable>"
#. DhVRA
#: solver_options_algo.xhp
@@ -71322,7 +71322,7 @@ msgctxt ""
"par_id611589925837982\n"
"help.text"
msgid "<variable id=\"descriptionhead\">Description</variable>"
-msgstr ""
+msgstr "<variable id=\"descriptionhead\">Descripció</variable>"
#. MqHfE
#: solver_options_algo.xhp
@@ -71331,7 +71331,7 @@ msgctxt ""
"par_id511589925837984\n"
"help.text"
msgid "<variable id=\"integerhead\">Assume variables as integers</variable>"
-msgstr ""
+msgstr "<variable id=\"integerhead\">Suposa que les variables són enters</variable>"
#. Javmc
#: solver_options_algo.xhp
@@ -71349,7 +71349,7 @@ msgctxt ""
"par_id221589961756407\n"
"help.text"
msgid "<variable id=\"noneghead\">Assume variables as non negative</variable>"
-msgstr ""
+msgstr "<variable id=\"noneghead\">Suposa que les variables no són negatives</variable>"
#. ij2he
#: solver_options_algo.xhp
@@ -71466,7 +71466,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Sparklines"
-msgstr ""
+msgstr "Minidiagrames"
#. 82qW9
#: sparklines.xhp
@@ -71475,7 +71475,7 @@ msgctxt ""
"bm_id901654173679276\n"
"help.text"
msgid "<bookmark_value>sparklines</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>minidiagrames</bookmark_value>"
#. P8DfA
#: sparklines.xhp
@@ -71484,7 +71484,7 @@ msgctxt ""
"hd_id721654173263812\n"
"help.text"
msgid "<variable id=\"sparklines\"><link href=\"text/scalc/01/sparklines.xhp\">Sparklines</link></variable>"
-msgstr ""
+msgstr "<variable id=\"sparklines\"><link href=\"text/scalc/01/sparklines.xhp\">Minidiagrames</link></variable>"
#. wUPfH
#: sparklines.xhp
@@ -71493,7 +71493,7 @@ msgctxt ""
"par_id981654173263817\n"
"help.text"
msgid "Sparklines are small data charts displayed inside a cell."
-msgstr ""
+msgstr "Els minidiagrames són petits gràfics que caben dins d'una cel·la."
#. Hwfhj
#: sparklines.xhp
@@ -71511,7 +71511,7 @@ msgctxt ""
"par_id761654173486733\n"
"help.text"
msgid "Choose <menuitem>Insert - Sparkline</menuitem>."
-msgstr ""
+msgstr "Trieu <menuitem>Insereix ▸ Minidiagrama</menuitem>."
#. 6ivXp
#: sparklines.xhp
@@ -71520,7 +71520,7 @@ msgctxt ""
"hd_id391654173530650\n"
"help.text"
msgid "Data"
-msgstr ""
+msgstr "Dades"
#. y498T
#: sparklines.xhp
@@ -71547,7 +71547,7 @@ msgctxt ""
"hd_id651654174597644\n"
"help.text"
msgid "Properties"
-msgstr ""
+msgstr "Propietats"
#. mRxgt
#: sparklines.xhp
@@ -71637,7 +71637,7 @@ msgctxt ""
"par_id431654176711837\n"
"help.text"
msgid "<emph>Display hidden</emph>: check to show all columns or stacks in the range even when the data is in hidden cells. If unchecked, the hidden data is ignored."
-msgstr ""
+msgstr "<emph>Mostra l'amagat</emph>: activeu aquesta opció per a mostrar totes les columnes o piles a l'interval, encara que les dades corresponents siguen a cel·les amagades. Si la casella no s'activa, s'ignoren les dades amagades al minidiagrama."
#. 7NZyB
#: sparklines.xhp
@@ -71655,7 +71655,7 @@ msgctxt ""
"hd_id911654177186844\n"
"help.text"
msgid "Colors"
-msgstr ""
+msgstr "Colors"
#. sq3di
#: sparklines.xhp
@@ -71727,7 +71727,7 @@ msgctxt ""
"hd_id251654180880861\n"
"help.text"
msgid "Axes"
-msgstr ""
+msgstr "Eixos"
#. mRJUH
#: sparklines.xhp
@@ -72087,7 +72087,7 @@ msgctxt ""
"hd_id1000060\n"
"help.text"
msgid "<variable id=\"anovah1\"><link href=\"text/scalc/01/statistics_anova.xhp\">Analysis of Variance (ANOVA)</link></variable>"
-msgstr ""
+msgstr "<variable id=\"anovah1\"><link href=\"text/scalc/01/statistics_anova.xhp\">Anàlisi de variància (ANOVA)</link></variable>"
#. oSUDa
#: statistics_anova.xhp
@@ -72276,7 +72276,7 @@ msgctxt ""
"par_id1001550\n"
"help.text"
msgid "Source of Variation"
-msgstr ""
+msgstr "Font de la variació"
#. CrpJv
#: statistics_anova.xhp
@@ -72321,7 +72321,7 @@ msgctxt ""
"par_id1001600\n"
"help.text"
msgid "P-value"
-msgstr ""
+msgstr "Valor P"
#. Vabri
#: statistics_anova.xhp
@@ -72564,7 +72564,7 @@ msgctxt ""
"par_id1001960\n"
"help.text"
msgid "The covariance is a measure of how much two random variables change together."
-msgstr ""
+msgstr "La covariància és una mesura de fins a quin punt canvien juntes dues variables aleatòries."
#. Shwy7
#: statistics_covariance.xhp
@@ -72726,7 +72726,7 @@ msgctxt ""
"par_id1000690\n"
"help.text"
msgid "Maths"
-msgstr ""
+msgstr "Matemàtiques"
#. BYWoQ
#: statistics_descriptive.xhp
@@ -72735,7 +72735,7 @@ msgctxt ""
"par_id1000700\n"
"help.text"
msgid "Physics"
-msgstr ""
+msgstr "Física"
#. FeMDR
#: statistics_descriptive.xhp
@@ -72744,7 +72744,7 @@ msgctxt ""
"par_id1000710\n"
"help.text"
msgid "Biology"
-msgstr ""
+msgstr "Biologia"
#. AjAbs
#: statistics_descriptive.xhp
@@ -72771,7 +72771,7 @@ msgctxt ""
"par_id1000800\n"
"help.text"
msgid "Mode"
-msgstr ""
+msgstr "Moda"
#. PH44f
#: statistics_descriptive.xhp
@@ -72798,7 +72798,7 @@ msgctxt ""
"par_id1000920\n"
"help.text"
msgid "Standard Deviation"
-msgstr ""
+msgstr "Desviació tipus"
#. JqtpV
#: statistics_descriptive.xhp
@@ -73392,7 +73392,7 @@ msgctxt ""
"hd_id891629830986496\n"
"help.text"
msgid "Data"
-msgstr ""
+msgstr "Dades"
#. 9uRGh
#: statistics_regression.xhp
@@ -73473,7 +73473,7 @@ msgctxt ""
"hd_id1000070\n"
"help.text"
msgid "Output Regression Types"
-msgstr ""
+msgstr "Tipus de regressió d'eixida"
#. QMDBG
#: statistics_regression.xhp
@@ -73518,7 +73518,7 @@ msgctxt ""
"hd_id331629834218606\n"
"help.text"
msgid "Options"
-msgstr ""
+msgstr "Opcions"
#. uBCr7
#: statistics_regression.xhp
@@ -73527,7 +73527,7 @@ msgctxt ""
"hd_id481629834269509\n"
"help.text"
msgid "Confidence level"
-msgstr ""
+msgstr "Nivell de confiança"
#. YjBMV
#: statistics_regression.xhp
@@ -73608,7 +73608,7 @@ msgctxt ""
"par_id1000030\n"
"help.text"
msgid "<ahelp hid=\"modules/scalc/ui/samplingdialog/SamplingDialog\">Create a table with data sampled from another table.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"modules/scalc/ui/samplingdialog/SamplingDialog\">Crea una taula amb dades extretes d'una altra taula.</ahelp>"
#. vM6cz
#: statistics_sampling.xhp
@@ -73779,7 +73779,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Chi Square Statistics in Calc"
-msgstr ""
+msgstr "Estadístiques de khi quadrat al Calc"
#. hAnmA
#: statistics_test_chisqr.xhp
@@ -73797,7 +73797,7 @@ msgctxt ""
"hd_id1000240\n"
"help.text"
msgid "<variable id=\"chisqtesth1\"><link href=\"text/scalc/01/statistics_test_chisqr.xhp\">Chi-square test</link></variable>"
-msgstr ""
+msgstr "<variable id=\"chisqtesth1\"><link href=\"text/scalc/01/statistics_test_chisqr.xhp\">Prova khi quadrat</link></variable>"
#. u5MGV
#: statistics_test_chisqr.xhp
@@ -73806,7 +73806,7 @@ msgctxt ""
"par_id1003641\n"
"help.text"
msgid "<ahelp hid=\"modules/scalc/ui/chisquaretestdialog/ChiSquareTestDialog\">Calculates the Chi-square test of a data sample.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"modules/scalc/ui/chisquaretestdialog/ChiSquareTestDialog\">Calcula la prova khi quadrat d'una mostra de dades.</ahelp>"
#. pdD2p
#: statistics_test_chisqr.xhp
@@ -73815,7 +73815,7 @@ msgctxt ""
"par_id1003990\n"
"help.text"
msgid "<variable id=\"sam02\">Choose <menuitem>Data - Statistics - Chi-square Test</menuitem></variable>"
-msgstr ""
+msgstr "<variable id=\"sam02\">Trieu <menuitem>Dades ▸ Estadístiques ▸ Prova khi quadrat</menuitem></variable>"
#. cQrU7
#: statistics_test_chisqr.xhp
@@ -73833,7 +73833,7 @@ msgctxt ""
"hd_id1000231\n"
"help.text"
msgid "Results for Chi-square Test:"
-msgstr ""
+msgstr "Resultats de la prova khi quadrat:"
#. QHuAe
#: statistics_test_chisqr.xhp
@@ -73842,7 +73842,7 @@ msgctxt ""
"par_id1004030\n"
"help.text"
msgid "Test of Independence (Chi-Square)"
-msgstr ""
+msgstr "Prova d'independència (khi quadrat)"
#. BzGNg
#: statistics_test_chisqr.xhp
@@ -73869,7 +73869,7 @@ msgctxt ""
"par_id1004080\n"
"help.text"
msgid "P-value"
-msgstr ""
+msgstr "Valor P"
#. oF79y
#: statistics_test_chisqr.xhp
@@ -73914,7 +73914,7 @@ msgctxt ""
"hd_id1000180\n"
"help.text"
msgid "<variable id=\"ftesth1\"><link href=\"text/scalc/01/statistics_test_f.xhp\">F-test</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ftesth1\"><link href=\"text/scalc/01/statistics_test_f.xhp\">Prova F</link></variable>"
#. qHRjW
#: statistics_test_f.xhp
@@ -73959,7 +73959,7 @@ msgctxt ""
"hd_id1000190\n"
"help.text"
msgid "Data"
-msgstr ""
+msgstr "Dades"
#. jtjaQ
#: statistics_test_f.xhp
@@ -74004,7 +74004,7 @@ msgctxt ""
"par_id1003310\n"
"help.text"
msgid "The following table shows the <emph>F-Test</emph> for the data series above:"
-msgstr ""
+msgstr "La taula següent mostra la <emph>prova F</emph> de la sèrie de dades anterior:"
#. git3T
#: statistics_test_f.xhp
@@ -74013,7 +74013,7 @@ msgctxt ""
"par_id1003320\n"
"help.text"
msgid "Ftest"
-msgstr ""
+msgstr "Prova F"
#. WsA4s
#: statistics_test_f.xhp
@@ -74211,7 +74211,7 @@ msgctxt ""
"hd_id1000160\n"
"help.text"
msgid "Data"
-msgstr ""
+msgstr "Dades"
#. aU9k6
#: statistics_test_t.xhp
@@ -74337,7 +74337,7 @@ msgctxt ""
"par_id1003060\n"
"help.text"
msgid "Pearson Correlation"
-msgstr ""
+msgstr "Correlació de Pearson"
#. Nqq8i
#: statistics_test_t.xhp
@@ -74436,7 +74436,7 @@ msgctxt ""
"hd_id1000210\n"
"help.text"
msgid "<variable id=\"ztesth1\"><link href=\"text/scalc/01/statistics_test_z.xhp\">Z-test</link></variable>"
-msgstr ""
+msgstr "<variable id=\"ztesth1\"><link href=\"text/scalc/01/statistics_test_z.xhp\">Prova Z</link></variable>"
#. vjPXp
#: statistics_test_z.xhp
@@ -74472,7 +74472,7 @@ msgctxt ""
"hd_id1000220\n"
"help.text"
msgid "Data"
-msgstr ""
+msgstr "Dades"
#. G5qUC
#: statistics_test_z.xhp
@@ -74814,7 +74814,7 @@ msgctxt ""
"bm_id240920171018528200\n"
"help.text"
msgid "<bookmark_value>XML Source;load XML data in spreadsheets</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>font XML;càrrega de dades XML en fulls de càlcul</bookmark_value>"
#. iaidA
#: xml_source.xhp
@@ -74859,7 +74859,7 @@ msgctxt ""
"hd_id801521494731764\n"
"help.text"
msgid "XML Source Dialog"
-msgstr ""
+msgstr "Diàleg Font XML"
#. MZB9H
#: xml_source.xhp
@@ -75003,7 +75003,7 @@ msgctxt ""
"par_id240920171007419799\n"
"help.text"
msgid "<link href=\"https://wiki.documentfoundation.org/Development/Calc/XMLSource\" target=\"_blank\">Wiki page on XML Source</link>"
-msgstr ""
+msgstr "<link href=\"https://wiki.documentfoundation.org/Development/Calc/XMLSource\" target=\"_blank\">Pàgina del wiki sobre la funcionalitat Font XML</link> (en anglés)"
#. sYwVm
#: zoom.xhp
@@ -75012,7 +75012,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Zoom"
-msgstr ""
+msgstr "Escala"
#. BFTKX
#: zoom.xhp
@@ -75093,7 +75093,7 @@ msgctxt ""
"par_id71678262942683\n"
"help.text"
msgid "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Calc Zoom Slider</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Control lliscant d'escala al Calc</alt></image>"
#. 3svKV
#: zoom.xhp
@@ -75138,7 +75138,7 @@ msgctxt ""
"par_id841678230875046\n"
"help.text"
msgid "The center line on the zoom slider represents 100% zoom factor."
-msgstr ""
+msgstr "La línia central del control lliscant de l'escala representa el 100%."
#. GrGzC
#: zoom.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/02.po b/source/ca-valencia/helpcontent2/source/text/scalc/02.po
index fb279dba7da..af5ff126034 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/02.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/02.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-13 11:38+0100\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc02/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1542196414.000000\n"
@@ -114,7 +114,7 @@ msgctxt ""
"par_id3150543\n"
"help.text"
msgid "<ahelp hid=\"HID_INSWIN_SUMME\">Insert a function of a cell range into the current cell. The function can be Sum, Average, Minimum, Maximum and Count. Click in a cell, click this icon, select the function in the drop down list and optionally adjust the cell range. Or select some cells into which the function value will be inserted, then click the icon. The function result is added at the bottom of the range.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"HID_INSWIN_SUMME\">Insereix una funció d'un interval de cel·les en la cel·la actual. La funció pot ser Suma, Mitjana, Mínim Màxim o Compta. Feu clic en una cel·la, després en aquesta icona, seleccioneu la funció en la llista desplegable i, opcionalment, ajusteu l'interval de cel·les. O seleccioneu algunes cel·les en les quals s'inserirà el valor de la funció, i després feu clic a la icona. El resultat de la funció s'afig a la part inferior de l'interval.</ahelp>"
#. KDxsW
#: 06030000.xhp
@@ -150,7 +150,7 @@ msgctxt ""
"par_id3156444\n"
"help.text"
msgid "$[officename] automatically suggests a cell range, provided that the spreadsheet contains data. If the cell range already contains a function, you can combine it with the new one to yield the function applied to the range data. If the range contains filters, the Subtotal function is inserted instead of the selected function."
-msgstr ""
+msgstr "El $[officename] suggereix automàticament un interval de cel·les, sempre que el full de càlcul continga dades. Si l'interval de cel·les ja conté una funció, podeu combinar-la amb la nova per a produir la funció aplicada a les dades de l'interval. Si l'interval conté filtres, s'insereix la funció Subtotal en lloc de la funció seleccionada."
#. vpnqf
#: 06030000.xhp
@@ -159,7 +159,7 @@ msgctxt ""
"par_id3153189\n"
"help.text"
msgid "Click the <emph>Accept</emph> icon to use the formula displayed in the input line or <emph>Cancel</emph>."
-msgstr ""
+msgstr "Feu clic a la icona <emph>Accepta</emph> per a utilitzar la fórmula que es mostra en la línia d'entrada o <emph>Cancel·la</emph>."
#. TVD6h
#: 06030000.xhp
@@ -204,7 +204,7 @@ msgctxt ""
"hd_id261592658395518\n"
"help.text"
msgid "Select Function applied on a selected range"
-msgstr ""
+msgstr "Seleccioneu la funció aplicada en un interval seleccionat"
#. JPrPQ
#: 06030000.xhp
@@ -213,7 +213,7 @@ msgctxt ""
"par_id911592658130888\n"
"help.text"
msgid "When the selected range has two or more rows, the function is calculated for each column. The results are placed in empty cells on the first available row below the range, one result per column."
-msgstr ""
+msgstr "Si l'interval seleccionat té dues o més files, la funció es calcula per a cada columna. Els resultats es col·loquen en cel·les buides a la primera fila disponible per sota de l'interval, un resultat per columna."
#. iHksB
#: 06030000.xhp
@@ -222,7 +222,7 @@ msgctxt ""
"par_id991592658144387\n"
"help.text"
msgid "When the selected range has one row, the function result is placed in the first available cell on the right of the selected range."
-msgstr ""
+msgstr "Si l'interval seleccionat té una fila, el resultat de la funció es col·loca en la primera cel·la disponible a la dreta de l'interval seleccionat."
#. NYGR7
#: 06040000.xhp
@@ -582,7 +582,7 @@ msgctxt ""
"hd_id3148491\n"
"help.text"
msgid "<variable id=\"h1\"><link href=\"text/scalc/02/10050000.xhp\">Zoom In</link></variable>"
-msgstr ""
+msgstr "<variable id=\"h1\"><link href=\"text/scalc/02/10050000.xhp\">Apropa</link></variable>"
#. Uq4Tv
#: 10050000.xhp
@@ -600,7 +600,7 @@ msgctxt ""
"par_id71678262942683\n"
"help.text"
msgid "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Calc Zoom Slider</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Control lliscant d'escala al Calc</alt></image>"
#. GBXen
#: 10050000.xhp
@@ -618,7 +618,7 @@ msgctxt ""
"par_id3155854\n"
"help.text"
msgid "<image id=\"img_id3151116\" src=\"cmd/lc_zoomin.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3151116\">Icon Zoom In</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3151116\" src=\"cmd/lc_zoomin.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3151116\">Icona Apropa</alt></image>"
#. GcJsA
#: 10050000.xhp
@@ -654,7 +654,7 @@ msgctxt ""
"hd_id3153561\n"
"help.text"
msgid "<variable id=\"h1\"><link href=\"text/scalc/02/10060000.xhp\">Zoom Out</link></variable>"
-msgstr ""
+msgstr "<variable id=\"h1\"><link href=\"text/scalc/02/10060000.xhp\">Allunya</link></variable>"
#. BgFbq
#: 10060000.xhp
@@ -672,7 +672,7 @@ msgctxt ""
"par_id71678262942683\n"
"help.text"
msgid "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Calc Zoom Slider</alt></image>"
-msgstr ""
+msgstr "<image src=\"media/helpimg/scalc/calczoomslider.png\" id=\"img_id721678262942684\" width=\"282px\" height=\"40px\"><alt id=\"alt_id461678262942685\">Control lliscant d'escala al Calc</alt></image>"
#. Czu2U
#: 10060000.xhp
@@ -690,7 +690,7 @@ msgctxt ""
"par_id3153770\n"
"help.text"
msgid "<image id=\"img_id3155131\" src=\"cmd/lc_zoomout.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3155131\">Icon</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id3155131\" src=\"cmd/lc_zoomout.svg\" width=\"1cm\" height=\"1cm\"><alt id=\"alt_id3155131\">Icona</alt></image>"
#. rfG8A
#: 10060000.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/04.po b/source/ca-valencia/helpcontent2/source/text/scalc/04.po
index f2ae3d5bdde..f4117b3bd05 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/04.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/04.po
@@ -4,16 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-03-02 11:50+0100\n"
-"PO-Revision-Date: 2020-05-23 22:45+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
-"Language-Team: Catalan <https://weblate.documentfoundation.org/projects/libo_help-master/textscalc04/ca_VALENCIA/>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc04/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1516022395.000000\n"
@@ -33,7 +33,7 @@ msgctxt ""
"bm_id3145801\n"
"help.text"
msgid "<bookmark_value>spreadsheets; shortcut keys in</bookmark_value> <bookmark_value>shortcut keys; spreadsheets</bookmark_value> <bookmark_value>sheet ranges; filling</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>fulls de càlcul; dreceres de teclat a</bookmark_value> <bookmark_value>dreceres de teclat; fulls de càlcul</bookmark_value> <bookmark_value>intervals de fulls; ompliment</bookmark_value>"
#. qPZBx
#: 01020000.xhp
@@ -51,7 +51,7 @@ msgctxt ""
"par_id3155067\n"
"help.text"
msgid "To fill a selected cell range with the formula that you entered on the <emph>Input line</emph>, press <switchinline select=\"sys\"><caseinline select=\"MAC\">Option</caseinline><defaultinline>Alt</defaultinline></switchinline>+Enter."
-msgstr ""
+msgstr "Per omplir un interval de cel·les seleccionat amb la fórmula que heu introduït a la <emph>línia d'entrada</emph>, premeu <switchinline select=\"sys\"><caseinline select=\"MAC\">Opció</caseinline><defaultinline>Alt</defaultinline></switchinline>+Entrar."
#. RYfUJ
#: 01020000.xhp
@@ -645,7 +645,7 @@ msgctxt ""
"par_id3153935\n"
"help.text"
msgid "Moves the cursor down one cell in a selected range. To specify the direction that the cursor moves, choose <switchinline select=\"sys\"><caseinline select=\"MAC\"><emph>%PRODUCTNAME - Preferences</emph></caseinline><defaultinline><emph>Tools - Options</emph></defaultinline></switchinline><emph> - %PRODUCTNAME Calc - General</emph> and change the option in <emph>Press Enter to move selection</emph>."
-msgstr ""
+msgstr "Mou el cursor una cel·la cap avall en un interval seleccionat. Per a especificar la direcció del moviment del cursor, trieu <switchinline select=\"sys\"><caseinline select=\"MAC\"><emph>%PRODUCTNAME ▸ Preferències</emph></caseinline><defaultinline><emph>Eines ▸ Opcions</emph></defaultinline></switchinline><emph> ▸ %PRODUCTNAME Calc ▸ General</emph> i canvieu el valor del paràmetre <emph>Mou la selecció en prémer Retorn</emph>."
#. DbRBy
#: 01020000.xhp
@@ -744,7 +744,7 @@ msgctxt ""
"hd_id271637246984980\n"
"help.text"
msgid "Copying and Renaming Sheets"
-msgstr ""
+msgstr "Còpia i canvi de nom dels fulls"
#. dNyPQ
#: 01020000.xhp
@@ -762,7 +762,7 @@ msgctxt ""
"par_id741637247123788\n"
"help.text"
msgid "Shortcut Keys"
-msgstr ""
+msgstr "Tecles de drecera"
#. ZB9vf
#: 01020000.xhp
@@ -771,7 +771,7 @@ msgctxt ""
"par_id731637247123788\n"
"help.text"
msgid "Effect"
-msgstr ""
+msgstr "Efecte"
#. 9SNqY
#: 01020000.xhp
@@ -1770,7 +1770,7 @@ msgctxt ""
"hd_id3149423\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Option</keycode></caseinline><defaultinline><keycode>Alt</keycode></defaultinline></switchinline> and the underlined character in the label \"Filters\""
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Opció</keycode></caseinline><defaultinline><keycode>Alt</keycode></defaultinline></switchinline> i el caràcter subratllat a l'etiqueta «Filtres»"
#. Dnys7
#: 01020000.xhp
@@ -1788,7 +1788,7 @@ msgctxt ""
"hd_id3149418\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+Up Arrow</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + fletxa amunt</keycode>"
#. 5sk3h
#: 01020000.xhp
@@ -1806,7 +1806,7 @@ msgctxt ""
"hd_id3148462\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+Down Arrow</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + fletxa avall</keycode>"
#. eMbdi
#: 01020000.xhp
@@ -1824,7 +1824,7 @@ msgctxt ""
"hd_id3145373\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+Left Arrow</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + fletxa esquerra</keycode>"
#. ZhhRj
#: 01020000.xhp
@@ -1842,7 +1842,7 @@ msgctxt ""
"hd_id3150423\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+Right Arrow</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + fletxa dreta</keycode>"
#. hDqUA
#: 01020000.xhp
@@ -1860,7 +1860,7 @@ msgctxt ""
"hd_id3149519\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+Home</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + Inici</keycode>"
#. SFdar
#: 01020000.xhp
@@ -1878,7 +1878,7 @@ msgctxt ""
"hd_id3145310\n"
"help.text"
msgid "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Command</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode>+End</keycode>"
-msgstr ""
+msgstr "<switchinline select=\"sys\"><caseinline select=\"MAC\"><keycode>Ordre</keycode></caseinline><defaultinline><keycode>Ctrl</keycode></defaultinline></switchinline><keycode> + Final</keycode>"
#. ZeXEZ
#: 01020000.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/05.po b/source/ca-valencia/helpcontent2/source/text/scalc/05.po
index 7efd7bf5ca4..50a98fc3772 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/05.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/05.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-22 12:01+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalc05/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1535978643.000000\n"
@@ -33,7 +33,7 @@ msgctxt ""
"hd_id3146797\n"
"help.text"
msgid "<link href=\"text/scalc/05/02140000.xhp\">Error Codes in %PRODUCTNAME Calc</link>"
-msgstr ""
+msgstr "<link href=\"text/scalc/05/02140000.xhp\">Codis d'error del %PRODUCTNAME Calc</link>"
#. 2M4JF
#: 02140000.xhp
@@ -42,7 +42,7 @@ msgctxt ""
"par_id3150275\n"
"help.text"
msgid "The following table is an overview of the error messages for %PRODUCTNAME Calc. If the error occurs in the cell that contains the cursor, the error message is displayed on the <emph>Status Bar</emph>."
-msgstr ""
+msgstr "La taula següent mostra de manera general els missatges d'error del %PRODUCTNAME Calc. Si l'error es produeix en la cel·la que conté el cursor, el missatge de l'error es mostra a la <emph>barra d'estat</emph>."
#. XULDU
#: 02140000.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/guide.po b/source/ca-valencia/helpcontent2/source/text/scalc/guide.po
index 95611de438a..bef98f342ca 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/guide.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/guide.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:28+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalcguide/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1542196415.000000\n"
@@ -420,7 +420,7 @@ msgctxt ""
"bm_id3155132\n"
"help.text"
msgid "<bookmark_value>tables; AutoFormat</bookmark_value> <bookmark_value>AutoFormat cell ranges</bookmark_value> <bookmark_value>formats; automatically formatting spreadsheets</bookmark_value> <bookmark_value>sheets;AutoFormat</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>taules; format automàtic</bookmark_value><bookmark_value>format automàtic dels intervals de cel·les</bookmark_value><bookmark_value>formats; formatació automàtica dels fulls de càlcul</bookmark_value><bookmark_value>fulls;format automàtic</bookmark_value>"
#. PYXFN
#: autoformat.xhp
@@ -438,7 +438,7 @@ msgctxt ""
"par_id3149401\n"
"help.text"
msgid "Use the AutoFormat feature to quickly apply a format to a selected cell range."
-msgstr ""
+msgstr "Feu servir la funcionalitat Formatació automàtica per a aplicar ràpidament una formatació en un interval de cel·les seleccionat."
#. rA9iM
#: autoformat.xhp
@@ -447,7 +447,7 @@ msgctxt ""
"par_idN10702\n"
"help.text"
msgid "Applying an AutoFormat to a Selected Cell Range"
-msgstr ""
+msgstr "Aplicació d'una formatació automàtica en un interval de cel·les seleccionat"
#. jDKjA
#: autoformat.xhp
@@ -465,7 +465,7 @@ msgctxt ""
"par_idN106D5\n"
"help.text"
msgid "Go to <menuitem>Format - AutoFormat Styles</menuitem> to open the AutoFormat dialog."
-msgstr ""
+msgstr "Aneu a <menuitem>Format ▸ Estils de formatació automàtica</menuitem> per a obrir el diàleg Formatació automàtica."
#. CXiex
#: autoformat.xhp
@@ -519,7 +519,7 @@ msgctxt ""
"hd_id731630343367098\n"
"help.text"
msgid "Defining a new AutoFormat style"
-msgstr ""
+msgstr "Definició d'un estil de formatació automàtica nou"
#. 2QDCM
#: autoformat.xhp
@@ -564,7 +564,7 @@ msgctxt ""
"par_idN107C3\n"
"help.text"
msgid "Click <emph>OK</emph> and close the dialog."
-msgstr ""
+msgstr "Feu clic a <emph>D'acord</emph> i tanqueu el diàleg."
#. HJiDi
#: autoformat.xhp
@@ -600,7 +600,7 @@ msgctxt ""
"bm_id3149346\n"
"help.text"
msgid "<bookmark_value>spreadsheets; backgrounds</bookmark_value><bookmark_value>backgrounds;cell ranges</bookmark_value><bookmark_value>tables; backgrounds</bookmark_value><bookmark_value>cells; backgrounds</bookmark_value><bookmark_value>rows, see also cells</bookmark_value><bookmark_value>columns, see also cells</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>fulls de càlcul; fons</bookmark_value><bookmark_value>fons;intervals de cel·les</bookmark_value><bookmark_value>taules;fons</bookmark_value><bookmark_value>cel·les;fons</bookmark_value><bookmark_value>files, mostra també les cel·les</bookmark_value><bookmark_value>columnes, mostra també les cel·les</bookmark_value>"
#. 4sJss
#: background.xhp
@@ -609,7 +609,7 @@ msgctxt ""
"hd_id3149346\n"
"help.text"
msgid "<variable id=\"background\"><link href=\"text/scalc/guide/background.xhp\">Defining Background Colors or Background Graphics</link> </variable>"
-msgstr ""
+msgstr "<variable id=\"background\"><link href=\"text/scalc/guide/background.xhp\">Definició dels colors de fons dels gràfics de fons</link> </variable>"
#. gwwiM
#: background.xhp
@@ -690,7 +690,7 @@ msgctxt ""
"par_id3153575\n"
"help.text"
msgid "The graphic is inserted anchored to the current cell. You can move and scale the graphic as you want. In your context menu you can use the <menuitem>Arrange - To Background</menuitem> command to place this in the background. To select a graphic that has been placed in the background, use the <link href=\"text/scalc/01/02110000.xhp\">Navigator</link>."
-msgstr ""
+msgstr "El gràfic s'insereix ancorat a la cel·la actual. Podeu moure i escalar el gràfic com vulgueu. Al menú de context podeu utilitzar l'ordre <menuitem>Organitza ▸ Al fons</menuitem> per a col·locar-lo al fons. Per a seleccionar un gràfic que s'ha col·locat al fons, feu servir el <link href=\"text/scalc/01/02110000.xhp\">Navegador</link>."
#. vTxFX
#: background.xhp
@@ -708,7 +708,7 @@ msgctxt ""
"par_id3156180\n"
"help.text"
msgid "<link href=\"text/shared/01/05210100.xhp\"><emph>Background</emph> tab page</link>"
-msgstr ""
+msgstr "<link href=\"text/shared/01/05210100.xhp\">Pestanya <emph>Fons</emph></link>"
#. owozX
#: background.xhp
@@ -735,7 +735,7 @@ msgctxt ""
"bm_id3457441\n"
"help.text"
msgid "<bookmark_value>cells;borders</bookmark_value> <bookmark_value>line arrangements with cells</bookmark_value> <bookmark_value>borders;cells</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>cel·les;vores</bookmark_value><bookmark_value>arranjaments de files amb cel·les</bookmark_value><bookmark_value>vores;cel·les</bookmark_value>"
#. ajMCN
#: borders.xhp
@@ -1257,7 +1257,7 @@ msgctxt ""
"hd_id861630451554176\n"
"help.text"
msgid "Adjacent Cells"
-msgstr ""
+msgstr "Cel·les adjacents"
#. k8s2o
#: borders.xhp
@@ -2292,7 +2292,7 @@ msgctxt ""
"par_id3154371\n"
"help.text"
msgid "By default, all cells of the selection, including the hidden cells, are copied, deleted, moved, or formatted. Restrict the selection to visible rows choosing <menuitem>Edit - Select - Select Visible Rows Only</menuitem> or to visible columns choosing <menuitem>Edit - Select - Select Visible Columns Only</menuitem>."
-msgstr ""
+msgstr "Per defecte, totes les cel·les de la selecció, les amagades incloses, es copien, suprimeixen, mouen o formaten. Restringiu la selecció a les files visibles mitjançant <menuitem>Edita ▸ Selecciona ▸ Selecciona només les files visibles</menuitem>, o bé, a les columnes visibles, triant <menuitem>Edita ▸ Selecciona ▸ Selecciona només les columnes visibles</menuitem>."
#. rBtUY
#: cellreference_dragdrop.xhp
@@ -2463,7 +2463,7 @@ msgctxt ""
"par_id2078005\n"
"help.text"
msgid "Open a new, empty spreadsheet. By default, it has only a single sheet named Sheet1. Add a second sheet clicking on <emph>+</emph> button to the left of the sheet tab in the bottom (it will be named Sheet2 by default)."
-msgstr ""
+msgstr "Obriu un full de càlcul nou i buit. Per defecte, té un sol full anomenat Full1. Afegiu-hi un segon full fent clic al botó <emph>+</emph> de l'esquerra de la pestanya del de la part interior del full (per defecte, es dirà Full2)."
#. paXnm
#: cellreferences.xhp
@@ -2508,7 +2508,7 @@ msgctxt ""
"par_id3147338\n"
"help.text"
msgid "When referencing a sheet with name containing spaces, use single quotes around the name: <item type=\"literal\">='Sheet with spaces in name'.A1</item>"
-msgstr ""
+msgstr "En referenciar un full amb un nom que continga espais, utilitzeu cometes simples al voltant del nom:<item type=\"literal\">='Full amb espais al nom'.A1</item>"
#. 7thQw
#: cellreferences.xhp
@@ -2517,7 +2517,7 @@ msgctxt ""
"par_id3147383\n"
"help.text"
msgid "The example uses Calc formula syntax. It is also possible to use Excel A1 or R1C1 formula syntax; this is configured on <link href=\"text/shared/optionen/01060900.xhp\">Formula options page</link>."
-msgstr ""
+msgstr "L'exemple utilitza la sintaxi de la fórmula del Calc. També és possible utilitzar la sintaxi de la fórmula A1 o R1C1 de l'Excel; això es configura a la <link href=\"text/shared/optionen/01060900.xhp\">Pàgina d'opcions de la fórmula</link>."
#. mK8vG
#: cellreferences.xhp
@@ -2580,7 +2580,7 @@ msgctxt ""
"par_id51672076541215\n"
"help.text"
msgid "For example, <switchinline select=\"sys\"><caseinline select=\"WIN\">'file:///C:/Users/user/Documents/Price list.ods'#$'Information SKU'.H51</caseinline><defaultinline>'file:///home/user/Documents/Price list.ods'#$'Information SKU'.H51</defaultinline></switchinline>."
-msgstr ""
+msgstr "Per exemple, <switchinline select=\"sys\"><caseinline select=\"WIN\">'file:///C:/Users/user/Documents/Llista de preus.ods'#$'Informació SKU'.H51</caseinline><defaultinline>'file:///home/user/Documents/Llista de preus.ods'#$'Informació SKU'.H51</defaultinline></switchinline>."
#. iwcWF
#: cellreferences.xhp
@@ -2607,7 +2607,7 @@ msgctxt ""
"par_id7099826\n"
"help.text"
msgid "If you drag the box in the lower right corner of the active cell to select a range of cells, $[officename] automatically inserts the corresponding references in the adjacent cells. As a result, the sheet name is preceded with a \"$\" sign to designate it as an <link href=\"text/scalc/guide/relativ_absolut_ref.xhp\">absolute reference</link>."
-msgstr ""
+msgstr "Si arrossegueu el quadre de l'extrem inferior dret de la cel·la activa per a seleccionar un interval de cel·les, el $[officename] insereix automàticament les referències corresponents a les cel·les adjacents. Per consegüent, el nom del full té un símbol «$» al davant per a designar-lo com a <link href=\"text/scalc/guide/relativ_absolut_ref.xhp\">referència absoluta</link>."
#. hmeJR
#: cellreferences.xhp
@@ -5028,7 +5028,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Formatting Pivot Tables"
-msgstr ""
+msgstr "Formatació de les taules dinàmiques"
#. GkCpq
#: datapilot_formatting.xhp
@@ -5037,7 +5037,7 @@ msgctxt ""
"bm_id931656104694657\n"
"help.text"
msgid "<bookmark_value>formatting;pivot tables</bookmark_value>"
-msgstr ""
+msgstr "<bookmark_value>formatació;taules dinàmiques</bookmark_value>"
#. rsh3f
#: datapilot_formatting.xhp
@@ -5046,7 +5046,7 @@ msgctxt ""
"hd_id341656099297638\n"
"help.text"
msgid "<variable id=\"h1\"><link href=\"text/scalc/guide/datapilot_formatting.xhp\">Formatting Pivot Tables</link></variable>"
-msgstr ""
+msgstr "<variable id=\"h1\"><link href=\"text/scalc/guide/datapilot_formatting.xhp\">Formatació de les taules dinàmiques</link></variable>"
#. aA7AD
#: datapilot_formatting.xhp
@@ -5055,7 +5055,7 @@ msgctxt ""
"par_id121656099297641\n"
"help.text"
msgid "You can format pivot tables cells using specific cell styles."
-msgstr ""
+msgstr "És possible formatar les taules dinàmiques mitjançant estils de cel·la específics."
#. V3B9U
#: datapilot_formatting.xhp
@@ -5091,7 +5091,7 @@ msgctxt ""
"par_id941656100017412\n"
"help.text"
msgid "The six cell styles are:"
-msgstr ""
+msgstr "Els sis estils de cel·la són:"
#. cH3xo
#: datapilot_formatting.xhp
@@ -5136,7 +5136,7 @@ msgctxt ""
"par_id521656100088324\n"
"help.text"
msgid "Pivot Table Value"
-msgstr ""
+msgstr "Valor de la taula dinàmica"
#. HABWX
#: datapilot_formatting.xhp
@@ -5145,7 +5145,7 @@ msgctxt ""
"par_id111656100092437\n"
"help.text"
msgid "Pivot Table Title"
-msgstr ""
+msgstr "Títol de la taula dinàmica"
#. cRb6R
#: datapilot_formatting.xhp
@@ -5766,7 +5766,7 @@ msgctxt ""
"par_idN10614\n"
"help.text"
msgid "You can use <emph>Shift</emph>+<switchinline select=\"sys\"><caseinline select=\"MAC\"><emph>Command</emph></caseinline><defaultinline><emph>Ctrl</emph></defaultinline></switchinline>+<emph>Page Up</emph> or <emph>Page Down</emph> to select multiple sheets using the keyboard."
-msgstr ""
+msgstr "Podeu utilitzar <emph>Maj</emph>+<switchinline select=\"sys\"><caseinline select=\"MAC\"><emph>Ordre</emph></caseinline><defaultinline><emph>Ctrl</emph></defaultinline></switchinline>+<emph>Re pàg</emph> o <emph> Av pàg</emph> per seleccionar diversos fulls amb el teclat."
#. bwHKS
#: edit_multitables.xhp
@@ -5991,7 +5991,7 @@ msgctxt ""
"par_id3163853\n"
"help.text"
msgid "Cell contents can be formatted in different ways. For example, a number can be formatted as a currency, to be displayed with a currency symbol. These symbols are included in searches when the Formatted Display search option is activated."
-msgstr ""
+msgstr "Els continguts de les cel·les es poden formatar de diverses maneres. Per exemple, un número es pot formatar com a moneda perquè es mostre amb un símbol de moneda. Aquests símbols s'inclouen a les cerques quan l'opció de cerca Visualització formatada està activada."
#. Z4ABm
#: finding.xhp
@@ -6198,7 +6198,7 @@ msgctxt ""
"par_id3154733\n"
"help.text"
msgid "You can assign a format to any group of cells by first selecting the cells (for multiple selection, hold down the <switchinline select=\"sys\"><caseinline select=\"MAC\">Command</caseinline><defaultinline>Ctrl</defaultinline></switchinline> key when clicking), and then activating the <emph>Format Cells</emph> dialog in <item type=\"menuitem\">Format - Cells</item>. In this dialog, you can select attributes such as shadows and backgrounds."
-msgstr ""
+msgstr "Podeu assignar un format a qualsevol grup de cel·les seleccionant primerament les cel·les (per fer una selecció múltiple, mantingueu premuda la tecla <switchinline select=\"sys\"><caseinline select=\"MAC\">Ordre</caseinline><defaultinline>Ctrl</defaultinline></switchinline> en fer clic), i activant a continuació el diàleg <emph>Formata les cel·les</emph> a <item type=\"menuitem\">Formata - Cel·les</item>. En aquest diàleg, podeu seleccionar atributs com ara les ombres i els fons."
#. QyNx2
#: format_table.xhp
@@ -8772,7 +8772,7 @@ msgctxt ""
"par_id6478774\n"
"help.text"
msgid "<image id=\"img_id1621753\" src=\"media/helpimg/what-if.png\"><alt id=\"alt_id1621753\">what-if sheet area</alt></image>"
-msgstr ""
+msgstr "<image id=\"img_id1621753\" src=\"media/helpimg/what-if.png\"><alt id=\"alt_id1621753\">àrea «i si» del full</alt></image>"
#. KavvR
#: multioperation.xhp
@@ -9294,7 +9294,7 @@ msgctxt ""
"par_id0908200901265196\n"
"help.text"
msgid "<emph>Only integer numbers including exponent are converted</emph>, and ISO 8601 dates and times in their extended formats with separators. Anything else, like fractional numbers with decimal separators or dates other than ISO 8601, is not converted, as the text string would be locale dependent. Leading and trailing blanks are ignored."
-msgstr ""
+msgstr "<emph>Només els nombres enters inclosos els exponents es converteixen</emph> i ISO 8601 dates i hores en els seus formats ampliats amb separadors. Qualsevol altra cosa com els nombres fraccionaris amb separadors decimals o dates diferents de l'ISO 8601 no es convertirà ja que la cadena de text dependrà de la localització. S'ignoren els espais en blanc inicials i finals."
#. KHDbE
#: numbers_text.xhp
@@ -9483,7 +9483,7 @@ msgctxt ""
"par_id611567607779380\n"
"help.text"
msgid "<literal>=SUM(\"1E2\";1)</literal> returns #VALUE! because SUM() and some others that iterate over number sequences explicitly check the argument type."
-msgstr ""
+msgstr "<literal> =SUMA(\"1E2\";1)</literal> retorna #VALUE! perquè SUM() i alguns altres que iteren sobre seqüències de nombres verifiquen explícitament el tipus d'argument."
#. RNrFS
#: numbers_text.xhp
@@ -10761,7 +10761,7 @@ msgctxt ""
"hd_id191672069640769\n"
"help.text"
msgid "Cell references"
-msgstr ""
+msgstr "Referències a cel·les"
#. ByUqP
#: relativ_absolut_ref.xhp
@@ -10779,7 +10779,7 @@ msgctxt ""
"hd_id211672069771744\n"
"help.text"
msgid "Cell ranges"
-msgstr ""
+msgstr "Intervals de cel·les"
#. ocLKM
#: relativ_absolut_ref.xhp
@@ -10905,7 +10905,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Removing Duplicate Values"
-msgstr ""
+msgstr "Eliminació dels valors duplicats"
#. hGQvA
#: remove_duplicates.xhp
@@ -11202,7 +11202,7 @@ msgctxt ""
"par_id761607437686157\n"
"help.text"
msgid "The single quote is Unicode <literal>U+0027</literal>, also known as <literal>apostrophe</literal>. Other single-quote characters, similar to <literal>apostrophe</literal>, are allowed, such as <literal>ʼ</literal> <literal>‛</literal> and <literal>‚</literal>."
-msgstr ""
+msgstr "La cita única és Unicode <literal>U+0027</literal> també conegut com a <literal>apòstrof</literal>. Es permeten altres caràcters d'una cita similar a l'apòstrof <literal></literal> com ara <literal>'</literal> <literal>‛</literal> i <literal>‚</literal>."
#. DMm29
#: rename_table.xhp
@@ -11220,7 +11220,7 @@ msgctxt ""
"par_id81519309108908\n"
"help.text"
msgid "You can set a prefix for the names of new sheets you create. Choose <switchinline select=\"sys\"><caseinline select=\"MAC\"><menuitem>%PRODUCTNAME - Preferences</menuitem></caseinline><defaultinline><menuitem>Tools - Options</menuitem></defaultinline></switchinline><menuitem> - %PRODUCTNAME Calc - Defaults</menuitem> and enter the prefix name in <emph>Prefix name for new worksheet</emph>."
-msgstr ""
+msgstr "Podeu establir un prefix per als noms dels fulls nous que creeu. Trieu <switchinline select=\"sys\"><caseinline select=\"MAC\"><menuitem>%PRODUCTNAME - Preferències</menuitem></caseinline><defaultinline><menuitem> Eines ▸ Opcions</menuitem></defaultinline></switchinline><menuitem> - per defecte</menuitem>- i introduïu el nom del prefix en el nom del prefix <emph>per al full de treball nou</emph>."
#. Ev9Ae
#: rename_table.xhp
@@ -11805,7 +11805,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Applying Advanced Filters"
-msgstr ""
+msgstr "Aplicació de filtres avançats"
#. Gy5TZ
#: specialfilter.xhp
@@ -11823,7 +11823,7 @@ msgctxt ""
"hd_id3148798\n"
"help.text"
msgid "<variable id=\"specialfilter\"><link href=\"text/scalc/guide/specialfilter.xhp\">Applying Advanced Filters</link></variable>"
-msgstr ""
+msgstr "<variable id=\"specialfilter\"><link href=\"text/scalc/guide/specialfilter.xhp\">Aplicació de filtres avançats</link></variable>"
#. tYuAi
#: specialfilter.xhp
@@ -11859,7 +11859,7 @@ msgctxt ""
"par_id3149664\n"
"help.text"
msgid "Example"
-msgstr ""
+msgstr "Exemple"
#. UFqRd
#: specialfilter.xhp
@@ -12030,7 +12030,7 @@ msgctxt ""
"par_id3147372\n"
"help.text"
msgid "Choose <menuitem>Data - More Filters - Advanced Filter</menuitem>, and then select the range A20:E22. After you click OK, only the filtered rows will be displayed. The other rows will be hidden from view."
-msgstr ""
+msgstr "Trieu <menuitem>Dades ▸ Més filtres ▸ Filtre avançat</menuitem> i seleccioneu l'interval A20:E22. Després de que feu clic a D'acord, només es mostraran les files filtrades. La resta s'amagarà de la visualització."
#. jQ6bn
#: subtotaltool.xhp
@@ -12156,7 +12156,7 @@ msgctxt ""
"par_id301585177698777\n"
"help.text"
msgid "Click <emph>OK</emph>. Calc will add subtotal and grand total rows to your cell range."
-msgstr ""
+msgstr "Feu clic a <emph>D'acord</emph>. El Calc sumarà les files de subtotal i total a l'interval de cel·les."
#. iMTer
#: subtotaltool.xhp
@@ -13794,7 +13794,7 @@ msgctxt ""
"par_id861629209212608\n"
"help.text"
msgid "Description"
-msgstr ""
+msgstr "Descripció"
#. DfkJA
#: wildcards.xhp
@@ -13830,7 +13830,7 @@ msgctxt ""
"par_id981629209073388\n"
"help.text"
msgid "<emph>* (asterisk)</emph>"
-msgstr ""
+msgstr "<emph>* (asterisc)</emph>"
#. 6V7SE
#: wildcards.xhp
@@ -13857,7 +13857,7 @@ msgctxt ""
"par_id181629209277556\n"
"help.text"
msgid "<emph>~ (tilde)</emph>"
-msgstr ""
+msgstr "<emph>~ (titlla)</emph>"
#. F3Tuy
#: wildcards.xhp
@@ -13893,7 +13893,7 @@ msgctxt ""
"hd_id671629158766165\n"
"help.text"
msgid "Supported Spreadsheet Functions"
-msgstr ""
+msgstr "Funcions de full de càlcul admeses"
#. YF9FB
#: wildcards.xhp
@@ -13983,7 +13983,7 @@ msgctxt ""
"par_id141629159465592\n"
"help.text"
msgid "Wildcard comparisons are <emph>not</emph> case sensitive, hence \"A?\" will match both \"A1\" and \"a1\"."
-msgstr ""
+msgstr "Les comparacions amb comodins <emph>no</emph> distingeixen majúscules i minúscules; per tant, «A?» trobarà tant «A1» com «a1»."
#. ysgCC
#: year2000.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/scalc/menu.po b/source/ca-valencia/helpcontent2/source/text/scalc/menu.po
index 42c0623c14d..dcfb36dd179 100644
--- a/source/ca-valencia/helpcontent2/source/text/scalc/menu.po
+++ b/source/ca-valencia/helpcontent2/source/text/scalc/menu.po
@@ -4,14 +4,16 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-05-31 16:28+0200\n"
-"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
-"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
-"Language-Team: LANGUAGE <LL@li.org>\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
+"Last-Translator: Joan Montané <joan@montane.cat>\n"
+"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textscalcmenu/ca_VALENCIA/>\n"
+"Language: ca-valencia\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
+"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. wBy8B
#: sheet_tab_menu.xhp
@@ -20,7 +22,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Sheet Tab Menu"
-msgstr ""
+msgstr "Menú de la pestanya del full"
#. e6WT4
#: sheet_tab_menu.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/schart/01.po b/source/ca-valencia/helpcontent2/source/text/schart/01.po
index afe1fb06c45..ba0d415a863 100644
--- a/source/ca-valencia/helpcontent2/source/text/schart/01.po
+++ b/source/ca-valencia/helpcontent2/source/text/schart/01.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2022-12-07 19:22+0100\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:24+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textschart01/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
"X-Language: ca-XV\n"
"X-POOTLE-MTIME: 1519750186.000000\n"
@@ -645,7 +645,7 @@ msgctxt ""
"hd_id1106200812112445\n"
"help.text"
msgid "Overlay"
-msgstr ""
+msgstr "Superposició"
#. C27pQ
#: 04020000.xhp
@@ -2571,7 +2571,7 @@ msgctxt ""
"hd_id0305200910524938\n"
"help.text"
msgid "Hide legend entry"
-msgstr ""
+msgstr "Amaga l'entrada de la llegenda"
#. roeRi
#: 04060000.xhp
@@ -2580,7 +2580,7 @@ msgctxt ""
"par_id030520091052495\n"
"help.text"
msgid "<ahelp hid=\".\">Do not show legend entry for the selected data series or data point.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\".\">No mostra l'entrada de la llegenda per a la sèrie de dades o el punt de dades seleccionat.</ahelp>"
#. WWrcn
#: 04070000.xhp
@@ -4839,7 +4839,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Data Table"
-msgstr ""
+msgstr "Taula de dades"
#. pDBTX
#: data_table.xhp
@@ -4857,7 +4857,7 @@ msgctxt ""
"hd_id861665495783520\n"
"help.text"
msgid "<variable id=\"data_table_h1\"><link href=\"text/schart/01/data_table.xhp\">Chart Data Table</link></variable>"
-msgstr ""
+msgstr "<variable id=\"data_table_h1\"><link href=\"text/schart/01/data_table.xhp\">Taula de dades del diagrama</link></variable>"
#. d3MTA
#: data_table.xhp
@@ -4866,7 +4866,7 @@ msgctxt ""
"par_id131665495992109\n"
"help.text"
msgid "Inserts a <emph>Chart Data Table</emph> and configure its appearance."
-msgstr ""
+msgstr "Insereix una <emph>taula de dades del diagrama</emph> i en configura l'aparença."
#. hSg8E
#: data_table.xhp
@@ -4911,7 +4911,7 @@ msgctxt ""
"par_id431665496331262\n"
"help.text"
msgid "Double-click the <emph>Data Table</emph>."
-msgstr ""
+msgstr "Feu doble clic a la <emph>taula de dades</emph>."
#. BPQcM
#: data_table.xhp
@@ -4929,7 +4929,7 @@ msgctxt ""
"par_id891665496566910\n"
"help.text"
msgid "To remove the data table:"
-msgstr ""
+msgstr "Per a eliminar la taula de dades:"
#. sC5D7
#: data_table.xhp
@@ -4938,7 +4938,7 @@ msgctxt ""
"par_id701665496615511\n"
"help.text"
msgid "Double-click the chart to enter edit mode."
-msgstr ""
+msgstr "Feu doble clic al diagrama per a entrar en el mode d'edició."
#. KGjkj
#: data_table.xhp
@@ -4947,7 +4947,7 @@ msgctxt ""
"par_id721665496616565\n"
"help.text"
msgid "Choose <menuitem>Insert - Data Table</menuitem>."
-msgstr ""
+msgstr "Trieu <menuitem>Insereix ▸ Taula de dades</menuitem>."
#. CaLtM
#: data_table.xhp
@@ -4956,7 +4956,7 @@ msgctxt ""
"par_id841665496617023\n"
"help.text"
msgid "Uncheck the option <menuitem>Show data table</menuitem>."
-msgstr ""
+msgstr "Desmarqueu l'opció <menuitem>Mostra la taula de dades</menuitem>."
#. W8sr5
#: data_table.xhp
@@ -4965,7 +4965,7 @@ msgctxt ""
"hd_id621665496873285\n"
"help.text"
msgid "Show data table"
-msgstr ""
+msgstr "Mostra la taula de dades"
#. S42it
#: data_table.xhp
@@ -4974,7 +4974,7 @@ msgctxt ""
"par_id901665496890334\n"
"help.text"
msgid "Check this option to show the data table in the chart. Uncheck this option if you want to remove the data table from the chart."
-msgstr ""
+msgstr "Activeu aquesta opció per a mostrar la taula de dades al diagrama. Desmarqueu aquesta opció si voleu eliminar la taula de dades del diagrama."
#. ybrCy
#: data_table.xhp
@@ -4983,7 +4983,7 @@ msgctxt ""
"hd_id71665496992777\n"
"help.text"
msgid "Data table properties"
-msgstr ""
+msgstr "Propietats de la taula de dades"
#. GrWMT
#: data_table.xhp
@@ -4992,7 +4992,7 @@ msgctxt ""
"par_id571665497168086\n"
"help.text"
msgid "Format properties of the data table:"
-msgstr ""
+msgstr "Propietats del format de la taula de dades:"
#. 5tT7C
#: data_table.xhp
@@ -5001,7 +5001,7 @@ msgctxt ""
"hd_id61665497013657\n"
"help.text"
msgid "Show horizontal border"
-msgstr ""
+msgstr "Mostra la vora horitzontal"
#. yGFEW
#: data_table.xhp
@@ -5010,7 +5010,7 @@ msgctxt ""
"par_id681665497198015\n"
"help.text"
msgid "Show or hide internal row borders."
-msgstr ""
+msgstr "Mostra o amaga les vores internes de les files."
#. CGuAE
#: data_table.xhp
@@ -5019,7 +5019,7 @@ msgctxt ""
"hd_id82166549702485\n"
"help.text"
msgid "Show vertical border"
-msgstr ""
+msgstr "Mostra la vora vertical"
#. h5YZC
#: data_table.xhp
@@ -5028,7 +5028,7 @@ msgctxt ""
"par_id681665497198016\n"
"help.text"
msgid "Show or hide internal column borders."
-msgstr ""
+msgstr "Mostra o amaga les vores internes de les columnes."
#. 8ZYS2
#: data_table.xhp
@@ -5037,7 +5037,7 @@ msgctxt ""
"hd_id731665497089724\n"
"help.text"
msgid "Show outline"
-msgstr ""
+msgstr "Mostra el contorn"
#. dBV6E
#: data_table.xhp
@@ -5046,7 +5046,7 @@ msgctxt ""
"par_id681665497198017\n"
"help.text"
msgid "Show or hide borders around the table."
-msgstr ""
+msgstr "Mostra o amaga les vores al voltant de la taula."
#. YvKdx
#: data_table.xhp
@@ -5055,7 +5055,7 @@ msgctxt ""
"hd_id311665497090098\n"
"help.text"
msgid "Show keys"
-msgstr ""
+msgstr "Mostra les claus"
#. exJ2p
#: data_table.xhp
@@ -5064,7 +5064,7 @@ msgctxt ""
"par_id681665497198018\n"
"help.text"
msgid "Show or hide the key associated with each data series, which is the same key used in the chart legend."
-msgstr ""
+msgstr "Mostra o amaga la clau associada amb cada sèrie de dades, que és la mateixa clau utilitzada a la llegenda del diagrama."
#. kQknt
#: smooth_line_properties.xhp
diff --git a/source/ca-valencia/helpcontent2/source/text/sdatabase.po b/source/ca-valencia/helpcontent2/source/text/sdatabase.po
index b9df8873bd4..35f6ecf522e 100644
--- a/source/ca-valencia/helpcontent2/source/text/sdatabase.po
+++ b/source/ca-valencia/helpcontent2/source/text/sdatabase.po
@@ -4,7 +4,7 @@ msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
"Report-Msgid-Bugs-To: https://bugs.libreoffice.org/enter_bug.cgi?product=LibreOffice&bug_status=UNCONFIRMED&component=UI\n"
"POT-Creation-Date: 2023-07-03 14:58+0200\n"
-"PO-Revision-Date: 2021-01-12 10:36+0000\n"
+"PO-Revision-Date: 2023-08-10 21:25+0000\n"
"Last-Translator: Joan Montané <joan@montane.cat>\n"
"Language-Team: Catalan <https://translations.documentfoundation.org/projects/libo_help-master/textsdatabase/ca_VALENCIA/>\n"
"Language: ca-valencia\n"
@@ -13,7 +13,7 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Accelerator-Marker: ~\n"
-"X-Generator: LibreOffice\n"
+"X-Generator: Weblate 4.15.2\n"
#. ugSgG
#: 02000000.xhp
@@ -166,7 +166,7 @@ msgctxt ""
"hd_id3153379\n"
"help.text"
msgid "<link href=\"text/sdatabase/02010100.xhp\">Query Design</link>"
-msgstr ""
+msgstr "<link href=\"text/sdatabase/02010100.xhp\">Disseny de la consulta</link>"
#. 3JCfK
#: 02000000.xhp
@@ -184,7 +184,7 @@ msgctxt ""
"hd_id3153968\n"
"help.text"
msgid "<link href=\"text/sdatabase/02010100.xhp\">Query Through Several Tables</link>"
-msgstr ""
+msgstr "<link href=\"text/sdatabase/02010100.xhp\">Consulta entre diverses taules</link>"
#. ASeVi
#: 02000000.xhp
@@ -202,7 +202,7 @@ msgctxt ""
"hd_id3159149\n"
"help.text"
msgid "<link href=\"text/sdatabase/02010100.xhp\">Formulating Query Criteria</link>"
-msgstr ""
+msgstr "<link href=\"text/sdatabase/02010100.xhp\">Formula el criteri de la consulta</link>"
#. JTXBF
#: 02000000.xhp
@@ -220,7 +220,7 @@ msgctxt ""
"hd_id3156212\n"
"help.text"
msgid "<link href=\"text/sdatabase/02010100.xhp\">Executing Functions</link>"
-msgstr ""
+msgstr "<link href=\"text/sdatabase/02010100.xhp\">Executa funcions</link>"
#. FWCVa
#: 02000000.xhp
@@ -391,7 +391,7 @@ msgctxt ""
"hd_id3153394\n"
"help.text"
msgid "<link href=\"text/sdatabase/02010100.xhp\">Query Design</link>"
-msgstr ""
+msgstr "<link href=\"text/sdatabase/02010100.xhp\">Disseny de la consulta</link>"
#. GU8Jd
#: 02010100.xhp
@@ -454,7 +454,7 @@ msgctxt ""
"par_id3150255\n"
"help.text"
msgid "The lower pane of the Design View is where you define the query. To define a query, specify the database field names to include and the criteria for displaying the fields. To rearrange the columns in the lower pane of the Design View, drag a column header to a new location, or select the column and press <switchinline select=\"sys\"><caseinline select=\"MAC\">Command</caseinline><defaultinline>Ctrl</defaultinline></switchinline>+arrow key."
-msgstr ""
+msgstr "A la subfinestra inferior de la Vista de disseny és on definiu la consulta. Per a definir una consulta, especifiqueu els noms dels camps de la base de dades que cal incloure i els criteris per mostrar els camps. Per a reorganitzar les columnes a la subfinestra inferior de la Vista de disseny, arrossegueu una capçalera de columna a una ubicació nova, o seleccioneu la columna i premeu <switchinline select=\"sys\"><caseinline select=\"MAC\">Ordre</caseinline><defaultinline>Ctrl</defaultinline></switchinline>+tecla de fletxa."
#. 74LSC
#: 02010100.xhp
@@ -994,7 +994,7 @@ msgctxt ""
"par_id3145134\n"
"help.text"
msgid "<ahelp hid=\"HID_QRYDGN_ROW_CRIT\">Specifies a first criteria by which the content of the data field is to be filtered.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\"HID_QRYDGN_ROW_CRIT\">Especifica un primer criteri amb què s'ha de filtrar el contingut del camp de dades.</ahelp>"
#. qpADC
#: 02010100.xhp
@@ -2380,7 +2380,7 @@ msgctxt ""
"par_id3154179\n"
"help.text"
msgid "Null"
-msgstr ""
+msgstr "Null"
#. CwGZv
#: 02010100.xhp
@@ -2407,7 +2407,7 @@ msgctxt ""
"par_id3157888\n"
"help.text"
msgid "The syntax depends on the database system used. You should also note that Yes/No fields can be defined differently (only 2 states instead of 3)."
-msgstr ""
+msgstr "La sintaxi depèn del sistema de base de dades utilitzat. També heu de tindre en compte que els camps Sí/No es poden definir de manera diferent (només 2 estats en lloc de 3)."
#. mmVa8
#: 02010100.xhp
@@ -2515,7 +2515,7 @@ msgctxt ""
"hd_id3145181\n"
"help.text"
msgid "SQL Mode"
-msgstr ""
+msgstr "Mode SQL"
#. 5avVu
#: 02010100.xhp
@@ -2569,7 +2569,7 @@ msgctxt ""
"tit\n"
"help.text"
msgid "Join Properties"
-msgstr ""
+msgstr "Propietats de la unió"
#. TTCNB
#: 02010101.xhp
@@ -2587,7 +2587,7 @@ msgctxt ""
"hd_id3154015\n"
"help.text"
msgid "Join Properties"
-msgstr ""
+msgstr "Propietats de la unió"
#. MzpBt
#: 02010101.xhp
@@ -2623,7 +2623,7 @@ msgctxt ""
"hd_id3155766\n"
"help.text"
msgid "Fields involved"
-msgstr ""
+msgstr "Camps implicats"
#. 8bYEZ
#: 02010101.xhp
@@ -2641,7 +2641,7 @@ msgctxt ""
"hd_id3159267\n"
"help.text"
msgid "Options"
-msgstr ""
+msgstr "Opcions"
#. MRJCp
#: 02010101.xhp
@@ -2650,7 +2650,7 @@ msgctxt ""
"hd_id3147340\n"
"help.text"
msgid "Type"
-msgstr ""
+msgstr "Tipus"
#. rxAGo
#: 02010101.xhp
@@ -2740,7 +2740,7 @@ msgctxt ""
"hd_id0305200912031976\n"
"help.text"
msgid "Natural"
-msgstr ""
+msgstr "Natural"
#. YCeBW
#: 02010101.xhp
@@ -2749,7 +2749,7 @@ msgctxt ""
"par_id0305200912031977\n"
"help.text"
msgid "<ahelp hid=\".\">In a natural join, the keyword <literal>NATURAL</literal> is inserted into the SQL statement that defines the relation. The relation joins all columns that have the same column name in both tables. The resulting joined table contains only one column for each pair of equally named columns.</ahelp>"
-msgstr ""
+msgstr "<ahelp hid=\".\">En una unió natural, la paraula clau <literal>NATURAL</literal> s'insereix en l'expressió SQL que defineix la relació. La relació uneix totes les columnes que tenen el mateix nom de columna a ambdues taules. La taula unida resultant conté només una columna per a cada parell de columnes amb el mateix nom.</ahelp>"
#. pK6MV
#: 04000000.xhp
@@ -2848,7 +2848,7 @@ msgctxt ""
"par_id3151384\n"