diff --git a/Makefile b/Makefile index 79bb8ef1f..6618f6166 100644 --- a/Makefile +++ b/Makefile @@ -1,6 +1,6 @@ .DEFAULT_GOAL := help -SIMULATOR_DESTINATION := OS=26.0,name=iPhone 17 +SIMULATOR_DESTINATION := platform=iOS Simulator,name=iPhone 17 .PHONY: help help: ## Display this help menu diff --git a/ios/Demo-iOS/Gutenberg.xcodeproj/project.pbxproj b/ios/Demo-iOS/Gutenberg.xcodeproj/project.pbxproj index 283bfb48b..def52d87f 100644 --- a/ios/Demo-iOS/Gutenberg.xcodeproj/project.pbxproj +++ b/ios/Demo-iOS/Gutenberg.xcodeproj/project.pbxproj @@ -424,7 +424,7 @@ repositoryURL = "https://github.com/Automattic/wordpress-rs"; requirement = { kind = revision; - revision = "alpha-20250926"; + revision = "alpha-20260203"; }; }; /* End XCRemoteSwiftPackageReference section */ diff --git a/ios/Demo-iOS/Gutenberg.xcodeproj/project.xcworkspace/xcshareddata/swiftpm/Package.resolved b/ios/Demo-iOS/Gutenberg.xcodeproj/project.xcworkspace/xcshareddata/swiftpm/Package.resolved index 5224653be..7ed9d520f 100644 --- a/ios/Demo-iOS/Gutenberg.xcodeproj/project.xcworkspace/xcshareddata/swiftpm/Package.resolved +++ b/ios/Demo-iOS/Gutenberg.xcodeproj/project.xcworkspace/xcshareddata/swiftpm/Package.resolved @@ -1,6 +1,15 @@ { "originHash" : "b5958ced5a4c7d544f45cfa6cdc8cd0441f5e176874baac30922b53e6cc5aefc", "pins" : [ + { + "identity" : "lrucache", + "kind" : "remoteSourceControl", + "location" : "https://github.com/nicklockwood/LRUCache.git", + "state" : { + "revision" : "cb5b2bd0da83ad29c0bec762d39f41c8ad0eaf3e", + "version" : "1.2.1" + } + }, { "identity" : "svgview", "kind" : "remoteSourceControl", @@ -10,13 +19,22 @@ "version" : "1.0.6" } }, + { + "identity" : "swift-atomics", + "kind" : "remoteSourceControl", + "location" : "https://github.com/apple/swift-atomics.git", + "state" : { + "revision" : "b601256eab081c0f92f059e12818ac1d4f178ff7", + "version" : "1.3.0" + } + }, { "identity" : "swiftsoup", "kind" : "remoteSourceControl", "location" : "https://github.com/scinfu/SwiftSoup.git", "state" : { - "revision" : "aa85ee96017a730031bafe411cde24a08a17a9c9", - "version" : "2.8.8" + "revision" : "d86f244ed497d48012782e2f59c985a55e77b3f5", + "version" : "2.11.3" } }, { @@ -24,8 +42,8 @@ "kind" : "remoteSourceControl", "location" : "https://github.com/Automattic/wordpress-rs", "state" : { - "branch" : "alpha-20250926", - "revision" : "13c6207d6beeeb66c21cd7c627e13817ca5fdcae" + "branch" : "alpha-20260203", + "revision" : "83c2a048ca4676e82302a74f7eec03e88c02e988" } } ], diff --git a/ios/Demo-iOS/Sources/Views/EditorView.swift b/ios/Demo-iOS/Sources/Views/EditorView.swift index 90ca1be81..84d96ecab 100644 --- a/ios/Demo-iOS/Sources/Views/EditorView.swift +++ b/ios/Demo-iOS/Sources/Views/EditorView.swift @@ -245,7 +245,7 @@ private final class EditorViewModel { extension EditorConfiguration { static let bundled = EditorConfigurationBuilder( - postType: "post", + postType: .post, siteURL: URL(string: "https://example.com")!, siteApiRoot: URL(string: "https://example.com/wp-json")! ) diff --git a/ios/Demo-iOS/Sources/Views/PostsListView.swift b/ios/Demo-iOS/Sources/Views/PostsListView.swift new file mode 100644 index 000000000..db0dfb1d1 --- /dev/null +++ b/ios/Demo-iOS/Sources/Views/PostsListView.swift @@ -0,0 +1,147 @@ +import SwiftUI +import WordPressAPI +import GutenbergKit + +struct PostsListView: View { + + @Environment(\.navigation) + private var navigation + + @State + private var viewModel: PostsListViewModel + + init(client: WordPressAPI, postTypeDetails: PostTypeDetails, editorConfiguration: EditorConfiguration, editorDependencies: EditorDependencies?) { + self.viewModel = PostsListViewModel( + client: client, + postTypeDetails: postTypeDetails, + editorConfiguration: editorConfiguration, + editorDependencies: editorDependencies + ) + } + + var body: some View { + Group { + if viewModel.isLoading && viewModel.posts.isEmpty { + ProgressView("Loading entries...") + } else if let error = viewModel.error { + ContentUnavailableView { + Label("Error Loading Entries", systemImage: "exclamationmark.triangle") + } description: { + Text(error.localizedDescription) + } actions: { + Button("Retry") { + Task { + await viewModel.loadPosts() + } + } + } + } else if viewModel.posts.isEmpty { + ContentUnavailableView { + Label("No Entires", systemImage: "doc.text") + } description: { + Text("No entries found for this post type.") + } + } else { + List(viewModel.posts, id: \.id) { post in + Button { + openPost(post) + } label: { + VStack(alignment: .leading, spacing: 4) { + Text(post.title?.rendered ?? "") + .font(.headline) + if let excerpt = post.excerpt?.rendered, !excerpt.isEmpty { + Text(excerpt.strippingHTML()) + .font(.caption) + .foregroundStyle(.secondary) + .lineLimit(2) + } + } + } + } + .listStyle(.plain) + } + } + .navigationTitle(viewModel.postTypeDetails.restBase.capitalized) + .task { + await viewModel.loadPosts() + } + } + + private func openPost(_ post: AnyPostWithEditContext) { + let configuration = viewModel.editorConfiguration.toBuilder() + .setPostType(viewModel.postTypeDetails) + .setPostID(Int(post.id)) + .setTitle(post.title?.raw ?? "") + .setContent(post.content.raw ?? "") + .build() + + let editor = RunnableEditor( + configuration: configuration, + dependencies: viewModel.editorDependencies + ) + + navigation.present(editor) + } +} + +@Observable +class PostsListViewModel { + var posts: [AnyPostWithEditContext] = [] + var isLoading = false + var error: Error? + + let client: WordPressAPI + let postTypeDetails: PostTypeDetails + let editorConfiguration: EditorConfiguration + let editorDependencies: EditorDependencies? + + init(client: WordPressAPI, postTypeDetails: PostTypeDetails, editorConfiguration: EditorConfiguration, editorDependencies: EditorDependencies?) { + self.client = client + self.postTypeDetails = postTypeDetails + self.editorConfiguration = editorConfiguration + self.editorDependencies = editorDependencies + } + + @MainActor + func loadPosts() async { + guard !isLoading else { return } + + isLoading = true + error = nil + posts = [] + + defer { isLoading = false } + + do { + let endpointType: PostEndpointType + if postTypeDetails.postType == "post" { + endpointType = .posts + } else if postTypeDetails.postType == "page" { + endpointType = .pages + } else { + endpointType = .custom(postTypeDetails.restBase) + } + + var currentPage: UInt32 = 1 + let perPage: UInt32 = 20 + while true { + let params = PostListParams(page: currentPage, perPage: perPage, status: [.custom("any")]) + let fetched = try await client.posts.listWithEditContext(type: endpointType, params: params).data + self.posts.append(contentsOf: fetched) + + if fetched.count < perPage { + break + } + currentPage += 1 + } + } catch { + self.error = error + } + } +} + +private extension String { + func strippingHTML() -> String { + self.replacingOccurrences(of: "<[^>]+>", with: "", options: .regularExpression) + } +} diff --git a/ios/Demo-iOS/Sources/Views/SitePreparationView.swift b/ios/Demo-iOS/Sources/Views/SitePreparationView.swift index aeb6e0f69..fa3a21982 100644 --- a/ios/Demo-iOS/Sources/Views/SitePreparationView.swift +++ b/ios/Demo-iOS/Sources/Views/SitePreparationView.swift @@ -18,6 +18,8 @@ struct SitePreparationView: View { Group { if let configuration = self.viewModel.editorConfiguration { loadedView(configuration: configuration) + } else if let error = viewModel.error { + Text(error.localizedDescription) } else { ProgressView("Loading Site Configuration") } @@ -51,10 +53,32 @@ struct SitePreparationView: View { Toggle("Enable Native Inserter", isOn: $viewModel.enableNativeInserter) Toggle("Enable Network Logging", isOn: $viewModel.enableNetworkLogging) - // TODO: Loading this from the server would allow us to validate Custom Post Type support - Picker("Post Type", selection: $viewModel.postType) { - Text("Post").tag("post") - Text("Page").tag("page") + if viewModel.postTypes.isEmpty { + HStack { + Text("Post Type") + Spacer() + ProgressView() + } + } else { + Picker("Post Type", selection: $viewModel.selectedPostTypeDetails) { + ForEach(viewModel.postTypes, id: \.self) { postType in + Text(postType.name).tag(postType) + } + } + + NavigationLink { + if let client = viewModel.client, + let configuration = viewModel.editorConfiguration { + PostsListView( + client: client, + postTypeDetails: viewModel.selectedPostTypeDetails, + editorConfiguration: configuration, + editorDependencies: viewModel.editorDependencies + ) + } + } label: { + Text("Browse") + } } } @@ -111,17 +135,41 @@ struct SitePreparationView: View { @Observable class SitePreparationViewModel { - var enableNativeInserter: Bool = true + var enableNativeInserter: Bool { + get { editorConfiguration?.isNativeInserterEnabled ?? true } + set { + guard let config = editorConfiguration else { return } + editorConfiguration = config.toBuilder() + .setNativeInserterEnabled(newValue) + .build() + } + } - var enableNetworkLogging: Bool = false + var enableNetworkLogging: Bool { + get { editorConfiguration?.enableNetworkLogging ?? false } + set { + guard let config = editorConfiguration else { return } + editorConfiguration = config.toBuilder() + .setEnableNetworkLogging(newValue) + .build() + } + } - var postType: String = "post" + var postTypes: [PostTypeDetails] = [] - var cacheBundleCount: Int? + var selectedPostTypeDetails: PostTypeDetails { + get { editorConfiguration?.postType ?? .post } + set { + guard let config = editorConfiguration else { return } + editorConfiguration = config.toBuilder() + .setPostType(newValue) + .build() + editorDependencies = nil + } + } - var isPreparing: Bool = false + var cacheBundleCount: Int? - var isPrepared: Bool = false var error: Error? @@ -135,6 +183,8 @@ class SitePreparationViewModel { var editorDependencies: EditorDependencies? + var client: WordPressAPI? + private var taskHandle: Task? init(configurationItem: ConfigurationItem) { @@ -147,10 +197,22 @@ class SitePreparationViewModel { do { switch configurationItem { case .bundledEditor: - self.editorConfiguration = .bundled + self.editorConfiguration = Self.applyDemoAppDefaults(to: .bundled) + self.postTypes = [.post, .page] case .editorConfiguration(let siteDetails): + let parsedApiRoot = try ParsedUrl.parse(input: siteDetails.siteApiRoot) + let configuration = URLSessionConfiguration.ephemeral + configuration.httpAdditionalHeaders = ["Authorization": siteDetails.authHeader] + let client = WordPressAPI( + urlSession: .init(configuration: configuration), + apiRootUrl: parsedApiRoot, + authentication: .none, + ) + self.client = client + + try await self.loadPostTypes() let newConfiguration = try await self.loadConfiguration(for: siteDetails) - self.editorConfiguration = newConfiguration + self.editorConfiguration = Self.applyDemoAppDefaults(to: newConfiguration) } } catch { self.error = error @@ -158,6 +220,12 @@ class SitePreparationViewModel { } } + private static func applyDemoAppDefaults(to configuration: EditorConfiguration) -> EditorConfiguration { + configuration.toBuilder() + .setNativeInserterEnabled(true) + .build() + } + /// Prepares the editor by caching all resources and preparing an `EditorDependencies` object to inject into the editor. /// Once this method is run, the editor should load instantly. @MainActor @@ -166,7 +234,7 @@ class SitePreparationViewModel { preconditionFailure("Unable to prepare editor without editor configuration – the UI should prevent this") } - let cacheInterval: TimeInterval = 86_400 // Cache for one day + let cacheInterval: TimeInterval = 86_400 // Cache for one day self.prepareEditor(with: EditorService(configuration: configuration, cachePolicy: .maxAge(cacheInterval))) } @@ -243,22 +311,16 @@ class SitePreparationViewModel { @MainActor private func loadConfiguration(for config: ConfiguredEditor) async throws -> EditorConfiguration { - let parsedApiRoot = try ParsedUrl.parse(input: config.siteApiRoot) - let client = WordPressAPI( - urlSession: .shared, - apiRootUrl: parsedApiRoot, - authentication: .authorizationHeader(token: config.authHeader) - ) - let apiRoot = try await client.apiRoot.get().data + let apiRoot = try await client!.apiRoot.get().data let canUsePlugins = apiRoot.hasRoute(route: "/wpcom/v2/editor-assets") let canUseEditorStyles = apiRoot.hasRoute(route: "/wp-block-editor/v1/settings") return EditorConfigurationBuilder( - postType: "post", + postType: selectedPostTypeDetails, siteURL: URL(string: apiRoot.siteUrlString())!, - siteApiRoot: parsedApiRoot.asURL() + siteApiRoot: URL(string: config.siteApiRoot)! ) .setShouldUseThemeStyles(canUseEditorStyles) .setShouldUsePlugins(canUsePlugins) @@ -267,21 +329,52 @@ class SitePreparationViewModel { .build() } - private func buildConfiguration() -> EditorConfiguration { - guard let editorConfiguration = self.editorConfiguration else { - preconditionFailure("Cannot build configuration as it is not loaded yet") + @MainActor + private func loadPostTypes() async throws { + guard let client = self.client else { + self.postTypes = [.post, .page] + return } - return editorConfiguration.toBuilder() - .setEnableNetworkLogging(self.enableNetworkLogging) - .setNativeInserterEnabled(self.enableNativeInserter) - .setPostType(self.postType) - .build() + guard self.postTypes.isEmpty else { return } + + let response = try await client.postTypes.listWithEditContext().data + + self.postTypes = response.postTypes + .filter { (type, details) in + switch type { + case .post, .page: + return true + case .custom: + break + default: + return false + } + + return details.viewable && details.visibility.showUi + } + .values + .map { postType in + PostTypeDetails( + postType: postType.slug, + restBase: postType.restBase, + restNamespace: postType.restNamespace + ) + } + .sorted(using: KeyPathComparator(\.postType)) + + if let firstType = postTypes.first { + self.selectedPostTypeDetails = firstType + } } func buildAndLoadConfiguration(navigation: Navigation) { + guard let configuration = self.editorConfiguration else { + preconditionFailure("Unable to build configuration without editor configuration – the UI should prevent this") + } + let editor = RunnableEditor( - configuration: buildConfiguration(), + configuration: configuration, dependencies: self.editorDependencies ) @@ -327,6 +420,12 @@ struct KeyValueRow: View { } } +extension PostTypeDetails { + var name: String { + postType.capitalized + } +} + #Preview("Bundled Editor") { NavigationStack { SitePreparationView(site: .bundledEditor) diff --git a/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-CKGEA5cX.js b/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-CKGEA5cX.js new file mode 100644 index 000000000..4efbb8413 --- /dev/null +++ b/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-CKGEA5cX.js @@ -0,0 +1 @@ +import{m as o}from"./index-48U6Q3Ji.js";const c=window.wp.apiFetch,{getQueryArg:m}=window.wp.url;function P(){const{siteApiRoot:e="",preloadData:t=null}=o();c.use(c.createRootURLMiddleware(e)),c.use(p),c.use(h),c.use(f),c.use(w),c.use(b),c.use(g),c.use(c.createPreloadingMiddleware(t??_))}function p(e,t){return e.mode="cors",delete e.headers["x-wp-api-fetch-from-editor"],t(e)}function h(e,t){const{siteApiNamespace:a,namespaceExcludedPaths:i}=o(),n=new RegExp(`(${a.join("|")})`);return e.path&&!i.some(s=>e.path.startsWith(s))&&!n.test(e.path)&&(e.path=e.path.replace(/^(?\/?(?:[\w.-]+\/){2})/,`$${a[0]}`)),t(e)}function f(e,t){const{authHeader:a}=o();return e.headers=e.headers||{},a&&(e.headers.Authorization=a,e.credentials="omit"),t(e)}function w(e,t){const{post:a}=o(),{id:i,restNamespace:n,restBase:r}=a??{};if(i===void 0||!n||!r)return t(e);const s=`/${n}/${r}/${i}`;return e.path===s||e.path?.startsWith(`${s}?`)?Promise.resolve([]):t(e)}function b(e,t){return e.path&&e.path.startsWith("/wp/v2/media")&&e.method==="POST"&&e.body instanceof FormData&&e.body.get("post")==="-1"&&e.body.delete("post"),t(e)}function g(e,t){if(e.path&&e.path.indexOf("oembed")!==-1){let n=function(){const r=document.createElement("a");return r.href=a,r.innerText=a,{html:r.outerHTML,type:"rich",provider_name:"Embed"}};const a=m(e.path,"url"),i=t(e,t);return new Promise(r=>{i.then(s=>{if(s.html){const l=document.implementation.createHTMLDocument("");l.body.innerHTML=s.html;const d=['[class="embed-youtube"]','[class="embed-vimeo"]','[class="embed-dailymotion"]','[class="embed-ted"]'].join(","),u=l.querySelector(d);s.html=u?u.innerHTML:s.html}r(s)}).catch(()=>{r(n())})})}return t(e,t)}const _={"/wp/v2/types?context=view":{body:{post:{description:"",hierarchical:!1,has_archive:!1,name:"Posts",slug:"post",taxonomies:["category","post_tag"],rest_base:"posts",rest_namespace:"wp/v2",template:[],template_lock:!1,_links:{}},page:{description:"",hierarchical:!0,has_archive:!1,name:"Pages",slug:"page",taxonomies:[],rest_base:"pages",rest_namespace:"wp/v2",template:[],template_lock:!1,_links:{}}}},"/wp/v2/types/post?context=edit":{body:{name:"Posts",slug:"post",supports:{title:!0,editor:!0,author:!0,thumbnail:!0,excerpt:!0,trackbacks:!0,"custom-fields":!0,comments:!0,revisions:!0,"post-formats":!0,autosave:!0},taxonomies:["category","post_tag"],rest_base:"posts",rest_namespace:"wp/v2",template:[],template_lock:!1}}};export{P as configureApiFetch}; diff --git a/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-O-euS-6A.js b/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-O-euS-6A.js deleted file mode 100644 index 9f8ecb18d..000000000 --- a/ios/Sources/GutenbergKit/Gutenberg/assets/api-fetch-O-euS-6A.js +++ /dev/null @@ -1 +0,0 @@ -import{m as o}from"./index-CLAY4C4J.js";const a=window.wp.apiFetch,{getQueryArg:p}=window.wp.url;function y(){const{siteApiRoot:e="",preloadData:t=null}=o();a.use(a.createRootURLMiddleware(e)),a.use(m),a.use(h),a.use(f),a.use(w),a.use(b),a.use(g),a.use(a.createPreloadingMiddleware(t??_))}function m(e,t){return e.mode="cors",delete e.headers["x-wp-api-fetch-from-editor"],t(e)}function h(e,t){const{siteApiNamespace:s,namespaceExcludedPaths:n}=o(),c=new RegExp(`(${s.join("|")})`);return e.path&&!n.some(i=>e.path.startsWith(i))&&!c.test(e.path)&&(e.path=e.path.replace(/^(?\/?(?:[\w.-]+\/){2})/,`$${s[0]}`)),t(e)}function f(e,t){const{authHeader:s}=o();return e.headers=e.headers||{},s&&(e.headers.Authorization=s,e.credentials="omit"),t(e)}function w(e,t){return[/^\/wp\/v2\/posts\/-?\d+/,/^\/wp\/v2\/pages\/-?\d+/].some(c=>c.test(e.path))?Promise.resolve([]):t(e)}function b(e,t){return e.path&&e.path.startsWith("/wp/v2/media")&&e.method==="POST"&&e.body instanceof FormData&&e.body.get("post")==="-1"&&e.body.delete("post"),t(e)}function g(e,t){if(e.path&&e.path.indexOf("oembed")!==-1){let c=function(){const r=document.createElement("a");return r.href=s,r.innerText=s,{html:r.outerHTML,type:"rich",provider_name:"Embed"}};const s=p(e.path,"url"),n=t(e,t);return new Promise(r=>{n.then(i=>{if(i.html){const l=document.implementation.createHTMLDocument("");l.body.innerHTML=i.html;const u=['[class="embed-youtube"]','[class="embed-vimeo"]','[class="embed-dailymotion"]','[class="embed-ted"]'].join(","),d=l.querySelector(u);i.html=d?d.innerHTML:i.html}r(i)}).catch(()=>{r(c())})})}return t(e,t)}const _={"/wp/v2/types?context=view":{body:{post:{description:"",hierarchical:!1,has_archive:!1,name:"Posts",slug:"post",taxonomies:["category","post_tag"],rest_base:"posts",rest_namespace:"wp/v2",template:[],template_lock:!1,_links:{}},page:{description:"",hierarchical:!0,has_archive:!1,name:"Pages",slug:"page",taxonomies:[],rest_base:"pages",rest_namespace:"wp/v2",template:[],template_lock:!1,_links:{}}}},"/wp/v2/types/post?context=edit":{body:{name:"Posts",slug:"post",supports:{title:!0,editor:!0,author:!0,thumbnail:!0,excerpt:!0,trackbacks:!0,"custom-fields":!0,comments:!0,revisions:!0,"post-formats":!0,autosave:!0},taxonomies:["category","post_tag"],rest_base:"posts",rest_namespace:"wp/v2",template:[],template_lock:!1}}};export{y as configureApiFetch}; diff --git a/ios/Sources/GutenbergKit/Gutenberg/assets/ca-CQuKhjZ8.js b/ios/Sources/GutenbergKit/Gutenberg/assets/ca-CQuKhjZ8.js new file mode 100644 index 000000000..71e0ed5d2 --- /dev/null +++ b/ios/Sources/GutenbergKit/Gutenberg/assets/ca-CQuKhjZ8.js @@ -0,0 +1,12 @@ +const e=["Ambdós"],a=["Suprimit"],t=["Dimensió"],s=["Variació"],o=["Aplicació"],i=["Inclou"],l=["Espai reservat"],n=["Citació"],r=["Nom del fitxer"],c=["Registrat"],d=["Activitat"],u=["Vàlid"],p=["JavaScript"],m=["Notes"],g=["Reobert"],b=["Nota"],h=["Ascendent"],v=["Ruta de navegació"],f=["Permet"],y=["Actiu"],k=["Desactiva"],w=["element"],x=["terme"],S=["etiqueta"],A=["categoria"],C=["Visible"],E=["Recompte"],T=["Adjunt"],P=["Entrada"],q=["A"],M=["De"],z=["Ahir"],N=["Avui"],L=["Opcional"],D=["Unitat"],$=["Anys"],I=["Mesos"],R=["Setmanes"],B=["Dies"],V=["Fals"],U=["Vertader"],F=[],O=["Després"],j=["Abans"],G=["Retalla"],H=["Ignora"],W=["Amplia"],Y=["Densitat"],J=["Resum"],Q=["Bitons"],X=["Comentaris"],_=["Formats"],K=["Mostra"],Z=["Ocult"],ee=["Propietats"],ae=["Conjunts de tipus de lletra"],te=["Pàgina d'inici"],se=["Màxim"],oe=["Mínim"],ie=["Atributs"],le=["Format"],ne=["Difusió"],re=["Difuminat"],ce=["Interior"],de=["Exterior"],ue=["Paletes"],pe=["Tancat"],me=["Obert"],ge=["Desactiva"],be=["Activa"],he=[],ve=["Despublica"],fe=["Files"],ye=["Substitucions"],ke=["Bloquejat"],we=["Repeteix"],xe=["Conté"],Se=["Manual"],Ae=["Sense filtrar"],Ce=["Condicions"],Ee=["És"],Te=["Inseridor"],Pe=["Accessibilitat"],qe=["Interfície"],Me=["Restaura"],ze=["Paperera"],Ne=["Esborranys"],Le=["Amaga"],De=["Valor"],$e=["Obligatori"],Ie=["Mètode"],Re=["Correu electrònic"],Be=["Origen"],Ve=["Tipus de lletra"],Ue=["Instal·la"],Fe=["Avís"],Oe=["Desagrupa"],je=["Notes al peu"],Ge=["Continua"],He=["Separa"],We=["Contrasenya"],Ye=["Nota al peu de pàgina"],Je=["Números"],Qe=["Escala"],Xe=["Pàgina"],_e=["Desconegut"],Ke=["Pare"],Ze=["Pendent"],ea=["Suggeriments"],aa=["Idioma"],ta=["Mediateca"],sa=["Activa"],oa=["Resolució"],ia=["Insereix"],la=["Openverse"],na=["Ombra"],ra=["Centre"],ca=["Posició"],da=["Fixat"],ua=["Titlla"],pa=["CSS"],ma=["Vídeos"],ga=["Fix"],ba=["Redueix"],ha=["Increment"],va=["Llegenda"],fa=["Patró"],ya=["nansa"],ka=["XXL"],wa=["Tipus de lletra"],xa=["Restringit"],Sa=["H6"],Aa=["H5"],Ca=["H4"],Ea=["H3"],Ta=["H2"],Pa=["H1"],qa=["Taxonomies"],Ma=["En passar el ratolí"],za=["Resum"],Na=["Desassigna"],La=["Ara"],Da=["Pares"],$a=["Sufix"],Ia=["Prefix"],Ra=["diu"],Ba=["Resposta"],Va=["Respostes"],Ua=["Pila"],Fa=["Setmana"],Oa=["No vàlid"],ja=["Bloqueja"],Ga=["Desbloqueja"],Ha=["previsualitza"],Wa=["Fet"],Ya=["Icona"],Ja=["Suprimeix"],Qa=["Accions"],Xa=["Canvia el nom"],_a=["Aa"],Ka=["estils"],Za=["Menús"],et=["Respon"],at=["Elements"],tt=["Submenús"],st=["Sempre"],ot=["Visualització"],it=["marcador"],lt=["Ressalta"],nt=["Paleta"],rt=["Colors"],ct=["Fletxa"],dt=["Fila"],ut=["Justificació"],pt=["Flux"],mt=["Flexible"],gt=["S'està publicant"],bt=["Estil"],ht=["Radi"],vt=["Marge"],ft=["Bitò"],yt=["Logotip"],kt=["Ressaltats"],wt=["Ombres"],xt=["Disseny"],St=["Puntejat"],At=["Traçat"],Ct=["Esteu personalitzant"],Et=["Vora"],Tt=["Graella"],Pt=["Àrea"],qt=["Sagna"],Mt=["Treu el sagnat"],zt=["Ordenada"],Nt=["Sense ordenar"],Lt=["Arrossega"],Dt=["Alinea"],$t=["Quadres"],It=["Primera lletra en majúscula"],Rt=["Minúscules"],Bt=["Majúscules"],Vt=["Vertical"],Ut=["Horitzontal"],Ft=["Temes"],Ot=["Paraula clau"],jt=["Filtres"],Gt=["Decoració"],Ht=["Solament"],Wt=["Exclou"],Yt=["Inclou"],Jt=["Aparença"],Qt=["Preferències"],Xt=["Classe"],_t=["Etiqueta"],Kt=["Capítols"],Zt=["Descripcions"],es=["Llegendes"],as=["Subtítols"],ts=["Etiquetes"],ss=["Detalls"],os=["Radial"],is=["Lineal"],ls=["Anònim"],ns=["Caràcters"],rs=["Descripció"],cs=["Base"],ds=["Autor"],us=["Original"],ps=["Nom"],ms=["Retrat"],gs=["Paisatge"],bs=["Mixt"],hs=["Dreta"],vs=["Esquerra"],fs=["Inferior"],ys=["Superior"],ks=["Separació"],ws=["Espaiat"],xs=["Orientació"],Ss=["Escapça"],As=["Gira"],Cs=["Zoom"],Es=["Disseny"],Ts=["Text"],Ps=["Notificacions"],qs=["pàgina"],Ms=["Desplaçament"],zs=["Entrades"],Ns=["Pàgines"],Ls=["Sense categoria"],Ds=["Blanc"],$s=["Negre"],Is=["Seleccionat"],Rs=["Superíndex"],Bs=["Subíndex"],Vs=["Patrons"],Us=["Tipografia"],Fs=["Contingut"],Os=["Menú"],js=["Contacte"],Gs=["Quant a"],Hs=["Pàgina d'inici"],Ws=["Usuari"],Ys=["Lloc web"],Js=["S'està creant"],Qs=["Escriptori"],Xs=["Mòbil"],_s=["Tauleta"],Ks=["enquesta"],Zs=["social"],eo=["Sòlid"],ao=["Tipus"],to=["Angle"],so=["Tria"],oo=["Tema"],io=["Buit"],lo=["Botons"],no=["Fons"],ro=["Ajuda"],co=["Sense títol"],uo=["Següent"],po=["Anterior"],mo=["Finalitza"],go=["Reemplaça"],bo=["inseridor"],ho=["pòdcast"],vo=["Navegació"],fo=["Plantilla"],yo=["Degradat"],ko=["Mitjanit"],wo=["Versió"],xo=["Dimensions"],So=["Plantilles"],Ao=["Afegeix"],Co=["Color"],Eo=["Personalitzat"],To=["Esborrany"],Po=["Omet"],qo=["Enllaços"],Mo=["menú"],zo=["Peu de pàgina"],No=["Grup"],Lo=["Taxonomia"],Do=["Per defecte"],$o=["Cerca"],Io=["Calendari"],Ro=["Enrere"],Bo=["llibre electrònic"],Vo=["Subratllat"],Uo=["Miniatura"],Fo=["Anotació"],Oo=["multimèdia"],jo=["Multimèdia"],Go=["Estils"],Ho=["General"],Wo=["Opcions"],Yo=["Minuts"],Jo=["Hores"],Qo=["Hora"],Xo=["Any"],_o=["Dia"],Ko=["Desembre"],Zo=["Novembre"],ei=["Octubre"],ai=["Setembre"],ti=["Agost"],si=["Juliol"],oi=["Juny"],ii=["Maig"],li=["Abril"],ni=["Març"],ri=["Febrer"],ci=["Gener"],di=["Mes"],ui=["Coberta"],pi=["Enorme"],mi=["Mitjà"],gi=["Normal"],bi=["Termes"],hi=["Avatar"],vi=["Visualitza"],fi=["HTML"],yi=["Superposició"],ki=["Accent obert"],wi=["Període"],xi=["Coma"],Si=["Actual"],Ai=["Títol"],Ci=["Crea"],Ei=["Galeries"],Ti=["XL"],Pi=["L"],qi=["M"],Mi=["S"],zi=["Petit"],Ni=["Silenciat"],Li=["Auto"],Di=["Precarrega"],$i=["Suport"],Ii=["Arxius"],Ri=["Gran"],Bi=["Fitxer"],Vi=["Columna"],Ui=["Bucle"],Fi=["Reprodueix automàticament"],Oi=["Desat automàtic"],ji=["Subtítol"],Gi=["D'acord"],Hi=["Desenllaça"],Wi=["Paginació"],Yi=["Alçada"],Ji=["Amplada"],Qi=["Avançat"],Xi=["Previst"],_i=["Extensions"],Ki=["Paràgrafs"],Zi=["Capçaleres"],el=["Paraules"],al=["Pública"],tl=["Privada"],sl=["Terme"],ol=["Etiqueta"],il=["Immediatament"],ll=["S'està desant"],nl=["Publicada"],rl=["Planifica"],cl=["Actualitza"],dl=["Copia"],ul=["Xat"],pl=["Estat"],ml=["Estàndard"],gl=["Anotació"],bl=["Ordre"],hl=["S'ha desat"],vl=["Incrustats"],fl=["Blocs"],yl=["Desfés"],kl=["Refés"],wl=["Duplica"],xl=["Suprimeix"],Sl=["Visibilitat"],Al=["Bloc"],Cl=["Eines"],El=["Editor"],Tl=["Opcions"],Pl=["Reinicialitza"],ql=["Inactiu"],Ml=["El"],zl=["PM"],Nl=["AM"],Ll=["URL"],Dl=["Tramet"],$l=["Tanca"],Il=["Enllaç"],Rl=["Ratllat"],Bl=["Cursiva"],Vl=["Negreta"],Ul=["Categoria"],Fl=["Selecciona"],Ol=["Vídeo"],jl=["Taula"],Gl=["Codi de substitució"],Hl=["Separador"],Wl=["Cita"],Yl=["Paràgraf"],Jl=["Llista"],Ql=["foto"],Xl=["Mida"],_l=["Imatge"],Kl=["Previsualitza"],Zl=["Capçalera"],en=["Imatges"],an=["Cap"],tn=["Galeria"],sn=["Més"],on=["Edita el clàssic"],ln=["vídeo"],nn=["àudio"],rn=["música"],cn=["imatge"],dn=["blog"],un=["entrada"],pn=["Columnes"],mn=["Experiments"],gn=["Codi"],bn=["Categories"],hn=["Botó"],vn=["Aplica"],fn=["Cancel·la"],yn=["Edita"],kn=["Àudio"],wn=["Penja"],xn=["Neteja"],Sn=["Ginys"],An=["Autor"],Cn=["Àlies"],En=["Comentaris"],Tn=["Debats"],Pn=["Extracte"],qn=["Publica"],Mn=["Metadades"],zn=["Desa"],Nn=["Revisions"],Ln=["Documentació (en anglès)"],Dn=["Gutenberg"],$n=["Demo"],In={100:["100"],"block keywordoverlay":[],"block keywordclose":["tanca"],"block descriptionA customizable button to close overlays.":[],"block titleNavigation Overlay Close":[],"block descriptionDisplay a breadcrumb trail showing the path to the current page.":[],"Date modified":[],"Date added":[],"Attached to":["Adjuntat a"],"Search for a post or page to attach this media to.":[],"Search for a post or page to attach this media to or .":[],"(Unattached)":["(Sense adjuntar)"],"Choose file":["Trieu un fitxer"],"Choose files":[],"There is %d event":[],"Exclude: %s":["Exclou: %s"],Both:e,"Display Mode":["Mode de visualització"],"Submenu background":["Fons del submenú"],"Submenu text":["Text del submenú"],Deleted:a,"No link selected":["No s'ha seleccionat cap enllaç"],"External link":["Enllaç extern"],"Create new overlay template":[],"Select an overlay for navigation.":[],"An error occurred while creating the overlay.":[],'One response to "%s"':["Una resposta a «%s»"],"Use the classic editor to add content.":[],"Search for and add a link to the navigation item.":[],"Select a link":["Seleccioneu un enllaç"],"No items yet.":[],"The text may be too small to read. Consider using a larger container or less text.":[],"Parent block is hidden":[],"Block is hidden":[],Dimension:t,"Set custom value":[],"Use preset":[],Variation:s,"Go to parent block":[],'Go to "%s" block':[],"Block will be hidden according to the selected viewports. It will be included in the published markup on the frontend. You can configure it again by selecting it in the List View (%s).":[],"Block will be hidden in the editor, and omitted from the published markup on the frontend. You can configure it again by selecting it in the List View (%s).":[],"Selected blocks have different visibility settings. The checkboxes show an indeterminate state when settings differ.":[],"Hide on %s":["Amaga a %s"],"Omit from published content":[],"Select the viewport size for which you want to hide the block.":[],"Select the viewport sizes for which you want to hide the blocks. Changes will apply to all selected blocks.":[],"Hide block":["Amaga el bloc"],"Hide blocks":["Amaga els blocs"],"Block visibility settings saved. You can access them via the List View (%s).":[],"Redirects the default site editor (Appearance > Design) to use the extensible site editor page.":[],"Extensible Site Editor":[],"Extends block visibility block supports with responsive design controls for hiding blocks based on screen size.":[],"Hide blocks based on screen size":["Amaga els blocs en funció de la mida de la pantalla"],"Enables editable block inspector fields that are generated using a dataform.":[],"Block fields: Show dataform driven inspector fields on blocks that support them":[],"Block pattern descriptionA simple pattern with a navigation block and a navigation overlay close button.":[],"Block pattern categoryDisplay your website navigation.":[],"Block pattern categoryNavigation":["Navegació"],"Navigation Overlay":[],"Post Type: “%s”":[],"Search results for: “%s”":[],"Responses to “%s”":[],"Response to “%s”":[],"%1$s response to “%2$s”":[],"One response to “%s”":["Una resposta a «%s»"],"File type":["Tipus de fitxer"],Application:o,"image dimensions%1$s × %2$s":["%1$s × %2$s"],"File size":["Mida del fitxer"],"unit symbolKB":["KB"],"unit symbolMB":["MB"],"unit symbolGB":["GB"],"unit symbolTB":["TB"],"unit symbolPB":["PB"],"unit symbolEB":["EB"],"unit symbolZB":["ZB"],"unit symbolYB":["YB"],"unit symbolB":["B"],"file size%1$s %2$s":["%1$s %2$s"],"File name":["Nom del fitxer"],"Updating failed because you were offline. Please verify your connection and try again.":[],"Scheduling failed because you were offline. Please verify your connection and try again.":[],"Publishing failed because you were offline. Please verify your connection and try again.":[],"Font Collections":["Col·leccions de tipus de lletra"],"Configure overlay visibility":[],"Overlay Visibility":[],"Edit overlay":[],"Edit overlay: %s":[],"No overlays found.":[],"Overlay template":[],"None (default)":["Cap (per defecte)"],"Error: %s":["Error: %s"],"Error parsing mathematical expression: %s":[],"This block contains CSS or JavaScript that will be removed when you save because you do not have permission to use unfiltered HTML.":[],"Show current breadcrumb":[],"Show home breadcrumb":[],"Value is too long.":["El valor és massa llarg."],"Value is too short.":["El valor és massa curt."],"Value is above the maximum.":[],"Value is below the minimum.":[],"Max. columns":[],"Columns will wrap to fewer per row when they can no longer maintain the minimum width.":[],"Min. column width":["Amplada mínima de la columna"],"Includes all":[],"Is none of":["No és cap de"],Includes:i,"Close navigation panel":["Tanca el quadre de navegació"],"Open navigation panel":["Obre el quadre de navegació"],"Custom overlay area for navigation overlays.":[],'[%1$s] Note: "%2$s"':["[%1$s] Nota: «%2$s»"],"You can see all notes on this post here:":["Podeu veure totes les notes d'aquesta entrada aquí:"],"resolved/reopened":["resolt/reobert"],"Email: %s":["Correu electrònic: %s"],"Author: %1$s (IP address: %2$s, %3$s)":["Autor: %1$s (adreça IP: %2$s, %3$s)"],'New note on your post "%s"':[],"Email me whenever anyone posts a note":[],"Comments Page %s":["Pàgina de comentaris %s"],"block descriptionThis block is deprecated. Please use the Quote block instead.":["Aquest bloc està obsolet. Utilitzeu el bloc de cita en el seu lloc."],"block titlePullquote (deprecated)":["Cita destacada (obsolet)"],"Add new reply":[],Placeholder:l,Citation:n,"It appears you are trying to use the deprecated Classic block. You can leave this block intact, or remove it entirely. Alternatively, if you have unsaved changes, you can save them and refresh to use the Classic block.":[],"Button Text":["Text del botó"],Filename:r,"Embed video from URL":[],"Add a background video to the cover block that will autoplay in a loop.":[],"Enter YouTube, Vimeo, or other video URL":[],"Video URL":["URL del vídeo"],"Add video":[],"This URL is not supported. Please enter a valid video link from a supported provider.":[],"Please enter a URL.":["Introduïu un URL."],"Choose a media item…":[],"Choose a file…":["Trieu un fitxer…"],"Choose a video…":["Trieu un vídeo…"],"Show / Hide":["Mostra / Amaga"],"Value does not match the required pattern.":[],"Justified text can reduce readability. For better accessibility, use left-aligned text instead.":[],"Edit section":[],"Exit section":[],"Editing a section in the EditorEdit section":[],"A block pattern.":["Un patró de blocs."],"Reusable design elements for your site. Create once, use everywhere.":[],Registered:c,"Enter menu name":[],"Unable to create navigation menu: %s":[],"Navigation menu created successfully.":[],Activity:d,"%s: ":["%s: "],"Row %d":["Fila %d"],"Insert right":[],"Insert left":[],"Executing ability…":[],"Workflow suggestions":[],"Workflow palette":[],"Open the workflow palette.":[],"Run abilities and workflows":[],"Empty.":[],"Enables custom mobile overlay design and content control for Navigation blocks, allowing you to create flexible, professional menu experiences.":[],"Customizable Navigation Overlays":[],"Enables the Workflow Palette for running workflows composed of abilities, from a unified interface.":[],"Workflow Palette":[],"Script modules to load into the import map.":[],"block style labelTabs":["Pestanyes"],"block style labelButton":["Botó"],"block descriptionDisplay content in a tabbed interface to help users navigate detailed content with ease.":[],"block titleTabs":["Pestanyes"],"block descriptionContent for a tab in a tabbed interface.":[],"block titleTab":["Pestanya"],"Disconnect pattern":["Desconnecta el patró"],"Upload media":[],"Pick from starter content when creating a new page.":[],"All notes":["Totes les notes"],"Unresolved notes":["Notes sense resoldre"],"Convert to blocks to add notes.":[],"Notes are disabled in distraction free mode.":["Les notes estan desactivades en el mode sense distraccions."],"Always show starter patterns for new pages":[],"templateInactive":["Inactiva"],"templateActive":["Activa"],"templateActive when used":["Activa quan s'utilitza"],"More details":["Més detalls"],"Validating…":["S'està validant…"],"Unknown error when running custom validation asynchronously.":[],"Validation could not be processed.":["La validació no s'ha pogut processar."],Valid:u,"Unknown error when running elements validation asynchronously.":[],"Could not validate elements.":[],"Tab Hover Text":["Text de la pestanya en passar el ratolí"],"Tab Hover Background":["Color de fons de la pestanya en passar el ratolí"],"Tab Inactive Text":[],"Tab Inactive Background":[],"Tab Active Text":[],"Tab Active Background":[],"Tab Contents":["Contingut de la pestanya"],"The tabs title is used by screen readers to describe the purpose and content of the tabs.":[],"Tabs Title":["Títol de les pestanyes"],"Vertical Tabs":[],"Tabs Settings":[],"Type / to add a block to tab":[],"Tab %d…":["Pestanya %d…"],"Tab %d":["Pestanya %d"],"If toggled, this tab will be selected when the page loads.":[],"Default Tab":["Pestanya per defecte"],"Tab Label":["Etiqueta de la pestanya"],"Tab Settings":[],"Add Tab":[],"Synced %s is missing. Please update or remove this link.":[],"Edit code":[],"Add custom HTML code and preview how it looks.":[],"Update and close":["Actualitza i tanca"],"Continue editing":["Continueu editant"],"You have unsaved changes. What would you like to do?":[],"Unsaved changes":[],"Write JavaScript…":["Escriu JavaScript…"],"Write CSS…":["Escriu CSS…"],"Enable/disable fullscreen":[],JavaScript:p,"Edit HTML":[],"Introduce new sections and organize content to help visitors (and search engines) understand the structure of your content.":[],"Embed an X post.":[],"If this breadcrumbs block appears in a template or template part that’s shown on the homepage, enable this option to display the breadcrumb trail. Otherwise, this setting has no effect.":[],"Show on homepage":[],"Finish editing a design.":[],"The page you're looking for does not exist":[],"Route not found":["No s'ha trobat la ruta"],"Warning: when you deactivate this experiment, it is best to delete all created templates except for the active ones.":[],"Allows multiple templates of the same type to be created, of which one can be active at a time.":[],"Template Activation":[],"Inline styles for editor assets.":[],"Inline scripts for editor assets.":[],"Editor styles data.":[],"Editor scripts data.":[],"Limit result set to attachments of a particular MIME type or MIME types.":[],"Limit result set to attachments of a particular media type or media types.":[],"Page %s":["Pàgina %s"],"Page not found":["No s'ha trobat la pàgina"],"block descriptionDisplay a custom date.":["Mostra una data personalitzada."],"block descriptionDisplays a foldable layout that groups content in collapsible sections.":["Mostra un disseny plegable que agrupa el contingut en seccions plegables."],"block descriptionContains the hidden or revealed content beneath the heading.":["Conté el contingut ocult o visible sota la capçalera."],"block descriptionWraps the heading and panel in one unit.":["Agrupa la capçalera i el panell en una sola unitat."],"block descriptionDisplays a heading that toggles the accordion panel.":["Mostra una capçalera que commuta el panell de l'acordió."],"Media items":["Elements mèdia"],"Search media":["Cerca mèdia"],"Select Media":["Seleccioneu el mèdia"],"Are you sure you want to delete this note? This will also delete all of this note's replies.":["Segur que voleu suprimir aquesta nota? Això també suprimirà totes les respostes d'aquesta nota."],"Revisions (%d)":["Revisions (%d)"],"paging%1$d of %2$d":["%1$d de %2$d"],"%d item":["%d element","%d elements"],"Color Variations":["Variacions de color"],"Shadow Type":["Tipus d'ombra"],"Font family to uninstall is not defined.":["La família de tipus de lletra que es desinstal·larà no està definida."],"Registered Templates":["Plantilles registrades"],"Failed to create page. Please try again.":["No s'ha pogut crear la pàgina. Torneu-ho a provar."],"%s page created successfully.":["La pàgina %s s'ha creat correctament."],"Full content":["Contingut complet"],"No content":["No hi ha contingut"],"Display content":["Mostra el contingut"],"The exact type of breadcrumbs shown will vary automatically depending on the page in which this block is displayed. In the specific case of a hierarchical post type with taxonomies, the breadcrumbs can either reflect its post hierarchy (default) or the hierarchy of its assigned taxonomy terms.":["El tipus exacte de ruta de navegació que es mostra variarà automàticament segons la pàgina on es mostri aquest bloc. En el cas específic d'un tipus de contingut jeràrquic amb taxonomies, la ruta de navegació pot reflectir la jerarquia de les entrades (per defecte) o la jerarquia dels termes de taxonomia assignats."],"Prefer taxonomy terms":["Prefereix els termes de taxonomia"],"The text will resize to fit its container, resetting other font size settings.":["El text canviarà de mida per ajustar-se al seu contenidor, reinicialitzant altres configuracions de mida de lletra."],"Enables a new media modal experience powered by Data Views for improved media library management.":["Activa una nova finestra emergent per als mèdia basada en les vistes de dades per a una gestió millorada de la mediateca."],"Data Views: new media modal":["Vistes de dades: finestra emergent de mèdia"],"block keywordterm title":["títol del terme"],"block descriptionDisplays the name of a taxonomy term.":["Mostra el nom d'un terme de taxonomia."],"block titleTerm Name":["Nom del terme"],"block descriptionDisplays the post count of a taxonomy term.":["Mostra el recompte d'entrades d'un terme de taxonomia."],"block titleTerm Count":["Recompte de termes"],"block keywordmathematics":["matemàtiques"],"block keywordlatex":["latex"],"block keywordformula":["fórmula"],"block descriptionDisplay mathematical notation using LaTeX.":["Mostra notació matemàtica amb LaTeX."],"block titleMath":["Matemàtiques"],"block titleBreadcrumbs":["Ruta de navegació"],"Overrides currently don't support image links. Remove the link first before enabling overrides.":["Actualment, les substitucions no permeten enllaços a les imatges. Elimineu primer l'enllaç abans d'activar les substitucions."],Math:["Matemàtiques"],"CSS classes":["Classes CSS"],"Close Notes":["Tanca les notes"],Notes:m,"View notes":["Visualitza les notes"],"New note":["Nova nota"],"Add note":["Afegeix una nota"],Reopened:g,"Marked as resolved":["Marcat com a resolt"],"Edit note %1$s by %2$s":["Edita la nota %1$s de %2$s"],"Reopen noteReopen":["Torna a obrir"],"Back to block":["Torna al bloc"],"Note: %s":["Nota: %s"],"Note deleted.":["S'ha suprimit la nota."],"Note reopened.":["S'ha tornat a obrir la nota."],"Note added.":["S'ha afegit la nota."],"Reply added.":["S'ha afegit la resposta."],Note:b,"You are about to duplicate a bundled template. Changes will not be live until you activate the new template.":["Esteu a punt de duplicar una plantilla inclosa. Els canvis no es faran públics fins que no activeu la nova plantilla."],'Do you want to activate this "%s" template?':["Voleu activar aquesta plantilla «%s»?"],"template typeCustom":["Personalitzada"],"Created templates":["Plantilles creades"],"Reset view":["Reinicialitza la vista"],"Unknown error when running custom validation.":["S'ha produït un error desconegut en executar la validació personalitzada."],"No elements found":["No s'ha trobat cap element"],"Term template block display settingGrid view":["Vista de graella"],"Term template block display settingList view":["Vista de llista"],"Display the terms' names and number of posts assigned to each term.":["Mostra els noms dels termes i el nombre d'entrades assignades a cada terme."],"Name & Count":["Nom i recompte"],"Display the terms' names.":["Mostra els noms dels termes."],"When specific terms are selected, only those are displayed.":["Quan se seleccionen uns termes específics, només es mostren aquests."],"When specific terms are selected, the order is based on their selection order.":["Quan se seleccionen termes específics, l'ordre es basa en el seu ordre de selecció."],"Selected terms":["Termes seleccionats"],"Show nested terms":["Mostra els termes imbricats"],"Display terms based on specific criteria.":["Mostra termes segons criteris específics."],"Display terms based on the current taxonomy archive. For hierarchical taxonomies, shows children of the current term. For non-hierarchical taxonomies, shows all terms.":["Mostra termes basats en l'arxiu de taxonomia actual. Per a les taxonomies jeràrquiques, mostra els fills del terme actual. Per a les taxonomies no jeràrquiques, mostra tots els termes."],"Make term name a link":["Fes que el nom del terme sigui un enllaç"],"Change bracket type":["Canvia el tipus de claudàtor"],"Angle brackets":["Claus angulars"],"Curly brackets":["Claus"],"Square brackets":["Claudàtors"],"Round brackets":["Parèntesis"],"No brackets":["Sense claudàtors"],"e.g., x^2, \\frac{a}{b}":["p. ex., x^2, \\frac{a}{b}"],"LaTeX math syntax":["Sintaxi matemàtica de LaTeX"],"Set a consistent aspect ratio for all images in the gallery.":["Estableix una relació d'aspecte coherent per a totes les imatges de la galeria."],"All gallery images updated to aspect ratio: %s":["Totes les imatges de la galeria s'han actualitzat a la relació d'aspecte: %s"],"Comments block: You’re currently using the legacy version of the block. The following is just a placeholder - the final styling will likely look different. For a better representation and more customization options, switch the block to its editable mode.":["Bloc de comentaris: Actualment esteu utilitzant la versió antiga del bloc. El següent és només un espai reservat; l'estil final probablement tindrà un aspecte diferent. Per a una millor representació i més opcions de personalització, canvieu el bloc al seu mode editable."],Ancestor:h,"Source not registered":["Font no registrada"],"Not connected":["No està connectat"],"No sources available":["No hi ha cap font disponible"],"Text will resize to fit its container.":["El text canviarà de mida per adaptar-se al seu contenidor."],"Fit text":["Text ajustat"],"Allowed Blocks":["Blocs permesos"],"Specify which blocks are allowed inside this container.":["Especifiqueu quins blocs estan permesos dins d'aquest contenidor."],"Select which blocks can be added inside this container.":["Seleccioneu quins blocs es poden afegir dins d'aquest contenidor."],"Manage allowed blocks":["Gestiona els blocs permesos"],"Block hidden. You can access it via the List View (%s).":["Bloc ocult. Hi podeu accedir a través de la vista de llista (%s)."],"Blocks hidden. You can access them via the List View (%s).":["Blocs ocults. Hi podeu accedir a través de la vista de llista (%s)."],"Show or hide the selected block(s).":["Mostra o amaga el(s) bloc(s) seleccionat(s)."],"Type of the comment.":["Tipus del comentari."],"Creating comment failed.":["No s'ha pogut crear el comentari."],"Comment field exceeds maximum length allowed.":["El camp de comentari supera la longitud màxima permesa."],"Creating a comment requires valid author name and email values.":["Cal un nom i correu electrònic vàlids de l'autor per crear un comentari."],"Invalid comment content.":["El contingut del comentari no és vàlid."],"Cannot create a comment with that type.":["No es pot crear un comentari amb aquest tipus."],"Sorry, you are not allowed to read this comment.":["No teniu permisos per llegir aquest comentari."],"Query parameter not permitted: %s":["El paràmetre de consulta no està permès: %s"],"Sorry, you are not allowed to read comments without a post.":["No teniu permisos per llegir comentaris sense entrada."],"Sorry, this post type does not support notes.":["Aquest tipus de contingut no admet notes."],"Note resolution status":["Estat de la resolució de la nota"],Breadcrumbs:v,"block descriptionShow minutes required to finish reading the post. Can also show a word count.":["Mostra els minuts necessaris per acabar de llegir l'entrada. També pot mostrar el recompte de paraules."],"Reply to note %1$s by %2$s":["Respon a la nota %1$s de %2$s"],"Reopen & Reply":["Torna a obrir i respon"],"Original block deleted.":["S'ha suprimit el bloc original."],"Original block deleted. Note: %s":["S'ha suprimit el bloc original. Nota: %s"],"Note date full date formatF j, Y g:i a":["j \\d\\e F \\d\\e Y H:i"],"Don't allow link notifications from other blogs (pingbacks and trackbacks) on new articles.":["No permetis notificacions d'enllaços des d'altres blogs (retropings i retroenllaços) en articles nous."],"Don't allow":["No ho permetis"],"Allow link notifications from other blogs (pingbacks and trackbacks) on new articles.":["Permet notificacions d'enllaços des d'altres blogs (retropings i retroenllaços) en articles nous."],Allow:f,"Trackbacks & Pingbacks":["Retroenllaços i retropings"],"Template activation failed.":["L'activació de la plantilla ha fallat."],"Template activated.":["S'ha activat la plantilla."],"Activating template…":["S'està activant la plantilla…"],"Template Type":["Tipus de plantilla"],"Compatible Theme":["Tema compatible"],Active:y,"Active templates":["Plantilles actives"],Deactivate:k,"Value must be a number.":["El valor ha de ser un nombre."],"You can add custom CSS to further customize the appearance and layout of your site.":["Podeu afegir CSS personalitzat per personalitzar encara més l'aspecte i el disseny del vostre lloc web."],"Show the number of words in the post.":["Mostra el nombre de paraules de l'entrada."],"Word Count":["Recompte de paraules"],"Show minutes required to finish reading the post.":["Mostra els minuts necessaris per acabar de llegir l'entrada."],"Time to Read":["Temps de lectura"],"Display as range":["Mostra com a interval"],"Turns reading time range display on or offDisplay as range":["Mostra com a interval"],item:w,term:x,tag:S,category:A,"Suspendisse commodo lacus, interdum et.":["Suspendisse commodo lacus, interdum et."],"Lorem ipsum dolor sit amet, consectetur.":["Lorem ipsum dolor sit amet, consectetur."],"Block is hidden.":["El bloc està ocult."],Visible:C,"Unsync and edit":["Dessincronitza i edita"],"Synced with the selected %s.":["Sincronitzat amb la %s seleccionada."],"%s character":["%s caràcter","%s caràcters"],"Range of minutes to read%1$s–%2$s minutes":["%1$s–%2$s minuts"],"block keywordtags":["etiquetes"],"block keywordtaxonomy":["taxonomia"],"block keywordterms":["termes"],"block titleTerms Query":["Consulta de termes"],"block descriptionContains the block elements used to render a taxonomy term, like the name, description, and more.":["Conté els elements de bloc utilitzats per mostrar un terme de taxonomia, com ara el nom, la descripció i molt més."],"block titleTerm Template":["Plantilla del terme"],Count:E,"Parent ID":["Identificador del pare"],"Term ID":["Identificador del terme"],"An error occurred while performing an update.":["S'ha produït un error en realitzar una actualització."],"+%s":["Més de %s"],"100+":["més de 100"],"%s more reply":["%s resposta més","%s respostes més"],"Show password":["Mostra la contrasenya"],"Hide password":["Amaga la contrasenya"],"Date time":["Dia i hora"],"Value must be a valid color.":["El valor ha de ser un color vàlid."],"Open custom CSS":["Obre el CSS personalitzat"],"Go to: Patterns":["Vés a: Patrons"],"Go to: Templates":["Vés a: Plantilles"],"Go to: Navigation":["Vés a: Navegació"],"Go to: Styles":["Vés a: Estils"],"Go to: Template parts":["Vés a: Seccions de plantilla"],"Go to: %s":["Vés a: %s"],"No terms found.":["No s'ha trobat cap terme."],"Term Name":["Nom del terme"],"Limit the number of terms you want to show. To show all terms, use 0 (zero).":["Limiteu el nombre de termes que voleu mostrar. Per mostrar tots els termes, utilitzeu 0 (zero)."],"Max terms":["Màxim de termes"],"Count, low to high":["Recompte, de menys a més"],"Count, high to low":["Recompte, de més a menys"],"Name: Z → A":["Nom: Z → A"],"Name: A → Z":["Nom: A → Z"],"If unchecked, the page will be created as a draft.":["Si no es marca, la pàgina es crearà com a esborrany."],"Publish immediately":["Publica immediatament"],"Create a new page to add to your Navigation.":["Creeu una nova pàgina per afegir-la a la vostra navegació."],"Create page":["Crea una pàgina"],"Edit contents":["Edita continguts"],"The Link Relation attribute defines the relationship between a linked resource and the current document.":["L'atribut relació de l'enllaç defineix la relació entre un recurs enllaçat i el document actual."],"Link relation":["Relació d'enllaç"],"Blog home":["Pàgina d'inici del blog"],Attachment:T,Post:P,"When patterns are inserted, default to a simplified content only mode for editing pattern content.":["Quan s'insereixen patrons, per defecte s'utilitza un mode de contingut simplificat per editar el contingut del patró."],"Pattern Editing: Make patterns contentOnly by default upon insertion":["Edició de patrons: fa que els patrons siguin contentOnly per defecte en inserir-los."],"block bindings sourceTerm Data":["Dades del terme"],"Choose pattern":["Trieu un patró"],"Could not get a valid response from the server.":["No s'ha pogut obtenir una resposta vàlida del servidor."],"Unable to connect. Please check your Internet connection.":["No s'ha pogut connectar. Comproveu la connexió a Internet."],"block titleAccordion":["Acordió"],"block titleAccordion Panel":["Quadre d’acordió"],"block titleAccordion Heading":["Capçalera d'acordió"],"block titleAccordion Item":["Element d'acordió"],"Automatically load more content as you scroll, instead of showing pagination links.":["Carrega automàticament més contingut a mesura que us desplaceu, en comptes de mostrar enllaços de paginació."],"Enable infinite scroll":["Activa el desplaçament infinit"],"Play inline enabled because of Autoplay.":["Reproducció integrada activada degut a la reproducció automàtica."],"Display the post type label based on the queried object.":["Mostra l'etiqueta del tipus de contingut en funció de l'objecte consultat."],"Post Type Label":["Etiqueta del tipus de contingut"],"Show post type label":["Mostra l'etiqueta de tipus de contingut"],"Post Type: Name":["Tipus de contingut: Nom"],"Accordion title":["Títol de l'acordió"],"Accordion content will be displayed by default.":["El contingut de l'acordió es mostrarà per defecte."],"Icon Position":["Posició de la icona"],"Display a plus icon next to the accordion header.":["Mostra una icona de més al costat de la capçalera de l'acordió."],"Automatically close accordions when a new one is opened.":["Tanca automàticament els acordions quan s'obre un de nou."],"Auto-close":["Tancament automàtic"],'Post Type: "%s"':["Tipus de contingut: «%s»"],"Add Category":["Afegeix una categoria"],"Add Term":["Afegeix terme"],"Add Tag":["Afegeix etiqueta"],To:q,From:M,"Year to date":["Any fins a la data"],"Last year":["L'any passat"],"Month to date":["Mes fins a la data"],"Last 30 days":["Darrers 30 dies"],"Last 7 days":["Darrers 7 dies"],"Past month":["Mes passat"],"Past week":["Setmana passada"],Yesterday:z,Today:N,"Every value must be a string.":["Cada valor ha de ser una cadena."],"Value must be an array.":["El valor ha de ser una matriu."],"Value must be true, false, or undefined":["El valor ha de ser true, false, o undefined"],"Value must be an integer.":["El valor ha de ser un nombre sencer."],"Value must be one of the elements.":["El valor ha de ser un dels elements."],"Value must be a valid email address.":["El valor ha de ser una adreça electrònica vàlida."],"Add page":["Afegeix una pàgina"],Optional:L,"social link block variation nameSoundCloud":["SoundCloud"],"Display a post's publish date.":["Mostra la data de publicació d'una entrada."],"Publish Date":["Data de publicació"],'"Read more" text':["Text «Llegiu-ne més»"],"Poster image preview":["Previsualització de la imatge de pòster"],"Edit or replace the poster image.":["Edita o reemplaça la imatge de pòster."],"Set poster image":["Estableix la imatge de pòster"],"social link block variation nameYouTube":["YouTube"],"social link block variation nameYelp":["Yelp"],"social link block variation nameX":["X"],"social link block variation nameWhatsApp":["WhatsApp"],"social link block variation nameWordPress":["WordPress"],"social link block variation nameVK":["VK"],"social link block variation nameVimeo":["Vimeo"],"social link block variation nameTwitter":["Twitter"],"social link block variation nameTwitch":["Twitch"],"social link block variation nameTumblr":["Tumblr"],"social link block variation nameTikTok":["TikTok"],"social link block variation nameThreads":["Threads"],"social link block variation nameTelegram":["Telegram"],"social link block variation nameSpotify":["Spotify"],"social link block variation nameSnapchat":["Snapchat"],"social link block variation nameSkype":["Skype"],"social link block variation nameShare Icon":["Icona de compartir"],"social link block variation nameReddit":["Reddit"],"social link block variation namePocket":["Pocket"],"social link block variation namePinterest":["Pinterest"],"social link block variation namePatreon":["Patreon"],"social link block variation nameMedium":["Medium"],"social link block variation nameMeetup":["Meetup"],"social link block variation nameMastodon":["Mastodon"],"social link block variation nameMail":["Correu electrònic"],"social link block variation nameLinkedIn":["LinkedIn"],"social link block variation nameLast.fm":["Last.fm"],"social link block variation nameInstagram":["Instagram"],"social link block variation nameGravatar":["Gravatar"],"social link block variation nameGitHub":["GitHub"],"social link block variation nameGoogle":["Google"],"social link block variation nameGoodreads":["Goodreads"],"social link block variation nameFoursquare":["Foursquare"],"social link block variation nameFlickr":["Flickr"],"social link block variation nameRSS Feed":["Canal RSS"],"social link block variation nameFacebook":["Facebook"],"social link block variation nameEtsy":["Etsy"],"social link block variation nameDropbox":["Dropbox"],"social link block variation nameDribbble":["Dribbble"],"social link block variation nameDiscord":["Discord"],"social link block variation nameDeviantArt":["Deviantart"],"social link block variation nameCodePen":["CodePen"],"social link block variation nameLink":["Enllaç"],"social link block variation nameBluesky":["Bluesky"],"social link block variation nameBehance":["Behance"],"social link block variation nameBandcamp":["Bandcamp"],"social link block variation nameAmazon":["Amazon"],"social link block variation name500px":["500px"],"block descriptionDescribe in a few words what this site is about. This is important for search results, sharing on social media, and gives overall clarity to visitors.":["Descriviu en poques paraules de què tracta aquest lloc web. Això és important per als resultats de cerca, per compartir a les xarxes socials i per donar una idea clara als visitants."],"There is no poster image currently selected.":["Ara mateix no hi ha cap imatge de pòster seleccionada."],"The current poster image url is %s.":["L'URL de la imatge de pòster actual és %s"],"Comments pagination":["Paginació dels comentaris"],"paging
Page
%1$s
of %2$d
":["
Pàgina
%1$s
de %2$d
"],"%1$s is in the past: %2$s":["%1$s es troba en el passat: %2$s"],"%1$s between (inc): %2$s and %3$s":["%1$s entre (incl.): %2$s i %3$s"],"%1$s is on or after: %2$s":["%1$s és el mateix dia o posterior a: %2$s"],"%1$s is on or before: %2$s":["%1$s és el mateix dia o anterior a: %2$s"],"%1$s is after: %2$s":["%1$s és posterior a: %2$s"],"%1$s is before: %2$s":["%1$s és anterior a: %2$s"],"%1$s starts with: %2$s":["%1$s comença amb: %2$s"],"%1$s doesn't contain: %2$s":["%1$s no conté: %2$s"],"%1$s contains: %2$s":["%1$s conté: %2$s"],"%1$s is greater than or equal to: %2$s":["%1$s és més gran o igual que: %2$s"],"%1$s is less than or equal to: %2$s":["%1$s és més petit o igual que: %2$s"],"%1$s is greater than: %2$s":["%1$s és més gran que: %2$s"],"%1$s is less than: %2$s":["%1$s és més petit que: %2$s"],"Max.":["Màx."],"Min.":["Mín."],"The max. value must be greater than the min. value.":["El valor màxim ha de ser més gran que el valor mínim."],Unit:D,"Years ago":["Fa anys"],"Months ago":["Fa uns mesos"],"Weeks ago":["Fa unes setmanes"],"Days ago":["Fa uns dies"],Years:$,Months:I,Weeks:R,Days:B,False:V,True:U,Over:F,"In the past":["Al passat"],"Not on":["No el"],"Between (inc)":["Entre (incl.)"],"Starts with":["Comença amb"],"Doesn't contain":["No conté"],"After (inc)":["Després (incl.)"],"Before (inc)":["Abans (incl.)"],After:O,Before:j,"Greater than or equal":["Més gran o igual"],"Less than or equal":["Més petit o igual"],"Greater than":["Més gran que"],"Less than":["Més petit que"],"%s, selected":["%s, seleccionat"],"Go to the Previous Month":["Vés al mes anterior"],"Go to the Next Month":["Vés al mes següent"],"Today, %s":["Avui, %s"],"Date range calendar":["Calendari d'interval de dates"],"Date calendar":["Calendari de dates"],"Interactivity API: Full-page client-side navigation":["API d'interactivitat: navegació a pàgina completa del costat del client"],"Set as default track":["Estableix com a pista per defecte"],"Icon size":["Mida de la icona"],"Only select
if the separator conveys important information and should be announced by screen readers.":["Només seleccioneu
si el separador transmet informació important i els lectors de pantalla l'han d'anunciar."],"Sort and filter":["Ordena i filtra"],"Write summary. Press Enter to expand or collapse the details.":["Escriviu un resum. Premeu «Retorn» per ampliar o reduir els detalls."],"Default ()":["Per defecte ()"],"The ":["El menú de navegació s'ha suprimit o no està disponible. "],"Custom HTML Preview":["Previsualització d'HTML personalitzat"],"Multiple blocks selected":["S'han seleccionat múltiples blocs."],'Block name changed to: "%s".':["El nom del bloc ha canviat a: «%s»."],'Block name reset to: "%s".':["El nom del bloc s'ha reinicialitzat a: «%s».."],"https://wordpress.org/patterns/":["https://ca.wordpress.org/patterns/"],"Patterns are available from the WordPress.org Pattern Directory, bundled in the active theme, or created by users on this site. Only patterns created on this site can be synced.":["Els patrons estan disponibles al directori de patrons de WordPress.org, inclosos en el tema actiu o creats pels usuaris d'aquest lloc web. Només es poden sincronitzar els patrons creats en aquest lloc web."],Source:Be,"Theme & Plugins":["Tema i extensions"],"Pattern Directory":["Directori de patrons"],"Jump to footnote reference %1$d":["Ves a la referència de la nota al peu %1$d"],"Mark as nofollow":["Marca com a nofollow"],"Empty template part":["Secció de plantilla buida"],"Choose a template":["Trieu una plantilla"],"Manage fonts":["Gestiona els tipus de lletra"],Fonts:Ve,"Install Fonts":["Instal·la tipus de lletra"],Install:Ue,"No fonts found. Try with a different search term.":["No s'ha trobat cap tipus de lletra. Proveu amb un terme de cerca diferent."],"Font name…":["Nom del tipus de lletra..."],"Select font variants to install.":["Seleccioneu les variants de tipus de lletra que voleu instal·lar."],"Allow access to Google Fonts":["Permetre l'accés als tipus de lletra de Google"],"You can alternatively upload files directly on the Upload tab.":["També podeu pujar fitxers directament a la pestanya Puja."],"To install fonts from Google you must give permission to connect directly to Google servers. The fonts you install will be downloaded from Google and stored on your site. Your site will then use these locally-hosted fonts.":["Per instal·lar tipus de lletra de Google heu de donar permís per connectar-vos directament als servidors de Google. Els tipus de lletra que instal·leu es baixaran de Google i s'emmagatzemaran al lloc. A continuació, el lloc utilitzarà aquests tipus de lletra allotjats localment."],"Choose font variants. Keep in mind that too many variants could make your site slower.":["Trieu variants de tipus de lletra. Tingueu en compte que massa variants podrien fer que el lloc sigui més lent."],"Upload font":["Pugeu tipus de lletra"],"%1$d/%2$d variants active":["%1$d/%2$d variants actives"],"font styleNormal":["Normal"],"font weightExtra-bold":["Extra negreta"],"font weightSemi-bold":["Semi negreta"],"font weightNormal":["Normal"],"font weightExtra-light":["Extra prima"],"Add your own CSS to customize the appearance of the %s block. You do not need to include a CSS selector, just add the property and value.":["Afegiu el vostre propi CSS per personalitzar l'aparença del bloc %s. No cal que inclogueu un selector CSS, només cal que afegiu la propietat i el valor."],'Imported "%s" from JSON.':["S'ha importat «%s» del fitxer JSON."],"Import pattern from JSON":["Importa el patró d'un fitxer JSON"],"A list of all patterns from all sources.":["Una llista de tots els patrons de totes les fonts."],"An error occurred while reverting the template part.":["S'ha produït un error en revertir la secció de plantilla."],Notice:Fe,"Error notice":["Avís d'error"],"Information notice":["Avís informatiu"],"Warning notice":["Avís d'advertència"],"Footnotes are not supported here. Add this block to post or page content.":["Les notes al peu no s'admeten aquí. Afegiu aquest bloc al contingut de l'entrada o de la pàgina."],"Comments form disabled in editor.":["El formulari de comentaris està desactivat a l'editor."],"Block: Paragraph":["Bloc: Paràgraf"],"Image settingsSettings":["Paràmetres"],"Drop to upload":["Deixeu anar per pujar"],"Background image":["Imatge de fons"],"Only images can be used as a background image.":["Només les imatges es poden utilitzar com a imatge de fons."],"No results found":["No s'ha trobat cap resultat"],"%d category button displayed.":["Es mostra %d botó de categoria.","Es mostren %d botons de categoria."],"All patterns":["Tots els patrons"],"Display a list of assigned terms from the taxonomy: %s":["Mostra una llista de termes assignats de la taxonomia: %s"],"Specify how many links can appear before and after the current page number. Links to the first, current and last page are always visible.":["Especifica quants enllaços poden aparèixer abans i després del número de pàgina actual. Els enllaços a la primera, actual i l’última pàgina sempre són visibles."],"Number of links":["Nombre d'enllaços"],Ungroup:Oe,"Page Loaded.":["S'ha carregat la pàgina"],"Loading page, please wait.":["S’està carregant la pàgina, espereu."],"block titleDate":["Data"],"block titleContent":["Contingut"],"block titleAuthor":["Autor"],"block keywordtoggle":["commuta"],"Default styles":["Estils per defecte"],"Reset the styles to the theme defaults":["Reinicialitza els estils per als valors predeterminats del tema"],"Changes will apply to new posts only. Individual posts may override these settings.":["Els canvis només s'aplicaran a les noves entrades. És possible que les entrades individuals substitueixin aquesta configuració."],"Breadcrumbs visible.":["Ruta de navegació visible"],"Breadcrumbs hidden.":["Ruta de navegació amagada"],"Editor preferences":["Preferències de l'editor"],"The
element should be used for the primary content of your document only.":["L'element
només s'ha d'utilitzar per al contingut principal del document."],"Modified Date":["Data de modificació"],"Overlay menu controls":["Controls del menú de superposició"],'Navigation Menu: "%s"':["Menú de navegació: «%s»"],"Enter fullscreen":["Entra a la pantalla completa"],"Exit fullscreen":["Surt de la pantalla completa"],"Select text across multiple blocks.":["Selecciona el text en els diversos blocs."],"Font family uninstalled successfully.":["S'ha desinstal·lat correctament la família del tipus de lletra."],"Changes saved by %1$s on %2$s":["Canvis desats per %1$s el %2$s"],"Unsaved changes by %s":["Canvis sense desar de %s"],"Preview in a new tab":["Previsualitza en una pestanya nova"],"Disable pre-publish checks":["Desactiva les comprovacions prèvies a la publicació"],"Show block breadcrumbs":["Mostra la ruta de navegació dels blocs"],"Hide block breadcrumbs":["Amaga la ruta de navegació del bloc"],"Post overviewOutline":["Contorn"],"Post overviewList View":["Vista de llista"],"You can enable the visual editor in your profile settings.":["Podeu habilitar l'editor visual a la configuració del perfil."],"Submit Search":["Envía la cerca"],"block keywordreusable":["reutilitzable"],"Pattern imported successfully!":["El patró s'ha importat correctament!"],"Invalid pattern JSON file":["Fitxer JSON de patró no vàlid"],"Last page":["Darrera pàgina"],"paging%1$s of %2$s":["%1$s de %2$s"],"Previous page":["Pàgina anterior"],"First page":["Primera pàgina"],"%s item":["%s element","%s elements"],"Use left and right arrow keys to resize the canvas. Hold shift to resize in larger increments.":["Utilitzeu les tecles de fletxa esquerra i dreta per canviar la mida del llenç. Mantingueu premut el canvi de mida per canviar la mida en increments més grans."],"An error occurred while moving the item to the trash.":["S'ha produït un error en moure l'element a la paperera."],'"%s" moved to the trash.':["S'ha mogut «%s» a la paperera."],"Go to the Dashboard":["Vés al tauler"],"%s name":["nom %s"],"%s: Name":["%s: Nom"],'The current menu options offer reduced accessibility for users and are not recommended. Enabling either "Open on Click" or "Show arrow" offers enhanced accessibility by allowing keyboard users to browse submenus selectively.':[`Les opcions de menú actuals ofereixen una accessibilitat reduïda per als usuaris i no són recomanables. L'activació de "Obre en fer clic" o "Mostra la fletxa" ofereix una accessibilitat millorada, ja que permet als usuaris de teclat navegar pels submenús de manera selectiva.`],"Footnotes found in blocks within this document will be displayed here.":["Les notes al peu de pàgina que es trobin en blocs dins d'aquest document es mostraran aquí."],Footnotes:je,"Open command palette":["Obre la paleta d'ordres"],"Note that the same template can be used by multiple pages, so any changes made here may affect other pages on the site. To switch back to editing the page content click the ‘Back’ button in the toolbar.":["Tingueu en compte que la mateixa plantilla pot ser utilitzada per diverses pàgines, de manera que qualsevol canvi que es faci aquí pot afectar altres pàgines del lloc web. Per tornar a editar el contingut de la pàgina, feu clic al botó «Enrere» de la barra d'eines."],"Editing a template":["Edició d'una plantilla"],"It’s now possible to edit page content in the site editor. To customise other parts of the page like the header and footer switch to editing the template using the settings sidebar.":["Ara és possible editar el contingut de la pàgina a l'editor del lloc. Per personalitzar altres parts de la pàgina, com ara la capçalera i el peu de pàgina, canvieu a editar la plantilla mitjançant els paràmetres de la barra lateral."],Continue:Ge,"Editing a page":["Edició d'una pàgina"],"This pattern cannot be edited.":["Aquest patró no es pot editar."],"Are you sure you want to delete this reply?":["Segur que voleu suprimir aquesta resposta?"],"Command palette":["Paleta d'ordres"],"Open the command palette.":["Obre la paleta d'ordres."],Detach:He,"Edit Page List":["Edita la llista de pàgines"],"It appears you are trying to use the deprecated Classic block. You can leave this block intact, convert its content to a Custom HTML block, or remove it entirely. Alternatively, if you have unsaved changes, you can save them and refresh to use the Classic block.":["Sembla que esteu intentant utilitzar el bloc clàssic obsolet. Podeu deixar aquest bloc intacte, convertir-ne el contingut a un bloc d'HTML personalitzat o suprimir-ho completament. Com a alternativa, si teniu canvis sense desar, podeu desar-los i actualitzar la pàgina per utilitzar el bloc clàssic."],"Name for applying graphical effectsFilters":["Filtres"],"Hide block tools":["Amaga les eines del bloc"],"My patterns":["Els meus patrons"],"Disables the TinyMCE and Classic block.":["Desactiva el TinyMCE i el bloc clàssic."],"`experimental-link-color` is no longer supported. Use `link-color` instead.":[`'experimental-link-color' ja no és compatible. Utilitzeu "link-color" en el seu lloc.`],"Sync status":["Estat de sincronització"],"block titlePattern Placeholder":["Espai reservat del patró"],"block keywordreferences":["referències"],"block titleFootnotes":["Notes al peu"],"Unsynced pattern created: %s":["Patró no sincronitzat creat: %s"],"Synced pattern created: %s":["Patró sincronitzat creat: %s"],"Untitled pattern block":["Bloc de patró sense títol"],"External media":["Fitxers mèdia externs"],"Select image block.":["Selecciona un bloc d'imatge."],"Patterns that can be changed freely without affecting the site.":["Patrons que es poden canviar lliurement sense afectar el lloc."],"Patterns that are kept in sync across the site.":["Patrons que es mantenen sincronitzats a tot el lloc web."],"Empty pattern":["Patró buit"],"An error occurred while deleting the items.":["S'ha produït un error en suprimir els elements."],"Learn about styles":["Apreneu sobre els estils"],"Open style revisions":["Obre les revisions d'estils"],"Change publish date":["Canvia la data de publicació"],Password:We,"An error occurred while duplicating the page.":["S'ha produït un error en duplicar la pàgina."],"Publish automatically on a chosen date.":["Publica automàticament en la data escollida."],"Waiting for review before publishing.":["A l'espera de revisió abans de publicar."],"Not ready to publish.":["No està llest per publicar."],"Unable to duplicate Navigation Menu (%s).":["No s'ha pogut duplicar el menú de navegació (%s)."],"Duplicated Navigation Menu":["Menú de navegació duplicat"],"Unable to rename Navigation Menu (%s).":["No s'ha pogut canviar el nom del menú de navegació (%s)."],"Renamed Navigation Menu":["S'ha canviat el nom del menú de navegació"],"Unable to delete Navigation Menu (%s).":["No s'ha pogut suprimir el menú de navegació (%s)."],"Are you sure you want to delete this Navigation Menu?":["Segur que voleu suprimir aquest menú de navegació?"],"Navigation title":["Títol de navegació"],"Go to %s":["Ves a %s"],"Set the default number of posts to display on blog pages, including categories and tags. Some templates may override this setting.":["Defineix el nombre predeterminat d'entrades que es mostraran a les pàgines del blog, incloses les categories i les etiquetes. És possible que algunes plantilles substitueixin aquesta configuració."],"Set the Posts Page title. Appears in search results, and when the page is shared on social media.":["Defineix el títol de la pàgina d’entrades. Apareix als resultats de la cerca i quan es comparteix la pàgina a les xarxes socials."],"Blog title":["Títol del blog"],"Select what the new template should apply to:":["Seleccioneu a què s'ha d'aplicar la nova plantilla:"],"E.g. %s":["P. ex. %s"],"Manage what patterns are available when editing the site.":["Gestioneu quins patrons estan disponibles quan s’edita el lloc web."],"My pattern":["El meu patró"],"Create pattern":["Crea un patró"],"An error occurred while renaming the pattern.":["S'ha produït un error en canviar el nom del patró."],"Hide & Reload Page":["Amaga i torna a carregar la pàgina"],"Show & Reload Page":["Mostra i torna a carregar la pàgina"],"Manage patterns":["Gestiona patrons"],"Initial %d result loaded. Type to filter all available results. Use up and down arrow keys to navigate.":["Resultat inicial %d carregat. Escriviu per filtrar tots els resultats disponibles. Utilitzeu les tecles de fletxa amunt i avall per navegar.","Resultats inicials %d carregat. Escriviu per filtrar tots els resultats disponibles. Utilitzeu les tecles de fletxa amunt i avall per navegar."],Footnote:Ye,"Lowercase Roman numerals":["Números romans en minúscules"],"Uppercase Roman numerals":["Números romans en majúscules"],"Lowercase letters":["Lletres minúscules"],"Uppercase letters":["Lletres majúscules"],Numbers:Je,"Image is contained without distortion.":["La imatge està continguda sense distorsió."],"Image covers the space evenly.":["La imatge cobreix l'espai de manera uniforme."],"Image size option for resolution controlFull Size":["Mida completa"],"Image size option for resolution controlLarge":["Gran"],"Image size option for resolution controlMedium":["Medium"],"Image size option for resolution controlThumbnail":["Miniatura"],Scale:Qe,"Scale down the content to fit the space if it is too big. Content that is too small will have additional padding.":["Redimensioneu el contingut per a ajustar-lo a l’espai si és massa gran. El contingut massa petit tindrà una separació addicional."],"Scale option for dimensions controlScale down":["Redueix l'escala"],"Do not adjust the sizing of the content. Content that is too large will be clipped, and content that is too small will have additional padding.":["No ajusteu la mida del contingut. El contingut massa gran es retallarà i el contingut massa petit tindrà una separació addicional."],"Scale option for dimensions controlNone":["Cap"],"Fill the space by clipping what doesn't fit.":["Omple l’espai retallant allò que no s’ajusta."],"Scale option for dimensions controlCover":["Coberta"],"Fit the content to the space without clipping.":["Ajusta el contingut a l’espai sense retallar-lo."],"Scale option for dimensions controlContain":["Conté"],"Fill the space by stretching the content.":["Omple l'espai estirant el contingut."],"Scale option for dimensions controlFill":["Omple"],"Aspect ratio option for dimensions controlCustom":["Personalitzat"],"Aspect ratio option for dimensions controlOriginal":["Original"],"Additional link settingsAdvanced":["Avançat"],"Change level":["Canvia el nivell"],"Position: %s":["Posició: %s"],"The block will stick to the scrollable area of the parent %s block.":["El bloc es fixarà a l'àrea desplaçable del bloc %s pare."],'"%s" in theme.json settings.color.duotone is not a hex or rgb string.':['"%s" a theme.json settings.color.duotone no és una cadena hexadecimal o rgb.'],"An error occurred while creating the item.":["S'ha produït un error en crear l'element."],"block titleTitle":["Títol"],"block titleExcerpt":["Extracte"],"View site (opens in a new tab)":["Visualitza el lloc web (s'obre en una pestanya nova)"],"Last edited %s.":["Darrera edició %s."],Page:Xe,Unknown:_e,Parent:Ke,Pending:Ze,"Create draft":["Crea un esborrany"],"No title":["Sense títol"],"Review %d change…":["Revisa %d canvi...","Revisa %d canvis…"],"Focal point top position":["Posició superior del punt focal"],"Focal point left position":["Posició esquerra del punt focal"],"Show label text":["Mostra el text de l'etiqueta"],"No excerpt found":["No s'ha trobat cap extracte"],"Excerpt text":["Text de l’extracte"],"The content is currently protected and does not have the available excerpt.":["El contingut està protegit actualment i no té l’extracte disponible."],"This block will display the excerpt.":["En aquest bloc es mostrarà l’extracte."],Suggestions:ea,"Horizontal & vertical":["Horitzontal i vertical"],"Expand search field":["Amplia el camp de cerca"],"Right to left":["De dreta a esquerra"],"Left to right":["D'esquerra a dreta"],"Text direction":["Direcció del text"],'A valid language attribute, like "en" or "fr".':[`Un atribut d'idioma vàlid, com ara "en" o "fr".`],Language:aa,"Reset template part: %s":["Reinicialitza la secció de plantilla: %s"],"Document not found":["No s'ha trobat el document"],"Navigation Menu missing.":["Falta el menú de navegació."],"Navigation Menus are a curated collection of blocks that allow visitors to get around your site.":["Els menús de navegació són una col·lecció de blocs seleccionats que permeten als visitants desplaçar-se pel lloc web."],"Manage your Navigation Menus.":["Gestioneu els menús de navegació."],"%d pattern found":["S'ha trobat %d patró","S'han trobat %d patrons"],Library:ta,"Examples of blocks":["Exemples de blocs"],"The relationship of the linked URL as space-separated link types.":["La relació de l'URL enllaçat com a tipus d'enllaços separats per espai."],"Rel attribute":["Atribut rel"],'The duotone id "%s" is not registered in theme.json settings':[`L'identificador de duotone "%s" no està registrat als paràmetres del theme.json`],"block descriptionHide and show additional content.":["Amaga i mostra contingut addicional."],"block descriptionAdd an image or video with a text overlay.":["Afegeix una imatge o un vídeo amb una superposició de text."],"Save panel":["Desa el panell"],"Close Styles":["Tanca els estils"],"Discard unsaved changes":[],Activate:sa,"Activate & Save":["Activa i desa"],"Write summary…":["Escriviu un resum…"],"Type / to add a hidden block":["Teclegeu / per afegir un bloc ocult"],"Add an image or video with a text overlay.":["Afegeix una imatge o un vídeo amb una superposició de text."],"%d Block":["%d bloc","%d Blocs"],"Add after":["Afegeix després"],"Add before":["Afegeix abans"],"Site Preview":["Previsualització del lloc web"],"block descriptionDisplay an image to represent this site. Update this block and the changes apply everywhere.":["Mostra una imatge per representar aquest lloc. Actualitzeu aquest bloc i els canvis s'apliquen a tot arreu."],"Add media":["Afegeix un mèdia"],"Show block tools":["Mostra les eines de blocs"],"block keywordlist":["llista"],"block keyworddisclosure":["revelació"],"block titleDetails":["Detalls"],"https://wordpress.org/documentation/article/page-post-settings-sidebar/#permalink":["https://wordpress.org/documentation/article/page-post-settings-sidebar/#permalink"],"https://wordpress.org/documentation/article/page-post-settings-sidebar/#excerpt":["https://wordpress.org/documentation/article/page-post-settings-sidebar/#excerpt"],"https://wordpress.org/documentation/article/embeds/":["https://wordpress.org/documentation/article/embeds/"],"Open by default":["Obert per defecte"],"https://wordpress.org/documentation/article/customize-date-and-time-format/":["https://wordpress.org/documentation/article/customize-date-and-time-format/"],"https://wordpress.org/documentation/article/page-jumps/":["https://wordpress.org/documentation/article/page-jumps/"],"%s minute":["%s minut","%s minuts"],"Manage the fonts and typography used on captions.":["Gestioneu els tipus de lletra i la tipografia utilitzats a la llegenda."],"Display a post's last updated date.":["Mostra la data de la darrera actualització d’una entrada."],"Post Modified Date":["Data de modificació d’una entrada"],"Arrange blocks in a grid.":["Organitza els blocs en una graella."],"Leave empty if decorative.":["Deixeu-ho buit si és decoratiu."],"Alternative text":["Text alternatiu"],Resolution:oa,"Name for the value of the CSS position propertyFixed":["Fix"],"Name for the value of the CSS position propertySticky":["Fixat"],"Minimum column width":["Amplada mínima de la columna"],"captionWork/ %2$s":["Obra/ %2$s"],"Examples of blocks in the %s category":["Exemples de blocs de la categoria %s"],"Create new templates, or reset any customizations made to the templates supplied by your theme.":["Creeu plantilles noves o reinicieu les personalitzacions fetes a les plantilles proporcionades pel tema."],"A custom template can be manually applied to any post or page.":["Una plantilla personalitzada es pot aplicar manualment a qualsevol entrada o pàgina."],"Customize the appearance of your website using the block editor.":["Personalitzeu l'aparença del lloc web mitjançant l'editor de blocs."],"https://wordpress.org/documentation/article/wordpress-block-editor/":["https://wordpress.org/documentation/article/wordpress-block-editor/"],"Post meta":["Metadades de l'entrada"],"Select the size of the source images.":["Seleccioneu la mida de les imatges d'origen."],"Reply to A WordPress Commenter":["Respon a un comentarista del WordPress"],"Commenter Avatar":["Avatar del comentarista"],"block titleTime to Read":["Temps de lectura"],"Example:":["Exemple:"],"Image inserted.":["Imatge inserida."],"Image uploaded and inserted.":["Imatge pujada i inserida."],Insert:ia,"External images can be removed by the external provider without warning and could even have legal compliance issues related to privacy legislation.":["Les imatges externes poden ser eliminades pel proveïdor extern sense previ avís i fins i tot podrien tenir problemes de compliment legal relacionats amb la legislació de privadesa."],"This image cannot be uploaded to your Media Library, but it can still be inserted as an external image.":["Aquesta imatge no es pot pujar a la mediateca, però encara es pot inserir com a imatge externa."],"Insert external image":["Insereix una imatge externa"],"Fallback content":["Contingut alternatiu"],"Scrollable section":["Secció amb desplaçament"],"Aspect ratio":["Relació d'aspecte"],"Max number of words":["Nombre màxim de paraules"],"Choose or create a Navigation Menu":["Trieu o creeu un menú de navegació"],"Add submenu link":["Afegeix un enllaç de submenú"],"Search Openverse":["Cerca a Openverse"],Openverse:la,"Search audio":["Cerca àudio"],"Search videos":["Cerca vídeos"],"Search images":["Cerca imatges"],'caption"%1$s"/ %2$s':['"%1$s"/ %2$s'],"captionWork by %2$s/ %3$s":["Obra de %2$s/ %3$s"],'caption"%1$s" by %2$s/ %3$s':["«%1$s» de %2$s/ %3$s"],"Learn more about CSS":["Apreneu més sobre CSS"],"There is an error with your CSS structure.":["Hi ha un error amb l'estructura CSS."],Shadow:na,"Border & Shadow":["Vora i ombra"],Center:ra,'Page List: "%s" page has no children.':['Llista de pàgines: la pàgina "%s" no té fills.'],"You have not yet created any menus. Displaying a list of your Pages":["Encara no heu creat cap menú. Es mostra una llista de les vostres pàgines"],"Untitled menu":["Menú sense títol"],"Structure for Navigation Menu: %s":["Estructura per al menú de navegació: %s"],"(no title %s)":["(sense títol %s)"],"Align text":["Alinea el text"],"Append to %1$s block at position %2$d, Level %3$d":["Afegeix al bloc %1$s a la posició %2$d, nivell %3$d"],"%s block inserted":["Bloc %s inserit"],"Report %s":["Informeu sobre %s"],"Copy styles":["Copia els estils"],"Stretch items":["Estira els elements"],"Block vertical alignment settingSpace between":["Espai intermedi"],"Block vertical alignment settingStretch to fill":["Estira per omplir"],"Untitled post %d":["Entrada sense títol %d"],"Printing since 1440. This is the development plugin for the block editor, site editor, and other future WordPress core functionality.":["Impressió des de 1440. Aquesta és l’extensió de desenvolupament per a l'editor de blocs, l'editor del lloc i altres futures funcions bàsiques de WordPress."],"Style Variations":["Variacions d'estils"],"Apply globally":["Aplica globalment"],"%s styles applied.":["%s estils aplicats."],"Currently selected position: %s":["Posició seleccionada actualment: %s"],Position:ca,"The block will not move when the page is scrolled.":["El bloc no es mourà quan es desplaci la pàgina."],"The block will stick to the top of the window instead of scrolling.":["El bloc s'enganxarà a la part superior de la finestra en lloc de desplaçar-se."],Sticky:da,"Paste styles":["Enganxa els estils"],"Pasted styles to %d blocks.":["S'han enganxat estils a %d blocs."],"Pasted styles to %s.":["S'han enganxat estils a %s."],"Unable to paste styles. Block styles couldn't be found within the copied content.":["No s’han pogut enganxar els estils. Els estils de bloc no es podien trobar dins del contingut copiat."],"Unable to paste styles. Please allow browser clipboard permissions before continuing.":["No s'han pogut enganxar els estils. Permeteu els permisos del porta-retalls del navegador abans de continuar."],"Unable to paste styles. This feature is only available on secure (https) sites in supporting browsers.":["No s'han pogut enganxar els estils. Aquesta característica només està disponible en llocs web segurs (https) als navegadors compatibles."],Tilde:ua,"Template part":["Secció de plantilla"],"Apply this block’s typography, spacing, dimensions, and color styles to all %s blocks.":["Aplica la tipografia, l'espaiat, les dimensions i els estils de color d'aquest bloc a tots els blocs %s."],"Import widget area":["Àrea d'importació de ginys"],"Unable to import the following widgets: %s.":["No s'han pogut importar els següents ginys: %s."],"Widget area: %s":["Àrea de ginys: %s"],"Select widget area":["Seleccioneu una àrea de ginys"],"Your %1$s file uses a dynamic value (%2$s) for the path at %3$s. However, the value at %3$s is also a dynamic value (pointing to %4$s) and pointing to another dynamic value is not supported. Please update %3$s to point directly to %4$s.":["El fitxer %1$s utilitza un valor dinàmic (%2$s) per al camí d'accés en %3$s. No obstant això, el valor a %3$s també és un valor dinàmic (apuntant a %4$s) i no s'admet apuntar a un altre valor dinàmic. Actualitzeu %3$s per apuntar directament a %4$s."],"Clear Unknown Formatting":["Neteja el format desconegut"],CSS:pa,"Open %s styles in Styles panel":["Obre els estils de %s al quadre d'estils"],"Style Book":["Llibre d'estils"],"Additional CSS":["CSS addicional"],"Open code editor":["Obre l'editor de codi"],"Specify a fixed height.":["Especifiqueu una alçada fixa."],"Block inspector tab display overrides.":["Substitueix la pantalla de la pestanya de l'inspector de blocs."],"Markup is not allowed in CSS.":["El marcatge no està permès a CSS."],"block keywordpage":["pàgina"],"block descriptionDisplays a page inside a list of all pages.":["Mostra una pàgina dins d'una llista de totes les pàgines."],"block titlePage List Item":["Element de la llista de pàgines"],"Show details":["Mostra els detalls"],"Choose a page to show only its subpages.":["Trieu una pàgina per mostrar-ne només les subpàgines."],"Parent Page":["Pàgina mare"],"Media List":["Llista de mèdia"],Videos:ma,Fixed:ga,"Fit contents.":["Ajusta els continguts."],"Specify a fixed width.":["Especifiqueu una amplada fixa."],"Stretch to fill available space.":["Estira per omplir l'espai disponible."],"Randomize colors":["Colors aleatoris"],"Document Overview":["Resum del document"],"Convert the current paragraph or heading to a heading of level 1 to 6.":["Converteix el paràgraf o la capçalera actual en una capçalera de nivell 1 a 6."],"Convert the current heading to a paragraph.":["Converteix la capçalera actual en un paràgraf."],"Transform paragraph to heading.":["Transforma el paràgraf en capçalera."],"Transform heading to paragraph.":["Transforma la capçalera en paràgraf."],"Extra Extra Large":["Extra Extra Gran"],"Group blocks together. Select a layout:":["Agrupa blocs junts. Seleccioneu un disseny:"],"Color randomizer":["Aleatoritzador de color"],"Indicates whether the current theme supports block-based templates.":["Indica si el tema actual admet plantilles basades en blocs."],"untitled post %s":["entrada sense títol %s"],": %s":[": %s"],"Time to read:":["Temps de lectura:"],"Words:":["Paraules:"],"Characters:":["Caràcters:"],"Navigate the structure of your document and address issues like empty or incorrect heading levels.":["Navegueu per l'estructura del document i solucioneu problemes com ara els nivells de capçalera buits o incorrectes."],Decrement:ba,Increment:ha,"Remove caption":["Suprimeix la llegenda"],"Close List View":["Tanca la vista de llista"],"Choose a variation to change the look of the site.":["Trieu una variant per canviar l'aspecte del lloc web."],"Write with calmness":["Escriviu amb calma"],"Distraction free":["Sense distraccions"],"Reduce visual distractions by hiding the toolbar and other elements to focus on writing.":["Redueix les distraccions visuals amagant la barra d'eines i altres elements per centrar-vos en l'escriptura."],Caption:va,Pattern:fa,"Raw size value must be a string, integer or a float.":["El valor en brut de la mida ha de ser una cadena, un nombre enter o flotant."],"Link author name to author page":["Enllaça el nom de l'autor a la pàgina de l'autor"],"Not available for aligned text.":["No disponible per a text alineat."],"There’s no content to show here yet.":["Encara no hi ha contingut per mostrar aquí."],"block titleComments Previous Page":["Pàgina anterior de comentaris"],"block titleComments Next Page":["Pàgina següent de comentaris"],"Arrow option for Next/Previous linkChevron":["Xebró"],"Arrow option for Next/Previous linkArrow":["Fletxa"],"Arrow option for Next/Previous linkNone":["Cap"],"A decorative arrow for the next and previous link.":["Una fletxa decorativa per al següent enllaç i anterior."],"Format tools":["Eines de format"],"Displays an archive with the latest posts of type: %s.":["Mostra un arxiu amb les últimes entrades del tipus: %s."],"Archive: %s":["Arxiu: %s"],"Archive: %1$s (%2$s)":["Arxiu: %1$s (%2$s)"],handle:ya,"Import Classic Menus":["Importa menús clàssics"],"You are currently in zoom-out mode.":["Actualment esteu en el mode de vista ampliada."],"$store must be an instance of WP_Style_Engine_CSS_Rules_Store_Gutenberg":["$store ha de ser una instància de WP_Style_Engine_CSS_Rules_Store_Gutenberg"],'"%s" successfully created.':['"%s" creat amb èxit.'],XXL:ka,"View next month":["Visualitza el mes següent"],"View previous month":["Visualitza el mes anterior"],"Archive type: Name":["Tipus d'arxiu: Nom"],"Show archive type in title":["Mostra el tipus d'arxiu al títol"],"The Queen of Hearts.":["La reina de cors."],"The Mad Hatter.":["El barretaire boig."],"The Cheshire Cat.":["El gat de Cheshire."],"The White Rabbit.":["El Conill Blanc."],"Alice.":["Alícia."],"Gather blocks in a container.":["Reuneix els blocs en un contenidor."],"Inner blocks use content width":["Els blocs interiors utilitzen l’amplada del contingut"],Font:wa,Constrained:xa,"Spacing control":["Control d'espaiat"],"Custom (%s)":["Personalitzat (%s)"],"All sides":["Tots els costats"],"Disables custom spacing sizes.":["Desactiva les mides d'espaiat personalitzades."],"All Authors":["Tots els autors"],"No authors found.":["No s'han trobat autors."],"Search Authors":["Busca autors"],"Author: %s":["Autor: %s"],"Create template part":["Crea una secció de plantilla"],"Manage the fonts and typography used on headings.":["Gestiona els tipus de lletra i la tipografia que s'utilitzen a les capçaleres."],H6:Sa,H5:Aa,H4:Ca,H3:Ea,H2:Ta,H1:Pa,"Select heading level":["Seleccioneu el nivell de capçalera"],"View site":["Mostra el lloc web"],"Display the search results title based on the queried object.":["Mostra el títol dels resultats de la cerca en funció de l'objecte consultat."],"Search Results Title":["Títol dels resultats de la cerca"],"Search results for: “search term”":["Resultats de la cerca de: «terme cercat»"],"Show search term in title":["Mostra el terme de cerca al títol"],Taxonomies:qa,"Show label":["Mostra l'etiqueta"],"View options":["Visualitza les opcions"],"Disables output of layout styles.":["Desactiva la sortida dels estils de disseny."],"The template prefix for the created template. This is used to extract the main template type, e.g. in `taxonomy-books` extracts the `taxonomy`":["El prefix de la plantilla per a la plantilla creada. Això s'utilitza per extreure el tipus de plantilla principal ex. a 'taxonomy-llibres' extreu 'taxonomy'"],"Indicates if a template is custom or part of the template hierarchy":["Indica si una plantilla és personalitzada o forma part de la jerarquia de plantilles"],"The slug of the template to get the fallback for":["L’àlies de la plantilla per obtenir l'alternativa"],'Search results for: "%s"':['Resultats de la cerca de: "%s"'],"Move %1$d blocks from position %2$d left by one place":["Mou %1$d blocs des de la posició %2$d cap a l’esquerra un lloc"],"Move %1$d blocks from position %2$d down by one place":["Mou %1$d blocs des de la posició %2$d cap avall un lloc"],"Suggestions list":["Llistat de suggeriments"],"Set the width of the main content area.":["Definiu l'amplada de l'àrea de contingut principal."],"Border color and style picker":["Selector de color i estil de la vora"],"Switch to editable mode":["Canvia al mode editable"],"Blocks cannot be moved right as they are already are at the rightmost position":["Els blocs no es poden moure a la dreta perquè ja són a la posició més a la dreta"],"Blocks cannot be moved left as they are already are at the leftmost position":["Els blocs no es poden moure a l’esquerra perquè ja són a la posició més a l’esquerra"],"All blocks are selected, and cannot be moved":["Tots els blocs estan seleccionats i no es poden moure"],"Whether the V2 of the list block that uses inner blocks should be enabled.":["Si s'ha d'habilitar la V2 del bloc de llista que utilitza blocs interiors."],"Post Comments Form block: Comments are not enabled for this item.":["Bloc de formulari de comentaris de l’entrada: els comentaris no estan activats per a aquest element."],"Time to read":["Temps de lectura"],"%s minute":["%s minut","%s minuts"],"< 1 minute":["< 1 minut"],"Apply suggested format: %s":["Aplica el format suggerit: %s"],"Custom template":["Plantilla personalitzada"],"Displays taxonomy: %s.":["Mostra la taxonomia: %s."],Hover:Ma,'Describe the template, e.g. "Post with sidebar". A custom template can be manually applied to any post or page.':['Descriviu la plantilla, p. ex. “Entrada amb barra lateral". Una plantilla personalitzada es pot aplicar manualment a qualsevol entrada o pàgina.'],"Change date: %s":["Canvia la data: %s"],"short date format without the yearM j":["j M"],"Apply to all blocks inside":["Aplica a tots els blocs inclosos"],"Active theme spacing scale.":["Escala d'espaiat del tema actiu."],"Active theme spacing sizes.":["Mides d'espaiat de temes actius."],"%sX-Large":["%s X-Gran"],"%sX-Small":["%s X-Petit"],"Some of the theme.json settings.spacing.spacingScale values are invalid":["Alguns dels valors de settings.spacing.spacingScale al fitxer theme.json no són vàlids"],"post schedule date format without yearF j g:i a":["j \\d\\e F H:i"],"Tomorrow at %s":["Demà a les %s"],"post schedule time formatg:i a":["g:i a"],"Today at %s":["Avui a les %s"],"post schedule full date formatF j, Y g:i a":["j \\d\\e F \\d\\e Y H:i"],"Displays a single item: %s.":["Mostra un sol element: %s."],"Single item: %s":["Element únic: %s"],"This template will be used only for the specific item chosen.":["Aquesta plantilla s'utilitzarà només per a l'element específic escollit."],"For a specific item":["Per a un element específic"],"For all items":["Per a tots els elements"],"Select whether to create a single template for all items or a specific one.":["Seleccioneu si voleu crear una sola plantilla per a tots els elements o una d'específica."],"Manage the fonts and typography used on buttons.":["Gestiona els tipus de lletres i la tipografia utilitzats en els botons."],Summary:za,"Edit template":["Edita la plantilla"],"Templates define the way content is displayed when viewing your site.":["Les plantilles defineixen la manera com es mostra el contingut quan es visualitza el lloc web."],"Make the selected text inline code.":["Posa el text seleccionat com a codi en línia."],"Strikethrough the selected text.":["Ratlla el text seleccionat."],Unset:Na,"action that affects the current postEnable comments":["Activa els comentaris"],"Embed a podcast player from Pocket Casts.":["Incrusta un reproductor de pòdcasts de Pocket Casts."],"66 / 33":["66 / 33"],"33 / 66":["33 / 66"],"Nested blocks will fill the width of this container.":["Els blocs imbricats ompliran l'amplada d'aquest contenidor."],"Nested blocks use content width with options for full and wide widths.":["Els blocs imbricats utilitzen l'amplada del contingut amb opcions per a amplades completes i amples."],"Copy all blocks":["Copia tots els blocs"],"Overlay opacity":["Opacitat de la superposició"],"Get started here":["Comenceu aquí"],"Interested in creating your own block?":["Us interessa crear el vostre propi bloc?"],Now:La,"Always open List View":["Obre sempre la vista de llista"],"Opens the List View panel by default.":["Obre el quadre de la vista de llista per defecte."],"Start adding Heading blocks to create a table of contents. Headings with HTML anchors will be linked here.":["Comenceu a afegir blocs de capçalera per crear una taula de continguts. Les capçaleres amb àncores HTML s'enllaçaran aquí."],"Only including headings from the current page (if the post is paginated).":["Inclou només les capçaleres de la pàgina actual (si l'entrada està paginada)."],"Only include current page":["Inclou només la pàgina actual"],"Convert to static list":["Converteix a una llista estàtica"],Parents:Da,"Commenter avatars come from Gravatar.":["Els avatars dels comentaristes provenen de Gravatar."],"Links are disabled in the editor.":["Els enllaços estan desactivats a l'editor."],"%s response":["%s resposta","%s respostes"],'%1$s response to "%2$s"':["%1$s resposta a «%2$s»","%1$s respostes a «%2$s»"],"block titleComments":["Comentaris"],"Control how this post is viewed.":["Controleu com es visualitza aquesta publicació."],"All options reset":["Reinicialitza totes les opcions"],"All options are currently hidden":["Totes les opcions estan ocultes actualment"],"%s is now visible":["%s ja és visible"],"%s hidden and reset to default":["%s està ocult i s'ha reinicialitzat al seu valor predeterminat"],"%s reset to default":["%s s'ha reinicialitzat al seu valor predeterminat"],Suffix:$a,Prefix:Ia,"If there are any Custom Post Types registered at your site, the Content block can display the contents of those entries as well.":["Si hi ha algun tipus de contingut personalitzat registrat al vostre lloc web, el bloc de contingut d'entrada també pot mostrar el contingut d'aquestes entrades."],"That might be a simple arrangement like consecutive paragraphs in a blog post, or a more elaborate composition that includes image galleries, videos, tables, columns, and any other block types.":["Pot ser una disposició senzilla, com ara paràgrafs consecutius en una entrada al blog, o una composició més elaborada que inclogui galeries d'imatges, vídeos, taules, columnes i qualsevol altre tipus de bloc."],"This is the Content block, it will display all the blocks in any single post or page.":["Aquest és el bloc Contingut de l'entrada, mostrarà tots els blocs en qualsevol entrada o pàgina."],"Post Comments Form block: Comments are not enabled.":["Bloc de formulari de comentaris de l’entrada: els comentaris no estan activats."],"To get started with moderating, editing, and deleting comments, please visit the Comments screen in the dashboard.":["Per començar a moderar, editar i suprimir comentaris, visiteu la pantalla Comentaris del tauler."],"Hi, this is a comment.":["Hola, això és un comentari."],"January 1, 2000 at 00:00 am":["1 de gener del 2000 a les 00:00"],says:Ra,"A WordPress Commenter":["Un comentarista de WordPress"],"Leave a Reply":["Deixa un comentari"],'Response to "%s"':["Resposta a «%s»"],Response:Ba,"Your comment is awaiting moderation. This is a preview; your comment will be visible after it has been approved.":["El comentari està pendent de moderació. Aquesta és una previsualització; El comentari serà visible després que s'hagi aprovat."],"Your comment is awaiting moderation.":["El comentari està pendent d’aprovació."],"block descriptionDisplays a title with the number of comments.":["Mostra un títol amb el nombre de comentaris."],"block titleComments Title":["Títol dels comentaris"],"These changes will affect your whole site.":["Aquests canvis afectaran tot el vostre lloc web."],'Responses to "%s"':["Respostes a «%s»"],"One response to %s":["Una resposta a %s"],"Show comments count":["Mostra el recompte de comentaris"],"Show post title":["Mostra el títol de l’entrada"],"Comments Pagination block: paging comments is disabled in the Discussion Settings":["Bloc de paginació de comentaris: la paginació dels comentaris està desactivada a les opcions de debat"],Responses:Va,"One response":["Una resposta"],"block descriptionGather blocks in a layout container.":["Agrupa blocs en un contenidor amb disseny."],"block descriptionAn advanced block that allows displaying post comments using different visual configurations.":["Bloc avançat que permet visualitzar comentaris de les entrades mitjançant diferents configuracions visuals."],"block descriptionDisplays the date on which the comment was posted.":["Mostra la data en què s'ha publicat el comentari."],"block descriptionDisplays the name of the author of the comment.":["Mostra el nom de l'autor del comentari."],"block descriptionThis block is deprecated. Please use the Avatar block instead.":["Aquest bloc està obsolet. Utilitzeu el bloc Avatar."],"block titleComment Author Avatar (deprecated)":["Avatar de l’autor del comentari (obsolet)"],"This Navigation Menu is empty.":["Aquest menú de navegació està buit."],"Browse styles":["Navega pels estils"],"Bottom border":["Vora inferior"],"Right border":["Vora dreta"],"Left border":["Vora esquerra"],"Top border":["Vora superior"],"Border color picker.":["Selector de color de vora."],"Border color and style picker.":["Selector de color i estil de vora."],"Link sides":["Enllaça els costats"],"Unlink sides":["Desenllaça els costats"],"Quote citation":["Citació de la cita"],"Choose a pattern for the query loop or start blank.":["Trieu un patró per al bucle de consulta o comenceu en blanc."],"Navigation Menu successfully deleted.":["El menú de navegació s'ha suprimit correctament."],"Arrange blocks vertically.":["Disposa els blocs verticalment."],Stack:Ua,"Arrange blocks horizontally.":["Disposa els blocs horitzontalment."],"Use featured image":["Utilitza imatge destacada"],Week:Fa,"Group by":["Agrupa per"],"Delete selection.":["Suprimeix la selecció."],"Transform to %s":["Transforma a %s"],"single horizontal lineRow":["Fila"],"Select parent block: %s":["Seleccioneu el bloc principal: %s"],"Alignment optionNone":["Cap"],"Whether the V2 of the quote block that uses inner blocks should be enabled.":["Si s'ha d'habilitar la V2 del bloc de cita que utilitza blocs interiors."],"Adding an RSS feed to this site’s homepage is not supported, as it could lead to a loop that slows down your site. Try using another block, like the Latest Posts block, to list posts from the site.":["No s'admet afegir un canal RSS a la pàgina d'inici d'aquest lloc web, ja que podria conduir a un bucle que alenteixi el vostre lloc web. Proveu d'utilitzar un altre bloc, com ara el bloc Entrades més recents , per mostrar les entrades del lloc web."],"block descriptionContains the block elements used to render content when no query results are found.":["Conté els elements de bloc utilitzats per renderitzar contingut quan no es troben resultats de consulta."],"block titleNo Results":["Cap resultat"],"block titleList Item":["Element de llista"],"block descriptionAdd a user’s avatar.":["Afegeix l'avatar d'un usuari."],"block titleAvatar":["Avatar"],"View Preview":["Mostra una previsualització"],"Download your theme with updated templates and styles.":["Baixa el tema amb plantilles i estils actualitzats."],'Custom color picker. The currently selected color is called "%1$s" and has a value of "%2$s".':[`Selector de color personalitzat. El color seleccionat actualment s'anomena "%1$s" i té un valor de "%2$s".`],"Largest size":["Mida més gran"],"Smallest size":["Mida més petita"],"Add text or blocks that will display when a query returns no results.":["Afegeix text o blocs que es mostraran quan una consulta no retorni resultats."],"Featured image: %s":["Imatge destacada: %s"],"Link to post":["Enllaç a l'entrada"],Invalid:Oa,"Link to user profile":["Enllaç al perfil d'usuari"],"Select the avatar user to display, if it is blank it will use the post/page author.":["Seleccioneu l'usuari de l'avatar a visualitzar, si està en blanc utilitzarà l'autor de l'entrada/pàgina."],"Default Avatar":["Avatar per defecte"],"Enter a date or time format string.":["Introduïu la cadena de format d'una data o una hora."],"Custom format":["Format personalitzat"],"Choose a format":["Tria un format"],"Enter your own date format":["Introduïu el format de data propi"],"long date formatF j, Y":["j \\d\\e F \\d\\e Y"],"medium date format with timeM j, Y g:i A":["j/M/Y H:i"],"medium date formatM j, Y":["j/M/Y"],"short date format with timen/j/Y g:i A":["j/n/Y H:i"],"short date formatn/j/Y":["j/n/Y"],"Default format":["Format per defecte"],"%s link":[],Lock:ja,Unlock:Ga,"Lock all":["Bloqueja-ho tot"],"Lock %s":["Bloqueja %s"],"(%s website link, opens in a new tab)":["(enllaç al lloc web de %s, s'obre en una nova pestanya)"],"(%s author archive, opens in a new tab)":["(arxiu de l'autor %s, s'obre en una nova pestanya)"],"Preference activated - %s":["Preferència activada - %s"],"Preference deactivated - %s":["Preferència desactivada - %s"],"Insert a link to a post or page.":["Inseriu un enllaç a una entrada o pàgina."],"Classic menu import failed.":["La importació del menú clàssic ha fallat."],"Classic menu imported successfully.":["Menú clàssic importat correctament."],"Classic menu importing.":["Importació de menús clàssics."],"Failed to create Navigation Menu.":["No s'ha pogut crear el menú de navegació."],"Navigation Menu successfully created.":["Menú de navegació creat correctament."],"Creating Navigation Menu.":["Creació del menú de navegació."],'Unable to create Navigation Menu "%s".':['No s’ha pogut crear el menú de navegació "%s".'],'Unable to fetch classic menu "%s" from API.':[`No s’ha pogut recollir el menú clàssic "%s" de l'API.`],"Navigation block setup options ready.":["Opcions de configuració del bloc de navegació preparades."],"Loading navigation block setup options…":["Carregant les opcions de configuració del bloc de navegació."],"Choose a %s":["Tria un %s"],"Existing template parts":["Seccions de plantilla existents"],"Convert to Link":["Converteix en enllaç"],"%s blocks deselected.":["%s blocs desseleccionats."],"%s deselected.":["%s desseleccionat."],"block descriptionDisplays the link of a post, page, or any other content-type.":["Mostra l'enllaç d'una entrada, pàgina o qualsevol altre tipus de contingut."],"block titleRead More":["Llegiu-ne més"],"block descriptionThe author biography.":["Biografia de l'autor."],"block titleAuthor Biography":["Biografia de l'autor de l'entrada"],'The "%s" plugin has encountered an error and cannot be rendered.':['L’extensió "%s" ha trobat un error i no es pot representar.'],"The posts page template cannot be changed.":["La plantilla de pàgina d'entrades no es pot canviar."],"Author Biography":["Biografia de l'autor"],"Create from '%s'":["Crea a partir de '%s'"],"Older comments page link":["Enllaç a la pàgina de comentaris més antics"],"If you take over, the other user will lose editing control to the post, but their changes will be saved.":["Si preneu el control, l'altre usuari perdrà el control d'edició de l’entrada, però els seus canvis es desaran."],"Select the size of the source image.":["Seleccioneu la mida de la imatge d'origen."],"Configure the visual appearance of the button that toggles the overlay menu.":["Configureu l'aparença visual del botó que commuta el menú superposat."],"Show icon button":["Mostra el botó de la icona"],"font weightBlack":["Negre"],"font weightExtra Bold":["Extra negreta"],"font weightBold":["Negreta"],"font weightSemi Bold":["Semi Negreta"],"font weightMedium":["Mitjana"],"font weightRegular":["Regular"],"font weightLight":["Lleugera"],"font weightExtra Light":["Extra Lleugera"],"font weightThin":["Fina"],"font styleItalic":["Cursiva"],"font styleRegular":["Regular"],"Transparent text may be hard for people to read.":["El text transparent pot ser difícil de llegir per a la gent."],"Sorry, you are not allowed to view this global style.":["No teniu permisos per a visualitzar aquest estil global."],"Sorry, you are not allowed to edit this global style.":["No teniu permisos per a editar aquest estil global."],"Older Comments":["Comentaris antics"],"Newer Comments":["Comentaris més recents"],"block descriptionDisplay post author details such as name, avatar, and bio.":["Mostra els detalls de l'autor de l’entrada, com ara el nom, l'avatar i la biografia."],"Categories provide a helpful way to group related posts together and to quickly tell readers what a post is about.":["Les categories proporcionen una manera útil d'agrupar entrades relacionades i d'explicar ràpidament als lectors de què tracta una entrada."],"Assign a category":["Assigna una categoria"],"%s is currently working on this post (), which means you cannot make changes, unless you take over.":["%s Actualment està treballant en aquesta entrada (), el que significa que no es poden fer canvis, tret que vostè prengui el relleu."],preview:Ha,"%s now has editing control of this post (). Don’t worry, your changes up to this moment have been saved.":["%s ara té el control de l'edició d'aquesta entrada (). No importa, els canvis fins ara s'han desat."],"Exit editor":["Surt de l'editor"],"Draft saved.":["S'ha desat l'esborrany."],"site exporter menu itemExport":["Exporta"],"Close Block Inserter":["Tanca l'inseridor de blocs"],"Page List: Cannot retrieve Pages.":["Llista de pàgines: No es poden recuperar les pàgines."],"Link is empty":["L'enllaç està buit."],"Button label to reveal tool panel options%s options":["Opcions de %s"],"Search %s":["Busca %s"],"Set custom size":["Defineix la mida personalitzada"],"Use size preset":["Utilitza la mida predefinida"],"Reset colors":["Reinicialitza els colors"],"Reset gradient":["Reinicialitza el degradat"],"Remove all colors":["Suprimeix tots els colors"],"Remove all gradients":["Suprimeix tots els degradats"],"Color options":["Opcions de color"],"Gradient options":["Opcions de degradat"],"Add color":["Afegeix color"],"Add gradient":["Afegeix un degradat"],Done:Wa,"Gradient name":["Nom del degradat"],"Color %d":["Color %d"],"Color format":["Format de color"],"Hex color":["Color hexadecimal"],"block descriptionThe author name.":["El nom de l'autor."],"block titleAuthor Name":["Nom de l’autor de l’entrada"],"block descriptionDisplays the previous comment's page link.":["Mostra l'enllaç de la pàgina dels comentaris anteriors."],"block descriptionDisplays the next comment's page link.":["Mostra l'enllaç a la pàgina del comentari següent."],Icon:Ya,Delete:Ja,"Icon background":["Fons d'icones"],"Use as Site Icon":["Utilitza com a icona del lloc web"],"Site Icons are what you see in browser tabs, bookmark bars, and within the WordPress mobile apps. To use a custom icon that is different from your site logo, use the Site Icon settings.":["Les icones de lloc són les que veieu a les pestanyes del navegador, a les barres d'adreces d'interès i a les aplicacions mòbils de WordPress. Per utilitzar una icona personalitzada diferent del logotip del lloc web, utilitzeu la configuració de la icona del lloc."],"Post type":["Tipus de contingut"],"Link to author archive":["Enllaç a l'arxiu de l'autor"],"Author Name":["Nom de l’autor"],"You do not have permission to create Navigation Menus.":["No teniu permís per crear menús de navegació."],"You do not have permission to edit this Menu. Any changes made will not be saved.":["No teniu permisos per editar aquest menú. No es desarà cap canvi."],"Newer comments page link":["Enllaç a la pàgina de comentaris més recent"],"Site icon.":["Icona del lloc web."],"Font size nameExtra Large":["Extra Gran"],"block titlePagination":["Paginació"],"block titlePrevious Page":["Pàgina anterior"],"block titlePage Numbers":["Números de pàgina"],"block titleNext Page":["Pàgina següent"],"block descriptionDisplays a list of page numbers for comments pagination.":["Mostra una llista de números de pàgina per a la paginació de comentaris."],"Site updated.":["Lloc web actualitzat."],"Saving failed.":["No s'ha pogut desar."],"%1$s ‹ %2$s — WordPress":["%1$s ‹ %2$s — WordPress"],"https://wordpress.org/documentation/article/styles-overview/":["https://wordpress.org/documentation/article/styles-overview/"],"An error occurred while creating the site export.":["S'ha produït un error en crear l'exportació del lloc web."],"Manage menus":["Gestiona els menús"],"%s submenu":["Submenú de %s"],"block descriptionDisplays a paginated navigation to next/previous set of comments, when applicable.":["Mostra una navegació paginada al conjunt de comentaris anteriors/següents, si s'escau."],"block titleComments Pagination":["Paginació dels comentaris"],Actions:Qa,"An error occurred while restoring the post.":["S'ha produït un error en revertir l'entrada."],Rename:Xa,"An error occurred while setting the homepage.":["S'ha produït un error en establir la pàgina d'inici."],"An error occurred while creating the template part.":["S'ha produït un error en crear la part de la plantilla."],"An error occurred while creating the template.":["S'ha produït un error en crear la plantilla."],"Manage the fonts and typography used on the links.":["Gestiona els tipus de lletra i tipografia utilitzats en els enllaços."],"Manage the fonts used on the site.":["Gestioneu els tipus de lletra utilitzats al lloc web."],Aa:_a,"An error occurred while deleting the item.":["S'ha produït un error en suprimir l'element."],"Show arrow":["Mostra la fletxa"],"Arrow option for Comments Pagination Next/Previous blocksChevron":["Xebró"],"Arrow option for Comments Pagination Next/Previous blocksArrow":["Fletxa"],"Arrow option for Comments Pagination Next/Previous blocksNone":["Cap"],"A decorative arrow appended to the next and previous comments link.":["Una fletxa decorativa afegida a l'enllaç de comentaris següent i anterior."],"Indicates this palette is created by the user.Custom":["Personalitzada"],"Indicates this palette comes from WordPress.Default":["Per defecte"],"Indicates this palette comes from the theme.Theme":["Tema"],"Add default block":["Afegeix un bloc per defecte"],"Whether a template is a custom template.":["Si una plantilla és personalitzada."],"Unable to open export file (archive) for writing.":["No s'ha pogut obrir el fitxer d'exportació (arxiu) en mode escriptura."],"Zip Export not supported.":["No s'admet l'exportació a ZIP."],"Displays latest posts written by a single author.":["Mostra les últimes entrades escrites per un sol autor."],"Here’s a detailed guide to learn how to make the most of it.":["Aquí teniu una guia detallada per aprendre a treure-li el màxim partit."],"New to block themes and styling your site?":["No coneixeu els temes de blocs o com aplicar estils al lloc?"],"You can adjust your blocks to ensure a cohesive experience across your site — add your unique colors to a branded Button block, or adjust the Heading block to your preferred size.":["Podeu ajustar els blocs per garantir una experiència cohesionada a tot el lloc web: afegiu els colors únics a un bloc de botons de marca o ajusteu el bloc de capçalera a la mida que preferiu."],"Personalize blocks":["Personalitza els blocs"],"You can customize your site as much as you like with different colors, typography, and layouts. Or if you prefer, just leave it up to your theme to handle!":["Podeu personalitzar el lloc web tant com vulgueu amb diferents colors, tipografies i dissenys. O, si ho preferiu, deixeu-ho en mans del tema!"],"Set the design":["Defineix el disseny"],"Tweak your site, or give it a whole new look! Get creative — how about a new color palette for your buttons, or choosing a new font? Take a look at what you can do here.":["Ajusteu el lloc web o doneu-li un aspecte completament nou. Sigueu creatius: què tal una paleta de colors nova per als botons o triar un tipus de lletra nou? Mireu què podeu fer aquí."],"Welcome to Styles":["Benvinguts a Estils"],styles:Ka,"Click to start designing your blocks, and choose your typography, layout, and colors.":["Feu clic per començar a dissenyar els blocs i trieu la vostra tipografia, disseny i colors."],"Design everything on your site — from the header right down to the footer — using blocks.":["Dissenyeu tot el que hi ha al lloc web, des de la capçalera fins al peu de pàgina, mitjançant blocs."],"Edit your site":["Edita el lloc web"],"Welcome to the site editor":["Us donem la benvinguda a l'editor del lloc web"],"Add a featured image":["Afegeix una imatge destacada"],"block descriptionThis block is deprecated. Please use the Comments block instead.":["Aquest bloc està obsolet. Utilitzeu el bloc Comentaris en lloc."],"block titleComment (deprecated)":["Comentari de l'entrada (obsolet)"],"block descriptionShow a block pattern.":["Mostra un patró de blocs."],"block titlePattern":["Patró"],"block keywordequation":["equació"],"block descriptionAn advanced block that allows displaying taxonomy terms based on different query parameters and visual configurations.":["Un bloc avançat que permet mostrar termes de taxonomia en funció de diferents paràmetres de consulta i configuracions visuals."],"block descriptionContains the block elements used to display a comment, like the title, date, author, avatar and more.":["Conté els elements del bloc utilitzats per mostrar un comentari, com ara el títol, la data, l'autor, l'avatar i molt més."],"block titleComment Template":["Plantilla de comentaris"],"block descriptionDisplays a link to reply to a comment.":["Mostra un enllaç per respondre a un comentari."],"block titleComment Reply Link":["Enllaç de resposta del comentari"],"block descriptionDisplays a link to edit the comment in the WordPress Dashboard. This link is only visible to users with the edit comment capability.":["Mostra un enllaç per editar el comentari al tauler de WordPress. Aquest enllaç només és visible per als usuaris amb capacitat d'editar comentaris."],"block titleComment Edit Link":["Enllaç d'edició del comentari"],"block descriptionDisplays the contents of a comment.":["Mostra el contingut d'un comentari."],"block titleComment Author Name":["Nom de l'autor del comentari"],"%s applied.":["%s aplicat."],"%s removed.":["%s eliminat."],"%s: Sorry, you are not allowed to upload this file type.":["%s: no està permès pujar aquest tipus de fitxer."],"This change will affect your whole site.":["Aquest canvi afectarà tot el lloc web."],"Use left and right arrow keys to resize the canvas.":["Utilitzeu les tecles de fletxa esquerra i dreta per canviar la mida del llenç."],"Drag to resize":["Arrossega per a redimensionar"],"Submenu & overlay background":["Fons del submenú i superposició"],"Submenu & overlay text":["Text del submenú i superposició"],"Create new Menu":["Crea un nou menú"],"Unsaved Navigation Menu.":["Menú de navegació no s’ha desat."],Menus:Za,"Open List View":["Obre la vista de llista"],"Embed Wolfram notebook content.":["Incrusta contingut de la llibreta Wolfram."],Reply:et,"Displays more block tools":["Mostra més eines de bloc"],"Create a two-tone color effect without losing your original image.":["Creeu un efecte de color de dos tons sense perdre la imatge original."],"Remove %s":["Suprimeix %s"],"Explore all patterns":["Explora tots els patrons"],"Allow to wrap to multiple lines":["Permet ajustar a varies línies"],"No Navigation Menus found.":["No s'han trobat menús de navegació."],"Add New Navigation Menu":[],"Theme not found.":["Tema no trobat."],"HTML title for the post, transformed for display.":["Títol HTML de l'entrada, transformat per a mostrar-se."],"Title for the global styles variation, as it exists in the database.":["Títol per a la variació d'estils globals, tal com està a la base de dades."],"Title of the global styles variation.":["Títol per a la variació d'estils globals."],"Global settings.":["Configuració global."],"Global styles.":["Estils globals."],"ID of global styles config.":["Identificador de la configuració d'estils globals."],"No global styles config exist with that id.":["No existeix cap configuració d'estils globals amb aquest identificador."],"Sorry, you are not allowed to access the global styles on this site.":["No teniu permisos per accedir als estils globals en aquest lloc web."],"The theme identifier":["L'identificador del tema"],"%s Avatar":["Avatar de %s"],"block style labelPlain":["Pla"],Elements:at,"Customize the appearance of specific blocks and for the whole site.":["Personalitzeu l'aparença de blocs específics i per a tot el lloc web."],"Link to comment":["Enllaç al comentari"],"Link to authors URL":["Enllaç a la URL dels autors"],"Choose an existing %s or create a new one.":["Tria una secció %s existent o crea'n una."],"Show icon":["Mostra la icona"],"Open on click":["Obre en fer clic"],Submenus:tt,Always:st,"Collapses the navigation options in a menu icon opening an overlay.":["Redueix les opcions de navegació en una icona de menú que obre una superposició."],Display:ot,"Embed Pinterest pins, boards, and profiles.":["Incrusta pins, taulers i perfils de Pinterest."],bookmark:it,"block descriptionDisplays the name of this site. Update the block, and the changes apply everywhere it’s used. This will also appear in the browser title bar and in search results.":["Mostra el nom d'aquest lloc web. Actualitzeu el bloc i els canvis s'apliquen a tot arreu on s'utilitzi. Això també apareixerà a la barra de títol del navegador i als resultats de la cerca."],Highlight:lt,"Create page: %s":["Crea una pàgina: %s"],"You do not have permission to create Pages.":["No teniu permís per crear pàgines."],Palette:nt,"Include the label as part of the link":["Incloeu l'etiqueta com a part de l'enllaç"],"Previous: ":["Anterior: "],"Next: ":["Següent: "],"Make title link to home":["Establir un enllaç de títol a la pàgina d'inici"],"Block spacing":["Espaiat del bloc"],"Max %s wide":["%s màxim d'amplada"],"label before the title of the previous postPrevious:":["Anterior:"],"label before the title of the next postNext:":["Següent:"],"block descriptionAdd a submenu to your navigation.":["Afegeix un submenú a la navegació."],"block titleSubmenu":["Submenú"],"block descriptionDisplay content in multiple columns, with blocks added to each column.":["Mostra el contingut en diverses columnes, amb blocs afegits a cada columna."],"Customize the appearance of specific blocks for the whole site.":["Personalitzeu l'aparença de blocs específics per a tot el lloc web."],Colors:rt,"Hide and reset %s":["Amaga i reinicialitza %s"],"Reset %s":["Reicianialitza %s"],"The